Logo

Programming-Idioms

  • Rust
  • Go

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.

j := 0
for i, v := range items {
	if v != x {
		items[j] = items[i]
		j++
	}
}
items = items[:j]

This filters items in-place in linear time.
But don't use it with pointer elements, because you would have a memory leak at the end of the underlying array.
j := 0
for i, v := range items {
	if v != x {
		items[j] = items[i]
		j++
	}
}
for k := j; k < len(items); k++ {
	items[k] = nil
}
items = items[:j]

This filters items in-place in linear time.
The "tail" elements are set to nil to leverage garbage collection, avoiding a memory leak.
import "slices"
items = slices.DeleteFunc(items, func(e T) bool {
	return e == x
})

T is the type of the elements.
items2 := make([]T, 0, len(items))
for _, v := range items {
	if v != x {
		items2 = append(items2, v)
	}
}

This is simple and runs in linear time.
However, it allocates memory for the new slice items2.
T is the type of the elements.
func removeAll[S ~[]T, T comparable](items *S, x T) {
	j := 0
	for i, v := range *items {
		if v != x {
			(*items)[j] = (*items)[i]
			j++
		}
	}
	var zero T
	for k := j; k < len(*items); k++ {
		(*items)[k] = zero
	}
	*items = (*items)[:j]
}

The type parameter T has a constraint: it must be comparable with ==
In case T contains pointers, zeroing discarded elements helps garbage collection.
items.retain(|&item| item != x);

items has type Vec.

retain operates in place.
items = items.into_iter().filter(|&item| item != x).collect();

This creates a new list.
(remove #{x} items)

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

New implementation...