Stream allMatch(Predicate predicate) returns whether all 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 allMatch(Predicate<? super T> predicate)
Where, T is the type of the input to the predicate
and 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. Once any function is done using the stream it can’t be used again until it is re-initialize. Example 1 : allMatch() function to check whether all elements are divisible by 3.
Java
import java.util.*;
class GFG {
public static void main(String[] args) {
List<Integer> list = Arrays.asList( 3 , 4 , 6 , 12 , 20 );
boolean answer = list.stream().allMatch(n-> n % 3 == 0 );
System.out.println(answer);
}
}
|
Output :
false
Example 2 : allMatch() function to check whether strings have length greater than 2.
Java
import java.util.stream.Stream;
class GFG {
public static void main(String[] args) {
Stream<String> stream = Stream.of("Geeks", " for ",
"GeeksQuiz", "GeeksforGeeks");
boolean answer = stream.allMatch(str -> str.length() > 2 );
System.out.println(answer);
}
}
|
Output :
true
Example 3 : allMatch() function to check whether all strings have UpperCase character at 1st index.
Java
import java.util.stream.Stream;
class GFG {
public static void main(String[] args) {
Stream<String> stream = Stream.of("Geeks", " for ",
"GeeksQuiz", "GeeksforGeeks");
boolean answer = stream.allMatch(str-> Character
.isUpperCase(str.charAt( 1 )));
System.out.println(answer);
}
}
|
Output :
false
Example 4 : Multiple function done using same stream
Java
import java.util.stream.IntStream;
public class MultipleStreamFunction {
public static void main(String[] args) {
final String sample = "Om Sarve Bhavantu Sukhinah";
IntStream intstreams = sample.chars();
boolean answer = intstreams.allMatch(c -> c > 100 );
System.out.println(answer);
intstreams = sample.chars();
answer = intstreams.allMatch(c -> c > 31 );
System.out.println(answer);
}
}
|
Output :
false
true
Feeling lost in the vast world of Backend Development? It's time for a change! Join our
Java Backend Development - Live Course and embark on an exciting journey to master backend development efficiently and on schedule.
What We Offer:
- Comprehensive Course
- Expert Guidance for Efficient Learning
- Hands-on Experience with Real-world Projects
- Proven Track Record with 100,000+ Successful Geeks
Last Updated :
15 Dec, 2022
Like Article
Save Article