Logo

Programming-Idioms

  • Go
  • Lisp
  • Ruby
  • Elixir

Idiom #135 Remove item from list, by its value

Remove at most 1 item from list items, having the value x.
This will alter the original list or return a new list, depending on which is more idiomatic.
If there are several occurrences of x in items, remove only one of them. If x is absent, keep items unchanged.

List.delete(items, x)
for i, y := range items {
	if y == x {
		items = append(items[:i], items[i+1:]...)
		break
	}
}

First find a matching index i. Then remove at position i.

Warning: you may have a memory leak at the last element of the original list, if the items have a pointer type.
for i, y := range items {
	if y == x {
		copy(items[i:], items[i+1:])
		items[len(items)-1] = nil
		items = items[:len(items)-1]
		break
	}
}

First find a matching index i. Then remove at position i.
This code is for pointer value type, and has no memory leak.
import "slices"
func removeFirstByValue[S ~[]T, T comparable](items *S, x T) {
	if i := slices.Index(*items, x); i != -1 {
		*items = slices.Delete(*items, i, i+1)
	}
}

removeFirstByValue is generic. Its type parameters S, T have a constraint: T must be comparable with ==.
import "slices"
func removeFirstByValue[S ~[]T, T comparable](items *S, x T) {
	for i, y := range *items {
		if y == x {
			*items = slices.Delete(*items, i, i+1)
			return
		}
	}
}

removeFirstByValue is generic. Its type parameter T has a constraint: must be comparable with ==.
i = items.index(x)
items.delete_at(i) unless i.nil?
(let [[n m]
      (split-with (partial not= x) items)]
  (concat n (rest m)))

New implementation...