Logo

Programming-Idioms

This language bar is your friend. Select your favorite languages!

Idiom #136 Remove all occurrences of a value from a list

Remove all occurrences of the value x from list items.
This will alter the original list or return a new list, depending on which is more idiomatic.

items.removeIf(t -> t.equals(x));
import java.util.Iterator;
Iterator<T> i = items.listIterator();
while (i.hasNext())
    if (i.next().equals(x)) i.remove();
import java.util.Collections;
items.removeAll(Collections.singleton(x));

items has type java.util.List.
items is altered by removeAll().
(remove #{x} items)

Puts the x value in a set that serves as simple predicate

New implementation...