You can create a chunk stream ( List<T> ) from a stream of elements and a given chunk size :
- grouping elements by chunk index (element index / chunk size)
- sorting pieces by their index
- reducing the map to ordered elements only
Code:
public static <T> Stream<List<T>> chunked(Stream<T> stream, int chunkSize) { AtomicInteger index = new AtomicInteger(0); return stream.collect(Collectors.groupingBy(x -> index.getAndIncrement() / chunkSize)) .entrySet().stream() .sorted(Map.Entry.comparingByKey()).map(Map.Entry::getValue); }
Usage example:
Stream<Integer> stream = IntStream.range(0, 100).mapToObj(Integer::valueOf); Stream<List<Integer>> chunked = chunked(stream, 8); chunked.forEach(chunk -> System.out.println("Chunk: " + chunk));
Output:
Chunk: [0, 1, 2, 3, 4, 5, 6, 7] Chunk: [8, 9, 10, 11, 12, 13, 14, 15] Chunk: [16, 17, 18, 19, 20, 21, 22, 23] Chunk: [24, 25, 26, 27, 28, 29, 30, 31] Chunk: [32, 33, 34, 35, 36, 37, 38, 39] Chunk: [40, 41, 42, 43, 44, 45, 46, 47] Chunk: [48, 49, 50, 51, 52, 53, 54, 55] Chunk: [56, 57, 58, 59, 60, 61, 62, 63] Chunk: [64, 65, 66, 67, 68, 69, 70, 71] Chunk: [72, 73, 74, 75, 76, 77, 78, 79] Chunk: [80, 81, 82, 83, 84, 85, 86, 87] Chunk: [88, 89, 90, 91, 92, 93, 94, 95] Chunk: [96, 97, 98, 99]