Logo

Programming-Idioms

  • Java
  • PHP
  • Go

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.

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.
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 ==.
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 java.util.List;
items.stream().findFirst().filter(item -> "x".equals(item)).ifPresent(removeIndex -> items.remove(removeIndex));
import java.util.Iterator;
import java.util.List;
<T> void remove(List<T> items, T x) {
    Iterator<T> i = items.listIterator();
    while (i.hasNext())
        if (i.next() == x) {
            i.remove();
            break;
        }
}
import java.util.ArrayList;
T value;
for(int index = 0; index < items.size(); index++) {
	value = items.get(index);
	if(value.equals(x)) {
		items.remove(index);
		break;
	}
}

Subsequent items will be shifted to the left.
$list_position = array_search($x, $items);
$specific_item = $items[$position];
unset($specific_item);
(let [[n m]
      (split-with (partial not= x) items)]
  (concat n (rest m)))

New implementation...