I read some questions how to create a finite Stream (
Finite generated Stream in Java - how to create one?, How do streams stop?).
The answers suggested to implement a Spliterator. The Spliterator would implement the logic how to and which element to provide as next (tryAdvance). But there are two other non-default methods trySplit and estimateSize() which I would have to implement.
The JavaDoc of Spliterator says:
An object for traversing and partitioning elements of a source. The source of elements covered by a
Spliteratorcould be, for example, an array, aCollection, an IO channel, or a generator function. ... TheSpliteratorAPI was designed to support efficient parallel traversal in addition to sequential traversal, by supporting decomposition as well as single-element iteration. ...
On the other hand I could implement the logic how to advance to the next element around a Stream.Builder and bypass a Spliterator. On every advance I would call accept or add and at the end build. So it looks quite simple.
What does the JavaDoc say?
A mutable builder for a
Stream. This allows the creation of aStreamby generating elements individually and adding them to theBuilder(without the copying overhead that comes from using anArrayListas a temporary buffer.)
Using StreamSupport.stream I can use a Spliterator to obtain a Stream. And also a Builder will provide a Stream.
When should / could I use a Stream.Builder?
Only if a Spliterator wouldn't be more efficient (for instance because the source cannot be partitioned and its size cannot be estimated)?
Note that you can extend
Spliterators.AbstractSpliterator. Then, there is onlytryAdvanceto implement.So the complexity of implementing a
Spliteratoris not higher.The fundamental difference is that a
Spliterator’stryAdvancemethod is only invoked when a new element is needed. In contrast, theStream.Builderhas a storage which will be filled with all stream elements, before you can acquire a Stream.So a
Spliteratoris the first choice for all kinds of lazy evaluations, as well as when you have an existing storage you want to traverse, to avoid copying the data.The builder is the first choice when the creation of the elements is non-uniform, so you can’t express the creation of an element on demand. Think of situations where you would otherwise use
Stream.of(…), but it turns out to be to inflexible.E.g. you have
Stream.of(a, b, c, d, e), but now it turns out,canddare optional. So the solution isOther use cases are this answer, where a
Consumerwas needed to query an existing spliterator and push the value back to aStreamafterwards, or this answer, where a structure without random access (a class hierarchy) should be streamed in the opposite order.