-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathhealthz.go
130 lines (103 loc) · 2.37 KB
/
healthz.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
package grok
import (
"context"
"net/http"
"sync"
"github.com/gin-gonic/gin"
"github.com/sirupsen/logrus"
"github.com/spf13/cobra"
"go.mongodb.org/mongo-driver/mongo/readpref"
)
// Healthz ...
type Healthz struct {
settings *Settings
checks []func(*Healthz) error
}
// HealtzOption ...
type HealtzOption func(*Healthz)
// WithMongo ...
func WithMongo() HealtzOption {
return func(h *Healthz) {
h.checks = append(h.checks, func(healthz *Healthz) error {
client := NewMongoConnection(h.settings.Mongo.ConnectionString)
defer client.Disconnect(context.Background())
return client.Ping(context.Background(), readpref.Primary())
})
}
}
// WithHealthzSettings ...
func WithHealthzSettings(s *Settings) HealtzOption {
return func(h *Healthz) {
h.settings = s
}
}
// NewHealthz ...
func NewHealthz(options ...HealtzOption) *Healthz {
h := new(Healthz)
h.checks = []func(*Healthz) error{}
for _, o := range options {
o(h)
}
return h
}
// HTTPHealthz ...
func HTTPHealthz(options ...HealtzOption) gin.HandlerFunc {
h := NewHealthz(options...)
return h.HTTP()
}
// ConsumerHealthz ...
func ConsumerHealthz(settingsFlag string, options ...HealtzOption) func(cmd *cobra.Command, args []string) {
return func(cmd *cobra.Command, args []string) {
settings := &struct {
Grok *Settings `yaml:"grok"`
}{}
err := FromYAML(cmd.Flag(settingsFlag).Value.String(), settings)
if err != nil {
logrus.WithError(err).
Panic("error loading settings")
}
options = append(options, WithHealthzSettings(settings.Grok))
h := NewHealthz(options...)
if err := h.Healthz(); err != nil {
logrus.WithError(err).
Panic("health checke failed")
}
}
}
// Healthz ...
func (h *Healthz) Healthz() error {
wg := new(sync.WaitGroup)
errCh := make(chan error, len(h.checks))
doneCh := make(chan bool, len(h.checks))
for _, check := range h.checks {
wg.Add(1)
go func(c func(*Healthz) error) {
defer wg.Done()
if err := c(h); err != nil {
errCh <- err
}
}(check)
}
go func() {
wg.Wait()
doneCh <- true
}()
<-doneCh
close(errCh)
close(doneCh)
if len(errCh) > 0 {
return <-errCh
}
return nil
}
// HTTP ...
func (h *Healthz) HTTP() gin.HandlerFunc {
return func(ctx *gin.Context) {
if err := h.Healthz(); err != nil {
ctx.Error(err)
ctx.AbortWithStatus(http.StatusInternalServerError)
return
}
ctx.Status(http.StatusOK)
}
}