2023-01-27 21:37:20 +00:00
|
|
|
// Copyright (c) Tailscale Inc & AUTHORS
|
|
|
|
// SPDX-License-Identifier: BSD-3-Clause
|
2022-11-28 18:34:35 +00:00
|
|
|
|
|
|
|
// Package set contains set types.
|
|
|
|
package set
|
|
|
|
|
2023-05-11 21:59:36 +00:00
|
|
|
// Set is a set of T.
|
|
|
|
type Set[T comparable] map[T]struct{}
|
|
|
|
|
2023-09-29 21:31:02 +00:00
|
|
|
// SetOf returns a new set constructed from the elements in slice.
|
|
|
|
func SetOf[T comparable](slice []T) Set[T] {
|
|
|
|
s := make(Set[T])
|
|
|
|
s.AddSlice(slice)
|
|
|
|
return s
|
|
|
|
}
|
|
|
|
|
2023-05-11 21:59:36 +00:00
|
|
|
// Add adds e to the set.
|
|
|
|
func (s Set[T]) Add(e T) { s[e] = struct{}{} }
|
|
|
|
|
2023-09-29 21:31:02 +00:00
|
|
|
// AddSlice adds each element of es to the set.
|
|
|
|
func (s Set[T]) AddSlice(es []T) {
|
|
|
|
for _, e := range es {
|
|
|
|
s.Add(e)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// Slice returns the elements of the set as a slice. The elements will not be
|
|
|
|
// in any particular order.
|
|
|
|
func (s Set[T]) Slice() []T {
|
|
|
|
es := make([]T, 0, s.Len())
|
|
|
|
for k := range s {
|
|
|
|
es = append(es, k)
|
|
|
|
}
|
|
|
|
return es
|
|
|
|
}
|
|
|
|
|
2023-09-09 16:55:57 +00:00
|
|
|
// Delete removes e from the set.
|
|
|
|
func (s Set[T]) Delete(e T) { delete(s, e) }
|
|
|
|
|
2023-05-11 21:59:36 +00:00
|
|
|
// Contains reports whether s contains e.
|
|
|
|
func (s Set[T]) Contains(e T) bool {
|
|
|
|
_, ok := s[e]
|
|
|
|
return ok
|
|
|
|
}
|
|
|
|
|
|
|
|
// Len reports the number of items in s.
|
|
|
|
func (s Set[T]) Len() int { return len(s) }
|