2024-10-24 18:07:10 +00:00
|
|
|
package wfa
|
|
|
|
|
|
|
|
type PositiveSlice[T any] struct {
|
|
|
|
data []T
|
|
|
|
valid []bool
|
|
|
|
defaultValue T
|
|
|
|
}
|
|
|
|
|
|
|
|
func (a *PositiveSlice[T]) TranslateIndex(idx int) int {
|
|
|
|
return idx
|
|
|
|
}
|
|
|
|
|
|
|
|
func (a *PositiveSlice[T]) Valid(idx int) bool {
|
|
|
|
actualIdx := a.TranslateIndex(idx)
|
2024-10-29 17:03:19 +00:00
|
|
|
return 0 <= actualIdx && actualIdx < len(a.valid) && a.valid[actualIdx]
|
2024-10-24 18:07:10 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
func (a *PositiveSlice[T]) Get(idx int) T {
|
|
|
|
actualIdx := a.TranslateIndex(idx)
|
2024-10-29 17:03:19 +00:00
|
|
|
if 0 <= actualIdx && actualIdx < len(a.valid) && a.valid[actualIdx] { // idx is in the slice
|
2024-10-24 18:07:10 +00:00
|
|
|
return a.data[actualIdx]
|
|
|
|
} else { // idx is out of the slice
|
|
|
|
return a.defaultValue
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
func (a *PositiveSlice[T]) Set(idx int, value T) {
|
|
|
|
actualIdx := a.TranslateIndex(idx)
|
|
|
|
if actualIdx < 0 || actualIdx >= len(a.valid) { // idx is outside the slice
|
|
|
|
// expand data array to actualIdx
|
2024-10-29 17:03:19 +00:00
|
|
|
newData := make([]T, 2*actualIdx+1)
|
2024-10-24 18:07:10 +00:00
|
|
|
copy(newData, a.data)
|
|
|
|
a.data = newData
|
|
|
|
|
|
|
|
// expand valid array to actualIdx
|
2024-10-29 17:03:19 +00:00
|
|
|
newValid := make([]bool, 2*actualIdx+1)
|
2024-10-24 18:07:10 +00:00
|
|
|
copy(newValid, a.valid)
|
|
|
|
a.valid = newValid
|
|
|
|
}
|
|
|
|
|
|
|
|
a.data[actualIdx] = value
|
|
|
|
a.valid[actualIdx] = true
|
|
|
|
}
|