Logo

Programming-Idioms

  • Perl
  • Python

Idiom #247 Filter list in-place

Remove all the elements from list x that don't satisfy the predicate p, without allocating a new list.
Keep all the elements that do satisfy p.

For languages that don't have mutable lists, refer to idiom #57 instead.

i, n = 0, len(x)
while i != n:
    if not p(x[i]):
        del x[i]
        n = n - 1
    else:
        i = i + 1
del_count = 0
for i in range(len(x)):
    if not p(x[i - del_count]):
        del x[i - del_count]
        del_count += 1

This is O(n^2)
@x = grep { p($_) } @x;
#include <list>
#include <functional>
std::list<Foo> x;
x.remove_if(std::not_fn(p));

C++17 or later
Also works if x is an std::forward_list

New implementation...