-
Notifications
You must be signed in to change notification settings - Fork 4
/
delay.go
75 lines (64 loc) · 1.66 KB
/
delay.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
package delay
import (
"math/rand"
"sync"
"time"
)
// D (Delay) makes it easy to add (threadsafe) configurable delays to other
// objects.
type D interface {
Set(time.Duration) time.Duration
Wait()
NextWaitTime() time.Duration
Get() time.Duration
}
type delay struct {
l sync.RWMutex
t time.Duration
generator Generator
}
func (d *delay) Set(t time.Duration) time.Duration {
d.l.Lock()
defer d.l.Unlock()
prev := d.t
d.t = t
return prev
}
func (d *delay) Wait() {
d.l.RLock()
defer d.l.RUnlock()
time.Sleep(d.generator.NextWaitTime(d.t))
}
func (d *delay) NextWaitTime() time.Duration {
d.l.Lock()
defer d.l.Unlock()
return d.generator.NextWaitTime(d.t)
}
func (d *delay) Get() time.Duration {
d.l.Lock()
defer d.l.Unlock()
return d.t
}
// Delay generates a generic delay form a t, a sleeper, and a generator
func Delay(t time.Duration, generator Generator) D {
return &delay{
t: t,
generator: generator,
}
}
// Fixed returns a delay with fixed latency
func Fixed(t time.Duration) D {
return Delay(t, FixedGenerator())
}
// VariableUniform is a delay following a uniform distribution
// Notice that to implement the D interface Set can only change the minimum delay
// the delta is set only at initialization
func VariableUniform(t, d time.Duration, rng *rand.Rand) D {
return Delay(t, VariableUniformGenerator(d, rng))
}
// VariableNormal is a delay following a normal distribution
// Notice that to implement the D interface Set can only change the mean delay
// the standard deviation is set only at initialization
func VariableNormal(t, std time.Duration, rng *rand.Rand) D {
return Delay(t, VariableNormalGenerator(std, rng))
}