-
Notifications
You must be signed in to change notification settings - Fork 0
/
RandomBag64.go
58 lines (47 loc) · 1.28 KB
/
RandomBag64.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
package util
import "log"
// custom error types
type RandomBagEmptyError struct{}
func (e RandomBagEmptyError) Error() string {
return "RandomBag Error: Cannot pop because there are no elements in the bag."
}
type RandomBag64 struct {
arr []uint64
}
func (rb *RandomBag64) Size() int {
return len(rb.arr)
}
// Removes from array and swaps last element into it
//
// Will only return an error if the bag is empty.
func (rb *RandomBag64) PopRandom() (uint64, error) {
// fmt.Println("Bag initial:", rb.arr)
// check if something can be popped
if len(rb.arr) == 0 {
return 0, RandomBagEmptyError{}
}
index, err := Crypto_Randint(len(rb.arr))
if err != nil {
log.Fatal("Failed to generate random number:", err)
panic(err)
}
elem := rb.arr[index]
n := len(rb.arr)
// swap it with the last element
rb.arr[index] = rb.arr[n-1]
// resize the array
rb.arr = rb.arr[:n-1]
// fmt.Println("Returned element:", elem)
// fmt.Println("Bag final:", rb.arr)
return elem, nil
}
// Push should always succeed
func (rb *RandomBag64) Push(item uint64) {
rb.arr = append(rb.arr, item)
}
// The RandomBag steals the slice that you pass to it. You should not use the slice anywhere afterwards.
func CreateRandomBagFromSlice(items []uint64) *RandomBag64 {
return &RandomBag64{
arr: items,
}
}