blob: c24628730691dcd4af04c6e315f437cca5f8b116 (
plain) (
blame)
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
|
package ready
import (
"sort"
"strings"
"sync"
)
// list is a structure that holds the plugins that signals readiness for this server block.
type list struct {
sync.RWMutex
rs []Readiness
names []string
}
// Reset resets l
func (l *list) Reset() {
l.Lock()
defer l.Unlock()
l.rs = nil
l.names = nil
}
// Append adds a new readiness to l.
func (l *list) Append(r Readiness, name string) {
l.Lock()
defer l.Unlock()
l.rs = append(l.rs, r)
l.names = append(l.names, name)
}
// Ready return true when all plugins ready, if the returned value is false the string
// contains a comma separated list of plugins that are not ready.
func (l *list) Ready() (bool, string) {
l.RLock()
defer l.RUnlock()
ok := true
s := []string{}
for i, r := range l.rs {
if r == nil {
continue
}
if !r.Ready() {
ok = false
s = append(s, l.names[i])
} else {
// if ok, this plugin is ready and will not be queried anymore.
l.rs[i] = nil
}
}
if ok {
return true, ""
}
sort.Strings(s)
return false, strings.Join(s, ",")
}
|