Logo

Programming-Idioms

  • Pascal
  • VB
  • Lua
  • Java
  • Rust

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.

let mut j = 0;
for i in 0..x.len() {
    if p(x[i]) {
        x[j] = x[i];
        j += 1;
    }
}
x.truncate(j);
x.retain(p);

The predicate p takes as argument a reference to the element.
uses classes;
for i := x.count-1 downto 0 do
  if not p(x.items[i]) then x.delete(i);
x.removeIf(p.negate());
#include <functional>
std::erase_if(x, std::not_fn(p));

C++20

Compatible with most STL containers (Exceptions: x cannot be an std::array, std::stack, or std::queue)

std::erase_if also returns the number of elements removed

New implementation...