Logo

Programming-Idioms

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

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.

func Filter[S ~[]T, T any](x *S, p func(T) bool) {
	j := 0
	for i, v := range *x {
		if p(v) {
			(*x)[j] = (*x)[i]
			j++
		}
	}
	var zero T
	for k := j; k < len(*x); k++ {
		(*x)[k] = zero
	}
	*x = (*x)[:j]
}

S, T are type parameters.
In case T contains pointers, zeroing discarded elements helps garbage collection.
import "slices"
del := func(t *T) bool { return !p(t) }

x = slices.DeleteFunc(x, del)

Elements have type T.
del (discard) is the opposite of the function p (keep)
j := 0
for i, v := range x {
	if p(v) {
		x[j] = x[i]
		j++
	}
}
for k := j; k < len(x); k++ {
	x[k] = nil
}
x = x[:j]

When elements of x have pointer type, it is necessary to set discarded slice elements to nil, to avoid a memory leak.
j := 0
for i, v := range x {
	if p(v) {
		x[j] = x[i]
		j++
	}
}
x = x[:j]

Discarded elements are overwritten.
x is resliced to its new length.
If the elements of x have a pointer type, then you should take care of a potential memory leak by setting all x[j:] elements to nil.
#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...