3

我正在尝试编写一个提示用户输入三个数字的代码,并且程序应该说哪个数字是最大的。我不想在 if 和 else if 语句中做一堆“System.out.print”。根据调试器的错误是“greatest”和“greatest1”尚未初始化。

import java.util.Scanner;

public class number1
{

    public static void main(String[] args)
    {

        double a, b, c;
        double greatest, greatest1;

        Scanner keyboard = new Scanner(System.in);
        System.out.print("Enter one number :");
        a  = keyboard.nextDouble();
        System.out.print("Enter another number :"); 
        b  = keyboard.nextDouble();
        System.out.print("Enter a third number :");
        c  = keyboard.nextDouble();

        if(a > b && a > c) {
            greatest = a;
        } //end of if statement

        else if(b > a && b > c){   
            greatest = b;
        }

        else if(c > a && c > b) { 
            greatest = c;
        }
        else if(a==b && c < a) {
            greatest = a;
            greatest1 = b;

        }

        else if(a==c && b < a) {
            greatest = a;
            greatest1 = c;
        }

        else if(b==c && a < b) {
            greatest = b;
            greatest1 = c;
        }

        else {
            System.out.print("All of the numbers are greatest");
        }
        System.out.print("The greatest number is: " +greatest+ "and" +greatest1);
    }
} 
4

5 回答 5

4

因为,其他人已经指出了问题所在。我要指出的是,您可以通过以下方式找到三个数字中的最大数字:

biggest = Math.max(a, Math.max(b,c));

您可以替换代码中的所有条件。

想象一下,您想要一组整数的最大值(例如,一个整数数组)。您可以执行以下操作:

biggest = array[0]; // initialize max to the first number of the set

遍历集合并检查最大值:

for(int i = 1; i < array.size; i++) 
   biggest = Math.max(biggest,array[i]);

或使用 Java 流:

Arrays.stream(array).max().getAsDouble()

您还可以制作自己的 max 函数,因为您的情况可以如下:

public double maxDouble (double a, double b){
       if(a > b) return a;
       else return b;
}

您可以在此处阅读有关 Math 类及其方法的更多详细信息(例如public static double max(double a,double b)

于 2013-02-14T03:50:34.437 回答
3

要解决此问题,您需要确保greatestgreatest1始终分配给一个值。如果它进入这个代码块会发生什么:

if (a > b && a > c) {
    greatest = a;
} //end of if statement

greatest1不会被分配,所以当它在最后一条语句中打印出来时

System.out.print("The greatest number is: " + greatest + "and" + greatest1);

它给你一个错误。

于 2013-02-14T03:45:14.937 回答
1

从键盘输入并创建一个双数组,然后尝试下面的代码。

double dblArray[] = {24.0,40.2,38.9};
Arrays.sort(dblArray);

System.out.print("The greatest number is: " +dblArray[dblArray.length-1]+ " and " +dblArray[dblArray.length-2]);

您可以打印 n 个最大的数字。

于 2013-02-14T04:10:29.440 回答
1

另一个提示:如果enter在输入每个数字后按,则应\n在阅读每个数字后阅读换行符。

例如

a  = keyboard.nextDouble();

应改为

a  = keyboard.nextDouble();
keyboard.nextLine();

等等

于 2013-02-14T03:53:45.730 回答
0

作为一般提示:初始化为 0:

double greatest = 0;
double greatest1 = 0;

但请注意,在您的情况下,这表明您的代码逻辑存在错误。修正该逻辑,否则结果将为 0,这可能是错误的。

于 2013-02-14T03:45:21.573 回答