1

そのため、2次式を使用して「x」の値を解くプログラムをJavaで作成する必要がありました。これには、虚数と実数が含まれます。問題は、私のコードが次の 3 つの値に対して正しい結果を与えていないように見えることです。

a=10,000
b=75,000
c=35,000

ただし、小さな整数に対しては正しい値を返します。理由はありますか?double のデータ型に関係していると思いますが、よくわかりません。

要件には、入力が整数型のみであることが含まれていることに注意してください

正しい結果は -7.0 と -0.5 だと思いますが、架空の結果が表示されています。ありがとう

これが私のコードです:

package QuadRootsInt;
import java.util.Scanner;
/**
 *
 * @author
 */
public class QuadRootsInt {

    /**
     * Instance variables
     */
    private double realNumb;
    private double imagNumb;
    private double finalRoot1;
    private double finalRoot2;
    /**
     * 
     * @param a a value of binomial
     * @param b b value of binomial
     * @param c c value of binomial
     */
    public QuadRootsInt(int a, int b, int c){
        if(a==0){
            System.out.println("Cannot divide by zero...system is exisitng.");
            System.exit(0);
        }
    }

    /**
     * Evaluating the square root part of the formula and updates the right variable accordingly
     * @param a first coefficient of binomial
     * @param b second coefficient of binomial
     * @param c third coefficient of binomial
     */
    public void getRoot(int a, int b, int c){
        if((b*b)<4*a*c){
            imagNumb=Math.sqrt(Math.abs(Math.pow(b,2)-4*a*c));
            double realFinal1=((-b)/(2.0*a));
            double imagFinal1=(imagNumb/(2.0*a));
            double realFinal2=((-b)/(2.0*a));
            double imagFinal2=(imagNumb/(2.0*a));
            System.out.println("The solutions to the quadratic are: " + realFinal1+"+"+"i"+imagFinal1 + " and " + realFinal2+"-"+"i"+imagFinal2);
        }
        else {
            realNumb=Math.sqrt(Math.pow(b, 2)-4*a*c);
            finalRoot1=((-b)+realNumb)/(2*a);
            finalRoot2=((-b)-realNumb)/(2*a);
            System.out.println("The solutions to the quadratic are: " + finalRoot1 + " and " + finalRoot2);
        }

    }
    /**
     * Main Method - Testing out the application
     * @param args 
     */
    public static void main(String args[]){
        Scanner aCoef = new Scanner(System.in);
        System.out.print("Enter the 'a' coefficient: ");
        int aInput = aCoef.nextInt();
        Scanner bCoef = new Scanner(System.in);
        System.out.print("Enter the 'b' coefficient: ");
        int bInput = bCoef.nextInt();
        Scanner cCoef = new Scanner(System.in);
        System.out.print("Enter the 'c' coefficient: ");
        int cInput = cCoef.nextInt();
        QuadRootsInt quadTest = new QuadRootsInt(aInput, bInput, cInput);
        quadTest.getRoot(aInput, bInput, cInput);
    }

}
4

2 に答える 2

1

ab、およびcはであるため、int(b*b)および4*a*cも値として計算されintます。int の可能な最大値は 2,147,483,647、つまり約 33,000 x 65,000 です。

分数係数が一般的な二次方程式の場合は、 を使用する必要がありますdouble

ちなみに、この場合には解があることに注意してくださいa = 0-それは線形方程式になります。

于 2013-07-16T03:07:14.313 に答える