-
Notifications
You must be signed in to change notification settings - Fork 0
/
misc.go
244 lines (208 loc) · 5.91 KB
/
misc.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
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
// Print stuff like Go's internal representation:
// fmt.Printf("dir_names_list: %#v\n", dir_names_list)
package util
import (
"crypto/rand"
"fmt"
"log"
"math/big"
"os"
"os/exec"
"runtime"
"strconv"
"sync"
"time"
"golang.org/x/sys/unix"
)
type retrylib_task func()
type retrylib_counter struct {
mu sync.Mutex
max_val time.Duration
private_variable time.Duration
}
func (c *retrylib_counter) incr() {
c.mu.Lock()
if c.private_variable < c.max_val {
c.private_variable += time.Second
}
c.mu.Unlock()
}
func (c *retrylib_counter) getValue() time.Duration {
c.mu.Lock()
n := c.private_variable
c.mu.Unlock()
return n
}
func (c *retrylib_counter) zero() {
c.mu.Lock()
c.private_variable = 0
c.mu.Unlock()
}
func newRetrylibCounter(maxval time.Duration) *retrylib_counter {
return &retrylib_counter{max_val: maxval}
}
func Retryfunc(taskname string, dotask retrylib_task, expected_duration time.Duration, max_wait time.Duration) {
count := newRetrylibCounter(max_wait)
for {
start := time.Now()
dotask()
duration := time.Since(start)
log.Printf("%s finished after %d seconds.\n", taskname, duration/time.Second)
if duration > expected_duration {
count.zero()
} else {
count.incr()
}
log.Printf("%s: sleeping for %d seconds before re-running\n", taskname, count.getValue()/time.Second)
time.Sleep(count.getValue())
}
}
func Retryproc(procname string, expected_duration time.Duration, max_wait time.Duration) {
f := func() {
cmd := exec.Command(procname)
cmd.Stdout = os.Stdout
cmd.Stderr = os.Stderr
log.Printf("launching process %s ...\n", procname)
err := cmd.Run()
if err != nil {
log.Printf("process %s: an error occurred: %v\n", procname, err)
} else {
log.Printf("process %s completed without error.\n", procname)
}
}
Retryfunc("command "+procname, f, expected_duration, max_wait)
}
// https://stackoverflow.com/questions/19965795/how-to-write-log-to-file
func SetLogFile(filename string) *os.File {
f, err := os.OpenFile(filename, os.O_WRONLY|os.O_CREATE|os.O_APPEND, 0666)
if err != nil {
log.Fatalf("error opening log file: %v", err)
}
log.SetOutput(f)
log.Println("Started logging.")
return f
}
// https://stackoverflow.com/questions/21743841/how-to-avoid-annoying-error-declared-and-not-used
func Use(vals ...interface{}) {
for _, val := range vals {
_ = val
}
}
func Int64_to_string(num int64) string {
return strconv.FormatInt(num, 10)
}
func String_to_int64(s string) (int64, error) {
return strconv.ParseInt(s, 10, 64)
}
// this function assumes file pointer is valid.
// We could probably make this more efficient by calculating the file size in-process instead of making syscall each time.
func Get_file_size(f *os.File) int64 {
fi, err := f.Stat()
if err != nil {
panic("ERROR: STAT ON LOG FILE FAILED!!!")
}
return fi.Size()
}
func Check_err(err error) {
if err != nil {
panic(err)
}
}
func BuildStruct[T any]() *T {
return new(T)
}
func Getxattr(path string, name string, data []byte) (int, error) {
return unix.Getxattr(path, name, data)
}
func Setxattr(path string, name string, data []byte, flags int) error {
return unix.Setxattr(path, name, data, flags)
}
// PrintMemUsage outputs the current, total and OS memory being used. As well as the number
// of garage collection cycles completed.
func PrintMemUsage() {
var m runtime.MemStats
runtime.ReadMemStats(&m)
// For info on each, see: https://golang.org/pkg/runtime/#MemStats
fmt.Printf("Alloc = %v MiB", bToMb(m.Alloc))
fmt.Printf("\tTotalAlloc = %v MiB", bToMb(m.TotalAlloc))
fmt.Printf("\tSys = %v MiB", bToMb(m.Sys))
fmt.Printf("\tNumGC = %v\n", m.NumGC)
}
func bToMb(b uint64) uint64 {
return b / 1024 / 1024
}
func Copy_Slice_Into_150_Arr(slice []byte, arr [150]byte) {
minlen := min(len(arr), len(slice))
for i := 0; i < minlen; i++ {
arr[i] = slice[i]
}
}
// This function works, I've manually tested it.
// Returns integers from 0 up to AND NOT INCLUDING max
func Crypto_Randint(max int) (int, error) {
val, err := rand.Int(rand.Reader, big.NewInt(int64(max)))
if err != nil {
return 0, err
}
return int(val.Int64()), nil
}
/* Custom error types */
type CryptoRandomChoiceEmptySliceError struct{}
func (e CryptoRandomChoiceEmptySliceError) Error() string {
return "Crypto_Random_Choice Error: Input slice is of length zero"
}
// This function works, I've manually tested it.
func Crypto_Random_Choice[T any](arr *[]T) (T, error) { //nolint:ireturn // why is this not okay
// This function HAS TO BE generic because converting slice of interface{} is O(N) time because it has to convert every element in the slice!!!
// return the zero value for T
var zero_value T
n := len(*arr)
if n == 0 {
return zero_value, CryptoRandomChoiceEmptySliceError{}
}
idx, err := Crypto_Randint(n)
if err != nil {
return zero_value, err
}
return (*arr)[idx], nil
}
// calculates a to the power of b mod m. If m is 0 then just returns a to the power of b.
// This function seems to create a memory leak, but it doesn't.
// Anyway, it's better to use custom power
func Power_Slow(a, b, m int) int {
result := new(big.Int).Exp(
big.NewInt(int64(a)),
big.NewInt(int64(b)),
big.NewInt(int64(m)),
)
return int(result.Int64())
}
// Naive algorithm, only suitable for small b.
func Power_Naive(a, b int) int {
// VERY IMPORTANT special case this fucked me up good
if b == 0 {
return 1
}
multiplier := a
for i := 1; i < b; i++ {
a *= multiplier
}
return a
}
func ReverseString(s string) string {
chars := []rune(s)
for i, j := 0, len(chars)-1; i < j; i, j = i+1, j-1 {
chars[i], chars[j] = chars[j], chars[i]
}
return string(chars)
}
func Divmod(numerator, denominator int) (int, int) {
quotient := numerator / denominator // integer division, decimals are truncated
remainder := numerator % denominator
return quotient, remainder
}
func ReplaceString(str string, replacement rune, index int) string {
out := []byte(str)
out[index] = byte(replacement)
return string(out)
}