I am trying to use Java 8 Stream
s to find elements in a LinkedList
. I want to guarantee, however, that there is one and only one match to the filter criteria.
Take this code:
public static void main(String[] args) {
LinkedList<User> users = new LinkedList<>();
users.add(new User(1, "User1"));
users.add(new User(2, "User2"));
users.add(new User(3, "User3"));
User match = users.stream().filter((user) -> user.getId() == 1).findAny().get();
System.out.println(match.toString());
}
static class User {
@Override
public String toString() {
return id + " - " + username;
}
int id;
String username;
public User() {
}
public User(int id, String username) {
this.id = id;
this.username = username;
}
public void setUsername(String username) {
this.username = username;
}
public void setId(int id) {
this.id = id;
}
public String getUsername() {
return username;
}
public int getId() {
return id;
}
}
This code finds a User
based on their ID. But there are no guarantees how many User
s matched the filter.
Changing the filter line to:
User match = users.stream().filter((user) -> user.getId() < 0).findAny().get();
Will throw a NoSuchElementException
(good!)
I would like it to throw an error if there are multiple matches, though. Is there a way to do this?
Stream::size
- ryvantage 2014-03-27 17:44
Stream
s so much more than I did before.. - ryvantage 2014-03-27 17:50
LinkedHashSet
(assuming you want insertion order preserved) or a HashSet
all along. If your collection is only used to find a single user id, then why are you collecting all the other items? If there is a potential that you will always need to find some user id which also needs to be unique, then why use a list and not a set? You are programming backwards. Use the right collection for the job and save yourself this headach - smac89 2017-11-28 16:22
Collector
public static <T> Collector<T, ?, T> toSingleton() {
return Collectors.collectingAndThen(
Collectors.toList(),
list -> {
if (list.size() != 1) {
throw new IllegalStateException();
}
return list.get(0);
}
);
}
We use Collectors.collectingAndThen
to construct our desired Collector
by
List
with the Collectors.toList()
collector.IllegalStateException
if list.size != 1
.Used as:
User resultUser = users.stream()
.filter(user -> user.getId() > 0)
.collect(toSingleton());
You can then customize this Collector
as much as you want, for example give the exception as argument in the constructor, tweak it to allow two values, and more.
You can use a 'workaround' that involves peek()
and an AtomicInteger
, but really you shouldn't be using that.
What you could do istead is just collecting it in a List
, like this:
LinkedList<User> users = new LinkedList<>();
users.add(new User(1, "User1"));
users.add(new User(2, "User2"));
users.add(new User(3, "User3"));
List<User> resultUserList = users.stream()
.filter(user -> user.getId() == 1)
.collect(Collectors.toList());
if (resultUserList.size() != 1) {
throw new IllegalStateException();
}
User resultUser = resultUserList.get(0);
Iterables.getOnlyElement
would shorten these solutions and provide better error messages. Just as a tip for fellow readers who already use Google Guava - Tim Büthe 2015-10-29 15:09
O(n)
, isn't there a way to shortcut it? Get a single item can be done in 1 step, checking if another one exists is also 1 step, no matter how many more items are in the filtered stream - TWiStErRob 2016-08-03 12:41
Collectors.collectingAndThen(toList(), Iterables::getOnlyElement)
bjmi 2018-01-22 03:28
singletonCollector()
definition obsoleted by the version that remains in the post, and renaming it to toSingleton()
. My Java stream expertise is a bit rusty, but the renaming looks helpful to me. Reviewing this change took me 2 minutes, tops. If you don't have time to review edits, can I suggest that you ask someone else to do this in future, perhaps in the Java chat room - Martijn Pieters 2018-05-24 16:48
For the sake of completeness, here is the ‘one-liner’ corresponding to @prunge’s excellent answer:
User user1 = users.stream()
.filter(user -> user.getId() == 1)
.reduce((a, b) -> {
throw new IllegalStateException("Multiple elements: " + a + ", " + b);
})
.get();
This obtains the sole matching element from the stream, throwing
NoSuchElementException
in case the stream is empty, orIllegalStateException
in case the stream contains more than one matching element.A variation of this approach avoids throwing an exception early and instead represents the result as an Optional
containing either the sole element, or nothing (empty) if there are zero or multiple elements:
Optional<User> user1 = users.stream()
.filter(user -> user.getId() == 1)
.collect(Collectors.reducing((a, b) -> null));
get()
to orElseThrow()
arin 2017-06-07 16:52
The other answers that involve writing a custom Collector
are probably more efficient (such as Louis Wasserman's, +1), but if you want brevity, I'd suggest the following:
List<User> result = users.stream()
.filter(user -> user.getId() == 1)
.limit(2)
.collect(Collectors.toList());
Then verify the size of the result list.
limit(2)
in this solution? What difference would it make whether the resulting list was 2 or 100? If it's greater than 1 - ryvantage 2014-03-28 18:31
Collectors.collectingAndThen(toList(), l -> { if (l.size() == 1) return l.get(0); throw new RuntimeException(); })
Lukas Eder 2016-01-11 12:35
maxSize: the number of elements the stream should be limited to
. So, shouldn't it be .limit(1)
instead of .limit(2)
- alexbt 2017-12-18 19:41
result.size()
to make sure it equals 1. If it's 2, then there's more than one match, so it's an error. If the code instead did limit(1)
, more than one match would result in a single element, which can't be distinguished from there being exactly one match. This would miss an error case the OP was concerned about - Stuart Marks 2017-12-18 20:18
limit(...)
would throw when it goes beyond the limit. thank - alexbt 2017-12-18 21:06
Guava provides MoreCollectors.onlyElement()
which does the right thing here. But if you have to do it yourself, you could roll your own Collector
for this:
<E> Collector<E, ?, Optional<E>> getOnly() {
return Collector.of(
AtomicReference::new,
(ref, e) -> {
if (!ref.compareAndSet(null, e)) {
throw new IllegalArgumentException("Multiple values");
}
},
(ref1, ref2) -> {
if (ref1.get() == null) {
return ref2;
} else if (ref2.get() != null) {
throw new IllegalArgumentException("Multiple values");
} else {
return ref1;
}
},
ref -> Optional.ofNullable(ref.get()),
Collector.Characteristics.UNORDERED);
}
...or using your own Holder
type instead of AtomicReference
. You can reuse that Collector
as much as you like.
Collector
was the way to go - ryvantage 2014-03-27 20:37
List
is more expensive than a single mutable reference - Louis Wasserman 2014-03-27 20:52
AtomicReference::new
→ AtomicReference<E>::new
nezda 2015-03-01 14:57
!ref.compareAndSet(null, (E) e)
. If i don't cast to E
in the 2nd argument, i get "The method compareAndSet(E, E) in the type AtomicReferenceMoreCollectors.onlyElement()
should actually be first (and perhaps the only :) - Piotr Findeisen 2017-08-17 06:38
Use Guava's MoreCollectors.onlyElement()
(JavaDoc).
It does what you want and throws an IllegalArgumentException
if the stream consists of two or more elements, and a NoSuchElementException
if the stream is empty.
import static com.google.common.collect.MoreCollectors.onlyElement;
User match =
users.stream().filter((user) -> user.getId() < 0).collect(onlyElement());
MoreCollectors
is part of the yet unreleased (as of 2016-12) unreleased version 21 - qerub 2016-12-12 13:56
The "escape hatch" operation that lets you do weird things that are not otherwise supported by streams is to ask for an Iterator
:
Iterator<T> it = users.stream().filter((user) -> user.getId() < 0).iterator();
if (!it.hasNext())
throw new NoSuchElementException();
else {
result = it.next();
if (it.hasNext())
throw new TooManyElementsException();
}
Guava has a convenience method to take an Iterator
and get the only element, throwing if there are zero or multiple elements, which could replace the bottom n-1 lines here.
Nice suggestion in comment from @Holger:
Optional<User> match = users.stream()
.filter((user) -> user.getId() > 1)
.reduce((u, v) -> { throw new IllegalStateException("More than one ID found") });
The exception is thrown by Optional#get
, but if you have more than one element that won't help. You could collect the users in a collection that only accepts one item, for example:
User match = users.stream().filter((user) -> user.getId() > 1)
.collect(toCollection(() -> new ArrayBlockingQueue<User>(1)))
.poll();
which throws a java.lang.IllegalStateException: Queue full
, but that feels too hacky.
Or you could use a reduction combined with an optional:
User match = Optional.ofNullable(users.stream().filter((user) -> user.getId() > 1)
.reduce(null, (u, v) -> {
if (u != null && v != null)
throw new IllegalStateException("More than one ID found");
else return u == null ? v : u;
})).get();
The reduction essentially returns:
The result is then wrapped in an optional.
But the simplest solution would probably be to just collect to a collection, check that its size is 1 and get the only element.
null
) to prevent using get()
. Sadly your reduce
is not working as you think it does, consider a Stream
that has null
elements in it, maybe you think that you covered it, but I can be [User#1, null, User#2, null, User#3]
, now it will not throw an exception I think, unless I'm mistaken here - skiwi 2014-03-27 18:36
null
to the reduction function, removing the identity value argument would render the entire dealing with null
in the function obsolete: reduce( (u,v) -> { throw new IllegalStateException("More than one ID found"); } )
does the job and even better, it already returns an Optional
, eliding the necessity for calling Optional.ofNullable
on the result - Holger 2016-11-04 09:38
An alternative is to use reduction:
(this example uses strings but could easily apply to any object type including User
)
List<String> list = ImmutableList.of("one", "two", "three", "four", "five", "two");
String match = list.stream().filter("two"::equals).reduce(thereCanBeOnlyOne()).get();
//throws NoSuchElementException if there are no matching elements - "zero"
//throws RuntimeException if duplicates are found - "two"
//otherwise returns the match - "one"
...
//Reduction operator that throws RuntimeException if there are duplicates
private static <T> BinaryOperator<T> thereCanBeOnlyOne()
{
return (a, b) -> {throw new RuntimeException("Duplicate elements found: " + a + " and " + b);};
}
So for the case with User
you would have:
User match = users.stream().filter((user) -> user.getId() < 0).reduce(thereCanBeOnlyOne()).get();
Collector
:public static <T> Collector<T, ?, Optional<T>> toSingleton() {
return Collectors.collectingAndThen(
Collectors.toList(),
list -> list.size() == 1 ? Optional.of(list.get(0)) : Optional.empty()
);
}
Optional<User> result = users.stream()
.filter((user) -> user.getId() < 0)
.collect(toSingleton());
We return an Optional
, since we usually can't assume the Collection
to contain exactly one element. If you already know this is the case, call:
User user = result.orElseThrow();
This puts the burden of handeling the error on the caller - as it should.
Guava has a Collector
for this called MoreCollectors.onlyElement()
.
We can use RxJava (very powerful reactive extension library)
LinkedList<User> users = new LinkedList<>();
users.add(new User(1, "User1"));
users.add(new User(2, "User2"));
users.add(new User(3, "User3"));
User userFound = Observable.from(users)
.filter((user) -> user.getId() == 1)
.single().toBlocking().first();
The single operator throws an exception if no user or more then one user is found.
If you don't mind using a 3rd party library, SequenceM
from cyclops-streams (and LazyFutureStream
from simple-react) both a have single & singleOptional operators.
singleOptional()
throws an exception if there are 0
or more than 1
elements in the Stream
, otherwise it returns the single value.
String result = SequenceM.of("x")
.single();
SequenceM.of().single(); // NoSuchElementException
SequenceM.of(1, 2, 3).single(); // NoSuchElementException
String result = LazyFutureStream.fromStream(Stream.of("x"))
.single();
singleOptional()
returns Optional.empty()
if there are no values or more than one value in the Stream
.
Optional<String> result = SequenceM.fromStream(Stream.of("x"))
.singleOptional();
//Optional["x"]
Optional<String> result = SequenceM.of().singleOptional();
// Optional.empty
Optional<String> result = SequenceM.of(1, 2, 3).singleOptional();
// Optional.empty
Disclosure - I am the author of both libraries.
As Collectors.toMap(keyMapper, valueMapper)
uses a throwing merger to handle multiple entries with the same key it is easy:
List<User> users = new LinkedList<>();
users.add(new User(1, "User1"));
users.add(new User(2, "User2"));
users.add(new User(3, "User3"));
int id = 1;
User match = Optional.ofNullable(users.stream()
.filter(user -> user.getId() == id)
.collect(Collectors.toMap(User::getId, Function.identity()))
.get(id)).get();
You will get a IllegalStateException
for duplicate keys. But at the end I am not sure if the code would not be even more readable using an if
.
.collect(Collectors.toMap(user -> "", Function.identity())).get("")
, you have a more generic behaviour - glglgl 2017-05-26 21:04
I am using those two collectors:
public static <T> Collector<T, ?, Optional<T>> zeroOrOne() {
return Collectors.reducing((a, b) -> {
throw new IllegalStateException("More than one value was returned");
});
}
public static <T> Collector<T, ?, T> onlyOne() {
return Collectors.collectingAndThen(zeroOrOne(), Optional::get);
}
onlyOne()
throws IllegalStateException
for >1 elements, and NoSuchElementException(in
Optional::get`) for 0 elements - simon04 2018-01-05 10:30
Supplier
of (Runtime)Exception
- Xavier Dury 2018-06-26 08:29
I went with the direct-approach and just implemented the thing:
public class CollectSingle<T> implements Collector<T, T, T>, BiConsumer<T, T>, Function<T, T>, Supplier<T> {
T value;
@Override
public Supplier<T> supplier() {
return this;
}
@Override
public BiConsumer<T, T> accumulator() {
return this;
}
@Override
public BinaryOperator<T> combiner() {
return null;
}
@Override
public Function<T, T> finisher() {
return this;
}
@Override
public Set<Characteristics> characteristics() {
return Collections.emptySet();
}
@Override //accumulator
public void accept(T ignore, T nvalue) {
if (value != null) {
throw new UnsupportedOperationException("Collect single only supports single element, "
+ value + " and " + nvalue + " found.");
}
value = nvalue;
}
@Override //supplier
public T get() {
value = null; //reset for reuse
return value;
}
@Override //finisher
public T apply(T t) {
return value;
}
}
with the JUnit test:
public class CollectSingleTest {
@Test
public void collectOne( ) {
List<Integer> lst = new ArrayList<>();
lst.add(7);
Integer o = lst.stream().collect( new CollectSingle<>());
System.out.println(o);
}
@Test(expected = UnsupportedOperationException.class)
public void failOnTwo( ) {
List<Integer> lst = new ArrayList<>();
lst.add(7);
lst.add(8);
Integer o = lst.stream().collect( new CollectSingle<>());
}
}
This implementation not threadsafe.
This is the simpler and flexible way I found (based on @prunge answer)
Optional<User> user = users.stream()
.filter(user -> user.getId() == 1)
.reduce((a, b) -> {
throw new IllegalStateException("Multiple elements: " + a + ", " + b);
})
This way you obtain:
Optional.empty()
if not presentHave you tried this
long c = users.stream().filter((user) -> user.getId() == 1).count();
if(c > 1){
throw new IllegalStateException();
}
long count()
Returns the count of elements in this stream. This is a special case of a reduction and is equivalent to:
return mapToLong(e -> 1L).sum();
This is a terminal operation.
Source: https://docs.oracle.com/javase/8/docs/api/java/util/stream/Stream.html
count()
is not good to use because it is a terminal operation - ryvantage 2014-03-28 18:29
count()
is a terminal operation so you can't do that. The stream can't be used after - Alexis C. 2014-03-27 17:42