PAT-L1-009 N個數求和

Cymbals發表於2018-03-16

本題的要求很簡單,就是求N個數字的和。麻煩的是,這些數字是以有理數“分子/分母”的形式給出的,你輸出的和也必須是有理數的形式。

輸入格式:

輸入第一行給出一個正整數N(<=100)。隨後一行按格式“a1/b1 a2/b2 …”給出N個有理數。題目保證所有分子和分母都在長整型範圍內。另外,負數的符號一定出現在分子前面。

輸出格式:

輸出上述數字和的最簡形式 —— 即將結果寫成“整數部分 分數部分”,其中分數部分寫成“分子/分母”,要求分子小於分母,且它們沒有公因子。如果結果的整數部分為0,則只輸出分數部分。

注意各種負數的情況,和分子為0的情況,以及用long。

public class Main {
    public static void main(String[] args) {
        Scanner reader = new Scanner(System.in);
        // InputReader reader = new InputReader();
        int n = reader.nextInt();
        if (n == 0) {
            System.out.println(0);
            return;
        }
        long x = 0;
        long y = 0;
        for (int i = 0; i < n; i++) {
            String[] input = reader.next().split("/");
            long a = Long.parseLong(input[0]);
            long b = Long.parseLong(input[1]);
            if (y != b && y != 0) {
                x *= b;
                a *= y;
                long temp = y * b;
                y = temp;
                b = temp;
            }
            // System.out.println(a + "/" + b);
            x += a;
            y = b;
            long gcd = GCD(x, y);
            x /= gcd;
            y /= gcd;
            if (y < 0 && x > 0) {
                y = Math.abs(y);
                x = x * -1;
            }
            if (x == 0) {
                y = 0;
            }
        }
        long res = 0;
        if (y == 0) {
            System.out.println(0);
            return;
        }
        if (Math.abs(x) >= Math.abs(y)) {
            res = x / y;
            x = x % y;
            System.out.print(res);
        }
        if (x == 0) {
            return;
        }
        if (Math.abs(res) > 0) {
            System.out.print(" ");
        }
        System.out.println(x + "/" + y);
    }

    public static long GCD(long x, long y) {
        return y == 0 ? x : GCD(y, x % y);
    }
}

相關文章