我正在尝试编写一个比较 3 个数字并返回其中最大数字的方法。
这是我的代码,但它不起作用...
public int max(int x, int y, int z){
return Math.max(x,y,z);
}
如何更正我的代码?
试试这个...
public int max(int x, int y, int z){
return Math.max(x,Math.max(y,z));
}
该方法Math.max()
只接受 2 个参数,因此如果您想按照上面的代码比较 3 个数字,则需要执行此方法两次。
对于当前 3 个整数参数的解决方案,您可以替换:
Math.max(x,y,z)
跟
Math.max(Math.max(x, y), z)
javadoc 显示Math.max
需要 2 个参数。
对于任意数量的 int 值,你可以这样做(提示 'o 帽子 zapl):
public int max(int firstValue, int... otherValues) {
for (int value : otherValues) {
if (firstValue < value ) {
firstValue = value;
}
}
return firstValue;
}
如果 Apache Commons Lang 在你的类路径上,你可以使用 NumberUtils
.
有几种max
、min
功能。也是你想要的。
检查 API:http://commons.apache.org/lang/api/org/apache/commons/lang3/math/NumberUtils.html
Commons Lang 很有用,因为它扩展了标准的 Java API。
尝试使用 JDK api:
public static int max(int i, int... ints) {
int nums = new int[ints.length + 1];
nums[0] = i;
System.arrayCopy(ints, 0, nums, 1, ints.length);
Arrays.sort(nums);
return ints[nums.length - 1);
}