-
Notifications
You must be signed in to change notification settings - Fork 671
/
uniform_resample.go
64 lines (54 loc) · 1.36 KB
/
uniform_resample.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
// (c) 2019-2020, Ava Labs, Inc. All rights reserved.
// See the file LICENSE for licensing terms.
package sampler
import (
"math"
"math/rand"
"time"
)
func init() { rand.Seed(time.Now().UnixNano()) }
// uniformResample allows for sampling over a uniform distribution without
// replacement.
//
// Sampling is performed by sampling with replacement and resampling if a
// duplicate is sampled.
//
// Initialization takes O(1) time.
//
// Sampling is performed in O(count) time and O(count) space.
type uniformResample struct {
length uint64
drawn map[uint64]struct{}
}
func (s *uniformResample) Initialize(length uint64) error {
if length > math.MaxInt64 {
return errOutOfRange
}
s.length = length
return nil
}
func (s *uniformResample) Sample(count int) ([]uint64, error) {
if count < 0 || s.length < uint64(count) {
return nil, errOutOfRange
}
if s.drawn == nil {
s.drawn = make(map[uint64]struct{}, count)
} else {
for k := range s.drawn {
delete(s.drawn, k)
}
}
results := make([]uint64, count)
for i := 0; i < count; {
// We don't use a cryptographically secure source of randomness here, as
// there's no need to ensure a truly random sampling.
draw := uint64(rand.Int63n(int64(s.length))) // #nosec G404
if _, ok := s.drawn[draw]; ok {
continue
}
s.drawn[draw] = struct{}{}
results[i] = draw
i++
}
return results, nil
}