Logo

Programming-Idioms

  • C#
  • Rust
  • Perl
  • D
  • Fortran

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.

x = pack(x,.not.p())

x needs to be allocatable.
x.RemoveAll(item => !p(item));

x is List<T> (not the more general IList<T>)
x.retain(p);

The predicate p takes as argument a reference to the element.
let mut j = 0;
for i in 0..x.len() {
    if p(x[i]) {
        x[j] = x[i];
        j += 1;
    }
}
x.truncate(j);
@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...