// from https://research.swtch.com/sparse
// in turn, from Briggs and Torczon
-type sparseEntry struct {
- key ID
- val int32
+// sparseKey needs to be something we can index a slice with.
+type sparseKey interface{ ~int | ~int32 }
+
+type sparseEntry[K sparseKey, V any] struct {
+ key K
+ val V
}
-type sparseMap struct {
- dense []sparseEntry
+type genericSparseMap[K sparseKey, V any] struct {
+ dense []sparseEntry[K, V]
sparse []int32
}
-// newSparseMap returns a sparseMap that can map
-// integers between 0 and n-1 to int32s.
-func newSparseMap(n int) *sparseMap {
- return &sparseMap{dense: nil, sparse: make([]int32, n)}
+// newGenericSparseMap returns a sparseMap that can map
+// integers between 0 and n-1 to a value type.
+func newGenericSparseMap[K sparseKey, V any](n int) *genericSparseMap[K, V] {
+ return &genericSparseMap[K, V]{dense: nil, sparse: make([]int32, n)}
}
-func (s *sparseMap) cap() int {
+func (s *genericSparseMap[K, V]) cap() int {
return len(s.sparse)
}
-func (s *sparseMap) size() int {
+func (s *genericSparseMap[K, V]) size() int {
return len(s.dense)
}
-func (s *sparseMap) contains(k ID) bool {
+func (s *genericSparseMap[K, V]) contains(k K) bool {
i := s.sparse[k]
return i < int32(len(s.dense)) && s.dense[i].key == k
}
-// get returns the value for key k, or -1 if k does
-// not appear in the map.
-func (s *sparseMap) get(k ID) int32 {
+// get returns the value for key k, or the zero V
+// if k does not appear in the map.
+func (s *genericSparseMap[K, V]) get(k K) V {
i := s.sparse[k]
if i < int32(len(s.dense)) && s.dense[i].key == k {
return s.dense[i].val
}
- return -1
+ var v V
+ return v
}
-func (s *sparseMap) set(k ID, v int32) {
+func (s *genericSparseMap[K, V]) set(k K, v V) {
i := s.sparse[k]
if i < int32(len(s.dense)) && s.dense[i].key == k {
s.dense[i].val = v
return
}
- s.dense = append(s.dense, sparseEntry{k, v})
- s.sparse[k] = int32(len(s.dense)) - 1
-}
-
-// setBit sets the v'th bit of k's value, where 0 <= v < 32
-func (s *sparseMap) setBit(k ID, v uint) {
- if v >= 32 {
- panic("bit index too large.")
- }
- i := s.sparse[k]
- if i < int32(len(s.dense)) && s.dense[i].key == k {
- s.dense[i].val |= 1 << v
- return
- }
- s.dense = append(s.dense, sparseEntry{k, 1 << v})
+ s.dense = append(s.dense, sparseEntry[K, V]{k, v})
s.sparse[k] = int32(len(s.dense)) - 1
}
-func (s *sparseMap) remove(k ID) {
+func (s *genericSparseMap[K, V]) remove(k K) {
i := s.sparse[k]
if i < int32(len(s.dense)) && s.dense[i].key == k {
y := s.dense[len(s.dense)-1]
}
}
-func (s *sparseMap) clear() {
+func (s *genericSparseMap[K, V]) clear() {
s.dense = s.dense[:0]
}
-func (s *sparseMap) contents() []sparseEntry {
+func (s *genericSparseMap[K, V]) contents() []sparseEntry[K, V] {
return s.dense
}
+
+type sparseMap = genericSparseMap[ID, int32]
+
+// newSparseMap returns a sparseMap that can map
+// integers between 0 and n-1 to int32s.
+func newSparseMap(n int) *sparseMap {
+ return newGenericSparseMap[ID, int32](n)
+}