需要在java中找到最多三个数字

2022-09-03 03:58:42

可能的重复:
在具有不同数据类型的Java中查找最多3个数字(基本Java)

编写一个程序,该程序使用扫描仪读取三个整数(正数)显示三个整数中的最大数字。(请在不使用任何运算符或 的情况下完成。这些运算符将很快在课堂上介绍。同样,循环也不是必需的。&&||

Some sample run: 

Please input 3 integers: 5 8 3
The max of three is: 8

Please input 3 integers: 5 3 1
The max of three is 5

import java.lang.Math;
import java.util.Scanner;
public class max {
    public static void main(String[] args) {
        Scanner keyboard = new Scanner(System.in);
        System.out.println("Please input 3 integers: ");
        String x = keyboard.nextLine();
        String y = keyboard.nextLine();
        String z = keyboard.nextLine();
        int max = Math.max(x,y,z);
        System.out.println(x + " " + y + " "+z);
        System.out.println("The max of three is: " + max);
    }
}   

我想知道此代码有什么问题,以及当我输入3个不同的值时如何找到最大值。


答案 1

两件事:更改变量 、 和调用方法,因为它只接受两个参数。xyzintMath.max(Math.max(x,y),z)

总之,更改如下:

    String x = keyboard.nextLine();
    String y = keyboard.nextLine();
    String z = keyboard.nextLine();
    int max = Math.max(x,y,z);

    int x = keyboard.nextInt();
    int y = keyboard.nextInt();
    int z = keyboard.nextInt();
    int max =  Math.max(Math.max(x,y),z);

答案 2

您应该了解更多有关:java.lang.Math.max

  1. java.lang.Math.max(arg1,arg2)只接受 2 个参数,但您在代码中编写 3 个参数。
  2. 这 2 个参数应该是 ,,但你正在用 Math.max 函数编写参数。您需要以所需的类型解析它们。doubleintlongfloatString

由于上述不匹配,您的代码将产生编译时错误

尝试以下更新的代码,这将解决您的目的:

import java.lang.Math;
import java.util.Scanner;
public class max {
    public static void main(String[] args) {
        Scanner keyboard = new Scanner(System.in);
        System.out.println("Please input 3 integers: ");
        int x = Integer.parseInt(keyboard.nextLine());
        int y = Integer.parseInt(keyboard.nextLine());
        int z = Integer.parseInt(keyboard.nextLine());
        int max = Math.max(x,y);
        if(max>y){ //suppose x is max then compare x with z to find max number
            max = Math.max(x,z);    
        }
        else{ //if y is max then compare y with z to find max number
            max = Math.max(y,z);    
        }
        System.out.println("The max of three is: " + max);
    }
} 

推荐