Logo

Programming-Idioms

  • JS
  • Pascal

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.

var
  i: integer;

for i:= items.count-1 downto 0 do
  if items[i] = x then
    items.delete(i);

Works with TList, TObjectList, TStringList, etc.
We start from the end and delete each occurrence.
This is O(n²): very slow.
const newlist = items.filter(y => x !== y)
(remove #{x} items)

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

New implementation...