Open In App

IntStream forEach() method in Java

Improve
Improve
Like Article
Like
Save
Share
Report

IntStream forEach(IntConsumer action) performs an action for each element of the stream. IntStream forEach(IntConsumer action) is a terminal operation i.e, it may traverse the stream to produce a result or a side-effect.

Syntax :

void forEach(IntConsumer action)

Parameter : IntConsumer represents an operation that accepts a single int-valued argument and returns no result. This is the primitive type specialization of Consumer for int.

Note : The behavior of this operation is explicitly nondeterministic. Also, for any given element, the action may be performed at whatever time and in whatever thread the library chooses.

Example 1 :




// Java code for IntStream forEach
// (IntConsumer action) in Java 8
import java.util.*;
import java.util.stream.IntStream;
  
class GFG {
  
    // Driver code
    public static void main(String[] args)
    {
        // Creating an IntStream
        IntStream stream = IntStream.of(7, 8, 9, 10);
  
        // Using IntStream.forEach
        stream.forEach(System.out::println);
    }
}


Output:

7
8
9
10

Example 2 :




// Java code for IntStream forEach
// (IntConsumer action) in Java 8
import java.util.*;
import java.util.stream.IntStream;
  
class GFG {
  
    // Driver code
    public static void main(String[] args)
    {
        // Creating an IntStream
        IntStream stream = IntStream.range(4, 9);
  
        // Using IntStream.forEach() on sequential stream
        stream.forEach(System.out::println);
    }
}


Output:

4
5
6
7
8

Note : For parallel stream, IntStream forEach(IntConsumer action) does not guarantee to respect the encounter order of the stream, as doing so would sacrifice the benefit of parallelism. Below is the example.

Example 3 :




// Java code for IntStream forEach
// (IntConsumer action) in Java 8
import java.util.*;
import java.util.stream.IntStream;
  
class GFG {
  
    // Driver code
    public static void main(String[] args)
    {
        // Creating an IntStream
        IntStream stream = IntStream.range(4, 9);
  
        // Using IntStream.forEach() on parallel stream
        stream.parallel().forEach(System.out::println);
    }
}


Output:

6
8
7
5
4


Last Updated : 06 Dec, 2018
Like Article
Save Article
Previous
Next
Share your thoughts in the comments
Similar Reads