Logo

Programming-Idioms

  • C#
  • Python
  • Rust

Idiom #34 Create a set of objects

Declare and initialize a set x containing unique objects of type T.

use std::collections::HashSet;
let x: HashSet<T> = HashSet::new();
using System.Collections.Generic;
HashSet<T> x = new HashSet<T>();

Where T is the type of element
class T:
    def __init__(self, x):
        self.x = x
    def __hash__(self):
        return hash(self.x)
    def __eq__(self, t):
        return self.x == t.x
x = {T('abc'), T(123), T(lambda: ...)}
class T(object):
    pass

x = set(T())
class T:
   ...

s = set(T() for _ in range(x))

`...` is a placeholder, `pass` can also be used
#include <unordered_set>
std::unordered_set<T, hasher, eq> x;

Using a custom hasher and eq (equality checking function)

New implementation...