Logo

Programming-Idioms

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

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.

while items.count(x):
    items.remove(x)
i, n = 0, len(items)
while i != n:
    if items[i] == x:
        del items[i]
        n = n - 1
    else:
        i = i + 1
f = lambda a: a != x
items = list(filter(f, items))
items = [a for a in items if a != x]
items = list(a for a in items if a != x)
newlist = [item for item in items if item != x]
(remove #{x} items)

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

New implementation...