How can create Streams?
1. From collections:β
- You can create a stream from existing collections like lists, sets, or maps. It allows you to process each element of the collection easily without dealing with traditional loops.
public class StreamFromCollectionsExample {
public static void main(String[] args) {
List<Integer> numbersList = new ArrayList<>();
numbersList.add(1);
numbersList.add(2);
numbersList.add(3);
// Creating a stream from a list
Stream<Integer> streamFromList = numbersList.stream();
// Performing an operation on the stream
streamFromList.forEach(element -> System.out.println(element));
}
}
2. From arrays:β
- Similar to collections, you can create streams from arrays. Itβs useful when you have data stored in an array format.
public class StreamFromArraysExample {
public static void main(String[] args) {
int[] numbersArray = {1, 2, 3, 4, 5};
// Creating a stream from an array
Stream<Integer> streamFromArray = Arrays.stream(numbersArray).boxed();
// Performing an operation on the stream
streamFromArray.forEach(element -> System.out.println(element));
}
}
3. Using Stream Factories:β
- Java provides methods like Stream.of() or Arrays.stream() to directly create streams from given values or arrays.
public class StreamExample {
public static void main(String[] args) {
// Creating a stream using Stream.of()
Stream<Integer> streamOfValues = Stream.of(1, 2, 3, 4, 5);
// Performing an operation on the stream
streamOfValues.forEach(element -> System.out.println(element));
}
}