java.util.stream.LongStream in Java 8, deals with primitive longs. 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. LongStream min() returns an OptionalLong describing the minimum element of this stream, or an empty optional if this stream is empty.
Syntax :
OptionalLong() min() Where, OptionalLong is a container object which may or may not contain a long value.
Example 1 :
| // Java code for LongStream min()importjava.util.*;importjava.util.stream.LongStream; ÂclassGFG { Â    // Driver code    publicstaticvoidmain(String[] args)    {        // creating a stream        LongStream stream = LongStream.of(-9L, -18L, 54L,                                          8L, 7L, 14L, 3L); Â        // OptionalLong is a container object        // which may or may not contain a        // long value.        OptionalLong obj = stream.min(); Â        // If a value is present, isPresent() will        // return true and getAsLong() will        // return the value        if(obj.isPresent()) {            System.out.println(obj.getAsLong());        }        else{            System.out.println("-1");        }    }} | 
Output :
-18
Example 2 :
| // Java code for LongStream min()// to get the minimum value in range// excluding the last elementimportjava.util.*;importjava.util.stream.LongStream; ÂclassGFG { Â    // Driver code    publicstaticvoidmain(String[] args)    {        // To find minimum in given range        LongStream stream = LongStream.range(50L, 75L); Â        // storing the minimum value in variable        // if it is present, else show -1.        longminimum = stream.min().orElse(-1); Â        // displaying the minimum value        System.out.println(minimum);    }} | 
Output :
50
Example 3 :
| // Java code for LongStream min()// to get the minimum value in range// excluding the last elementimportjava.util.*;importjava.util.stream.LongStream; ÂclassGFG { Â    // Driver code    publicstaticvoidmain(String[] args)    {        // To find minimum in given range        LongStream stream = LongStream.range(50L, 50L); Â        // storing the minimum value in variable        // if it is present, else show -1.        longminimum = stream.min().orElse(-1); Â        // displaying the minimum value        System.out.println(minimum);    }} | 
Output :
-1


 
                                    







