Logo

Programming-Idioms

  • Haskell
  • Ruby
  • Pascal
  • Go

Idiom #280 Filter map

Remove all the elements from the map m that don't satisfy the predicate p.
Keep all the elements that do satisfy p.

Explain if the filtering happens in-place, i.e. if m is reused or if a new map is created.

import "maps"
maps.DeleteFunc(m, func(k K, v V) bool {
	return !p(v)
})

maps.DeleteFunc is generic and type-safe at compile time.

m is filtered in-place.
for k, v := range m {
	if !p(v) {
		delete(m, k)
	}
}

It is safe to use delete while iterating.
m is filtered in-place.
m.select{|k,v| p(v) }

select! (with an exclamation mark) would modify in-place
uses classes;
for i := m.count-1 downto 0 do
  if not p(m.items[i]) then m.delete(i);

Filtering is in-place.
for (auto it = m.begin(); it != m.end();) {
  if (!p(it->second)) {
    it = m.erase(it);
  } else {
    ++it;
  }
}

Filters in place.

New implementation...
< >
programming-idioms.org