There is an overload method, collect()
, in interface Stream
with the following signature:
R collect(Supplier
The "inline" (3-arg) version of collect
is designed for when you already have these functions "lying around". For example:
ArrayList<Foo> list = stream.collect(ArrayList::new,
ArrayList::add,
ArrayList::addAll);
Or
BitSet bitset = stream.collect(BitSet::new,
BitSet::set,
BitSet::or);
While these are just motivating examples, our explorations with similar existing builder classes was that the signatures of the existing combiner candidates were more suited to conversion to BiConsumer than to BinaryOperator. Offering the "flexibility" you ask for would make this overload far less useful in the very cases it was designed to support -- which is when you've already got the functions lying around, and you don't want to have to make (or learn about making) a Collector just to collect them.
Collector, on the other hand, has a far wider range of uses, and so merits the additional flexibility.
Keep in mind that the primary purpose of Stream.collect()
is to support Mutable Reduction. For this operation, both functions, the accumulator and the combiner are meant to manipulate the mutable container and don’t need to return a value.
Therefore it is much more convenient not to insist on returning a value. As Brian Goetz has pointed out, this decision allows to re-use a lot of existing container types and their methods. Without the ability to use these types directly, the entire three-arg collect
method would be pointless.
In contrast, the Collector
interface is an abstraction of this operation supporting much more use cases. Most notably, you can even model the ordinary, i.e. non-mutable, Reduction operation with value types (or types having value type semantics) via a Collector. In this case, there must be a return value as the value objects themselves must not be modified.
Of course, it is not meant to be used as stream.collect(Collectors.reducing(…))
instead of stream.reduce(…)
. Instead, this abstraction comes handy when combining collectors, e.g. like groupingBy(…,reducing(…))
.
If the former collect
method receive a BinaryOperator<R>
then the following example would not compile:
ArrayList<Foo> list = stream.collect(ArrayList::new,
ArrayList::add,
ArrayList::addAll);
In this case the compiler could not infer the return type of the combiner
and would give a compilation error.
So if this version of collect
method was consistent with the Collector
interface then it would promote a more complex use of this version of collect
method, that was not intended.