-
Notifications
You must be signed in to change notification settings - Fork 8
/
Copy pathhandler.go
76 lines (65 loc) · 2.21 KB
/
handler.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
// Package healthz is modified from k8s.io/controller-manager/pkg/healthz to
// permit removing healthchecks.
package healthz
import (
"net/http"
"sync"
"golang.org/x/exp/maps"
"k8s.io/apiserver/pkg/server/healthz"
"k8s.io/apiserver/pkg/server/mux"
)
// MutableHealthzHandler returns a http.Handler that handles "/healthz"
// following the standard healthz mechanism.
type MutableHealthzHandler struct {
// handler is the underlying handler that will be replaced every time
// new checks are added.
handler http.Handler
// mutex is a RWMutex that allows concurrent health checks (read)
// but disallow replacing the handler at the same time (write).
mutex sync.RWMutex
checks map[string]healthz.HealthChecker
}
func (h *MutableHealthzHandler) ServeHTTP(writer http.ResponseWriter, request *http.Request) {
h.mutex.RLock()
defer h.mutex.RUnlock()
h.handler.ServeHTTP(writer, request)
}
// AddHealthChecker adds health check(s) to the handler.
//
// Every time this function is called, the handler have to be re-initiated.
// It is advised to add as many checks at once as possible.
//
// If multiple health checks are added with the same name, only the last one
// will be stored.
func (h *MutableHealthzHandler) AddHealthChecker(checks ...healthz.HealthChecker) {
h.mutex.Lock()
defer h.mutex.Unlock()
if h.checks == nil {
h.checks = make(map[string]healthz.HealthChecker, len(checks))
}
for _, c := range checks {
h.checks[c.Name()] = c
}
newMux := mux.NewPathRecorderMux("healthz")
healthz.InstallHandler(newMux, maps.Values(h.checks)...)
h.handler = newMux
}
// RemoveHealthChecker removes health check(s) from the handler by name.
//
// Every time this function is called, the handler have to be re-initiated.
// It is advised to remove as many checks at once as possible.
func (h *MutableHealthzHandler) RemoveHealthChecker(names ...string) {
h.mutex.Lock()
defer h.mutex.Unlock()
for _, n := range names {
delete(h.checks, n)
}
newMux := mux.NewPathRecorderMux("healthz")
healthz.InstallHandler(newMux, maps.Values(h.checks)...)
h.handler = newMux
}
func NewMutableHealthzHandler(checks ...healthz.HealthChecker) *MutableHealthzHandler {
h := &MutableHealthzHandler{}
h.AddHealthChecker(checks...)
return h
}