Una solución con 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
En el código anterior, reduce()
devuelve datos en Optional
formato, que puede convertir int
porgetAsInt()
.
Si queremos comparar el valor máximo con un cierto número, podemos establecer un valor inicial en 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
En el código anterior, cuando reduce()
tiene una identidad (valor de inicio) como primer parámetro, devuelve datos en el mismo formato que la identidad. Con esta propiedad, podemos aplicar esta solución a otras matrices:
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
Collections.max(Arrays.asList())
.