LongStream noneMatch(LongPredicate predicate) returns whether no elements of this stream match the provided predicate. It may not evaluate the predicate on all elements if not necessary for determining the result. This is a short-circuiting terminal operation. A terminal operation is short-circuiting if, when presented with infinite input, it may terminate in finite time.
Syntax :
boolean noneMatch(LongPredicate predicate)
Parameters :
- LongPredicate : A predicate (boolean-valued function) of one long-valued argument.
Return Value : The function returns true if either all elements of the stream match the provided predicate or the stream is empty, otherwise false.
Note : If the stream is empty then true is returned and the predicate is not evaluated.
Example 1 : noneMatch() function to check whether no element of LongStream is divisible by 5.
// Java code for LongStream noneMatch // (LongPredicate predicate) to check whether // no element of this stream match // the provided predicate. import java.util.*; import java.util.stream.LongStream; class GFG { // Driver code public static void main(String[] args) { // Creating an LongStream LongStream stream = LongStream.of(3L, 5L, 9L, 12L, 14L); // Check if no element of stream // is divisible by 5 using // LongStream noneMatch(LongPredicate predicate) boolean answer = stream.noneMatch(num -> num % 5 == 0 ); // Displaying the result System.out.println(answer); } } |
false
Example 2 : noneMatch() function to check whether no element in the LongStream obtained after concatenating two LongStreams is less than 2.
// Java code for LongStream noneMatch // (LongPredicate predicate) to check whether // no element of this stream match // the provided predicate. import java.util.*; import java.util.stream.LongStream; class GFG { // Driver code public static void main(String[] args) { // Creating an LongStream after concatenating // two LongStreams LongStream stream = LongStream.concat(LongStream.of(3L, 4L, 5L, 6L), LongStream.of(7L, 8L, 9L, 10L)); // Check if no element of stream // is less than 2 using // LongStream noneMatch(LongPredicate predicate) boolean answer = stream.noneMatch(num -> num < 2 ); // Displaying the result System.out.println(answer); } } |
true
Example 3 : noneMatch() function to show if the stream is empty then true is returned.
// Java code for LongStream noneMatch // (LongPredicate predicate) to check whether // no element of this stream match // the provided predicate. import java.util.*; import java.util.stream.LongStream; class GFG { // Driver code public static void main(String[] args) { // Creating an empty LongStream LongStream stream = LongStream.empty(); // Using LongStream noneMatch() on empty stream boolean answer = stream.noneMatch(num -> true ); // Displaying the result System.out.println(answer); } } |
true