-2

我想将多项式与系数 getA()、getB() 和 getC() 与 +ve 或 -ve 符号相加。并删除 coff 为零的项,例如 2x^2+5 而不是 2x^2+0x+5,一般来说,例如 (+/-)ax^2(+/-)bx(+/-)c。

public String toString() {

    if (getA().equals(DEFAULT_A)
        && getB().equals(DEFAULT_B)
        && getC().equals(DEFAULT_C)) {
        return "0";
    } else {
        String poly = "";
        if (!getA().equals(DEFAULT_A)) {
            poly = getA().toString() + "x^2";
        }
        if (!getB().equals(MyDouble.zero)) {
            if (getB().compareTo(MyDouble.zero)) {
                return getB();
            }
        }
        poly += getB().toString() + "x";
        if (!getC().equals(MyDouble.zero)) {
            poly += getC().toString;
        }

        return poly;
    }
}
4

1 回答 1

2

使用普通的双打会更简单,这可能会让您了解您可以做什么。

public static String poly(double a, double b, double c) {
    return (a == 0 ? "" : toNum(a) + "x^2 ") +
            (b > 0 ? "+" : "") +
            (b == 0 ? "" : toNum(b) + "x ") +
            (c > 0 ? "+" : "") +
            (c == 0 ? "" : c == 1 ? "1" : c == -1 ? "-1" : toNum(c));
}

private static String toNum(double v) {
    return v == 1 ? "" : v == -1 ? "-" : 
           v == (long) v ? Long.toString((long) v) : Double.toString(v);
}

public static void main(String... args) {
    System.out.println(poly(1, 1.5, 2.5));
    System.out.println(poly(-1, -1, -1));
    System.out.println(poly(2, 0, 0));
    System.out.println(poly(0, -3, 0));
    System.out.println(poly(0, 0, -9));
}

印刷

x^2 +1.5x +2.5
-x^2 -x -1
2x^2 
-3x 
-9
于 2011-04-03T18:51:49.297 回答