Lambda in Stream.map/filter not called
Both Stream#filter
and Stream#map
are intermediate operations, which means that they are evaluated lazily. According to the documentation:
Intermediate operations return a new stream. They are always lazy; executing an intermediate operation such as filter() does not actually perform any filtering, but instead creates a new stream that, when traversed, contains the elements of the initial stream that match the given predicate. Traversal of the pipeline source does not begin until the terminal operation of the pipeline is executed.
In any case, you should be using the appropriate methods to avoid errors like this; forEach
should be used instead of map
here as Stream#map
is used to convert the stream to the result of calling the mapping function on each element, while Stream#forEach
is used to iterate over it.
Demo: https://ideone.com/ZQhLJC
strings
.stream()
.filter(x -> !distinct.add(x))
.forEach(extras::add);
Another possible workaround is to perform a terminal operation like .collect
to force the filter and map to be applied.
strings
.stream()
.filter(x -> !distinct.add(x))
.map(extra -> extras.add(extra)).collect(Collectors.toList());
If you are going to use .collect
, you might as well use the collected list as extras
to avoid wasting time and space.
List<String> extras = strings
.stream()
.filter(x -> !distinct.add(x)).collect(Collectors.toList());
Your code does not work, because the stream is not consumed. You have provided only the intermediate operations, but until you call a terminating operation like forEach
, reduce
or collect
, nothing you have defined in your stream will be invoked.
You should rather use peek
to print the elements going through the stream and collect
to get all the elements in the list:
List<String> extras = strings
.stream()
.filter(x -> !distinct.add(x))
.peek(System.out::println)
.collect(Collectors.toList());
Using forEach
to fill the empty collection created before is a code smell and has nothing to do with functional programming.
In order to the filter to be applied, you need to call a terminal operation like collect(). In that case you can assign the items which pass the filter directly to the extras list instead of use map function.
Try something like this:
List<String> strings = Arrays.asList("foo", "bar", "foo", "baz", "foo", "bar");
Set<String> distinct = new HashSet<>();
List<String> extras = strings
.stream()
.filter(x -> !distinct.add(x))
.collect(Collectors.toList());