Java program to convert int array to IntStream



In general, Java Array is a collection of homogeneous elements and Streams are sequence of objects from a source, which supports aggregate operations. We can create a IntStream object holding a sequence of integer values.

To convert the integer array to an IntStream object you need to use the Arrays.stream() method.

IntStream: The IntStream extends the BaseStream interface. It defines the stream of primitive integer value. We can import the IntStream class from java.util package.

The Arrays.stream() method

The Arrays.stream() method creates a sequential stream from an array. It is a static method in the Arrays. Following is the syntax of the Arrays.stream() method ?

Arrays.stream(array);

Where, array is the array we need to convert.

Steps to convert int array to IntStream

Following are the step to covert int array to IntStream ?

  • START
  • Create an int array with the desired elements.
  • Convert the int array to IntStream using Arrays.stream().
  • Limit the IntStream to the first 7 elements using limit(7).
  • Find the sum of the limited IntStream using sum() of IntStream.
  • STOP

Java program to convert int array to IntStream

In the following example we are converting an int array to an IntStream and finding the sum of the first seven elements.

This involves creating an IntStream from the array, limiting the stream to a specific number of elements, and then calculating the sum of those elements.

import java.util.Arrays;
import java.util.stream.IntStream;
public class Demo {
   public static void main(String[] args) {
      int[] arr = {10, 20, 30, 40, 50, 60, 70, 80, 90, 100};
      System.out.println("Array elements...");
      for (int res : arr) {
         System.out.println(res);
      }
      IntStream stream = Arrays.stream(arr);
      stream = stream.limit(7);
      System.out.println("Sum of first 7 elements = "+stream.sum());
   }
}

Output

Array elements...
10
20
30
40
50
60
70
80
90
100
Sum of first 7 elements = 280

Code Explanation

To convert int array to IntStream, let us first create an int array:

int[] arr = {10, 20, 30, 40, 50, 60, 70, 80, 90, 100};

Now, create IntStream and convert the above array to IntStream:

IntStream stream = Arrays.stream(arr);

Now limit some elements and find the sum of those elements in the stream:

IntStream stream = Arrays.stream(arr);
stream = stream.limit(7);
System.out.println("Sum of first 7 elements = "+stream.sum());

In the above code, we first create an int array arr with 10 elements. We then convert this array to IntStream using Arrays.stream(). Next, we limit the IntStream to the first 7 elements using stream.limit(7). Finally, we find the sum of the limited IntStream using sum() and print the result.

Alshifa Hasnain
Alshifa Hasnain

Converting Code to Clarity

Updated on: 2024-08-02T18:20:27+05:30

4K+ Views

Kickstart Your Career

Get certified by completing the course

Get Started
Advertisements