首先,如果我的问题不清楚,我将道歉。
我希望输出是用户输入中可能的最大数字。示例:
input: x = 0; y = 9; z = 5;
output: 950
我尝试了类似下面的代码。
import java.util.Scanner;
class LargestOfThreeNumbers{
public static void main(String args[]){
int x, y, z;
System.out.println("Enter three integers ");
Scanner in = new Scanner(System.in);
x = in.nextInt();
y = in.nextInt();
z = in.nextInt();
if ( x > y && x > z )
System.out.println("First number is largest.");
else if ( y > x && y > z )
System.out.println("Second number is largest.");
else if ( z > x && z > y )
System.out.println("Third number is largest.");
}
}
上面的代码将显示类似The seconde number is largest
的内容。这是我定义条件语句的正确方法。但是如何获得950
作为最终结果?我知道这里需要一些逻辑,但我的大脑似乎无法产生这种逻辑。
感谢您的帮助。
答案 0 :(得分:4)
您可以执行以下操作以按顺序打印数字:
// make an array of type integer
int[] arrayOfInt = new int[]{x,y,z};
// use the default sort to sort the array
Arrays.sort(arrayOfInt);
// loop backwards since it sorts in ascending order
for (int i = 2; i > -1; i--) {
System.out.print(arrayOfInt[i]);
}
答案 1 :(得分:2)
使用Java 8 IntStream的解决方案:
int x = 0, y = 9, z = 5;
IntStream.of(x,y,z).boxed().sorted( (i1,i2) -> Integer.compare(i2, i1)).forEach( i -> System.out.print(i));
答案 2 :(得分:1)
您可以找到连续调用Math.max(int, int)
时的最大值,以及找到Math.min(int, int)
时的最小值。第一个数字是max
。最后一个是min
。剩余项可以通过将三个项相加然后减去最小值和最大值(x + y + z-max-min)来确定。喜欢,
int max = Math.max(Math.max(x, y), z), min = Math.min(Math.min(x, y), z);
System.out.printf("%d%d%d%n", max, x + y + z - max - min, min);
答案 3 :(得分:1)
类似的事情会起作用
ArrayList<Integer> myList = new ArrayList<Integer>();
Scanner val = new Scanner(System.in);
int x = 0;
for (int i = 0; i < 3; i++) {
System.out.println("Enter a value");
x = val.nextInt();
myList.add(x);
}
myList.sort(null);
String answer = "";
for (int i = myList.size() - 1; i >= 0; i--) {
answer += myList.get(i).toString();
}
System.out.println(answer);
}