使用reduce()的解决方案:
int[] array = {23, 3, 56, 97, 42};
// directly print out
Arrays.stream(array).reduce((x, y) -> x > y ? x : y).ifPresent(System.out::println);
// get the result as an int
int res = Arrays.stream(array).reduce((x, y) -> x > y ? x : y).getAsInt();
System.out.println(res);
>>
97
97
在上面的代码中,reduce()以可选格式返回数据,您可以通过getAsInt()将其转换为int。
如果我们想将最大值与某个数字进行比较,我们可以在reduce()中设置一个起始值:
int[] array = {23, 3, 56, 97, 42};
// e.g., compare with 100
int max = Arrays.stream(array).reduce(100, (x, y) -> x > y ? x : y);
System.out.println(max);
>>
100
在上面的代码中,当reduce()以标识(起始值)作为第一个参数时,它将返回与标识相同格式的数据。有了这个属性,我们可以将这个解决方案应用到其他数组:
double[] array = {23.1, 3, 56.6, 97, 42};
double max = Arrays.stream(array).reduce(array[0], (x, y) -> x > y ? x : y);
System.out.println(max);
>>
97.0