java.util.stream.DoubleStream in Java 8, deals with primitive doubles. It helps to solve the problems like finding maximum value in array, finding minimum value in array, sum of all elements in array, and average of all values in array in a new way. DoubleStream max() returns an OptionalDouble describing the maximum element of this stream, or an empty optional if this stream is empty.
Syntax :
OptionalDouble() max()
Where, OptionalDouble is a container object which
may or may not contain a double value.
Note :
- Unlike the numerical comparison operators, this method considers negative zero to be strictly smaller than positive zero.
- This is a special case of a reduction.
Example 1 :
import java.util.*;
import java.util.stream.DoubleStream;
class GFG {
public static void main(String[] args)
{
DoubleStream stream = DoubleStream.of(- 9.5 , - 18.6 , 54.3 ,
8.5 , 7.4 , 14.2 , 3.9 );
OptionalDouble obj = stream.max();
if (obj.isPresent()) {
System.out.println(obj.getAsDouble());
}
else {
System.out.println( "-1" );
}
}
}
|
Example 2 :
import java.util.*;
import java.util.stream.DoubleStream;
class GFG {
public static void main(String[] args)
{
OptionalDouble obj = DoubleStream.empty()
.max();
if (obj.isPresent()) {
System.out.println(obj.getAsDouble());
}
else {
System.out.println( "-1" );
}
}
}
|