-
Notifications
You must be signed in to change notification settings - Fork 69
/
manager.go
306 lines (258 loc) · 8.03 KB
/
manager.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
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
package runtimeconfig
import (
"bytes"
"compress/gzip"
"context"
"crypto/sha256"
"flag"
"fmt"
"io"
"os"
"strings"
"sync"
"time"
"github.com/go-kit/log"
"github.com/go-kit/log/level"
"github.com/pkg/errors"
"github.com/prometheus/client_golang/prometheus"
"github.com/prometheus/client_golang/prometheus/promauto"
"gopkg.in/yaml.v3"
"github.com/grafana/dskit/flagext"
"github.com/grafana/dskit/services"
)
// Loader loads the configuration from files.
type Loader func(r io.Reader) (interface{}, error)
// Config holds the config for an Manager instance.
// It holds config related to loading per-tenant config.
type Config struct {
ReloadPeriod time.Duration `yaml:"period" category:"advanced"`
// LoadPath contains the path to the runtime config files.
// Requires a non-empty value
LoadPath flagext.StringSliceCSV `yaml:"file"`
Loader Loader `yaml:"-"`
}
// RegisterFlags registers flags.
func (mc *Config) RegisterFlags(f *flag.FlagSet) {
f.Var(&mc.LoadPath, "runtime-config.file", "Comma separated list of yaml files with the configuration that can be updated at runtime. Runtime config files will be merged from left to right.")
f.DurationVar(&mc.ReloadPeriod, "runtime-config.reload-period", 10*time.Second, "How often to check runtime config files.")
}
// Manager periodically reloads the configuration from specified files, and keeps this
// configuration available for clients.
type Manager struct {
services.Service
cfg Config
logger log.Logger
listenersMtx sync.Mutex
listeners []chan interface{}
configMtx sync.RWMutex
config interface{}
configLoadSuccess prometheus.Gauge
configHash *prometheus.GaugeVec
// Maps path to hash. Only used by loadConfig in Starting and Running states, so it doesn't need synchronization.
fileHashes map[string]string
}
// New creates an instance of Manager. Manager is a services.Service, and must be explicitly started to perform any work.
func New(cfg Config, configName string, registerer prometheus.Registerer, logger log.Logger) (*Manager, error) {
if len(cfg.LoadPath) == 0 {
return nil, errors.New("LoadPath is empty")
}
registerer = prometheus.WrapRegistererWith(prometheus.Labels{"config": configName}, registerer)
mgr := Manager{
cfg: cfg,
configLoadSuccess: promauto.With(registerer).NewGauge(prometheus.GaugeOpts{
Name: "runtime_config_last_reload_successful",
Help: "Whether the last runtime-config reload attempt was successful.",
}),
configHash: promauto.With(registerer).NewGaugeVec(prometheus.GaugeOpts{
Name: "runtime_config_hash",
Help: "Hash of the currently active runtime configuration, merged from all configured files.",
}, []string{"sha256"}),
logger: logger,
}
mgr.Service = services.NewBasicService(mgr.starting, mgr.loop, mgr.stopping)
return &mgr, nil
}
func (om *Manager) starting(_ context.Context) error {
if len(om.cfg.LoadPath) == 0 {
return nil
}
return errors.Wrap(om.loadConfig(), "failed to load runtime config")
}
// CreateListenerChannel creates new channel that can be used to receive new config values.
// If there is no receiver waiting for value when config manager tries to send the update,
// or channel buffer is full, update is discarded.
//
// When config manager is stopped, it closes all channels to notify receivers that they will
// not receive any more updates.
func (om *Manager) CreateListenerChannel(buffer int) <-chan interface{} {
ch := make(chan interface{}, buffer)
om.listenersMtx.Lock()
defer om.listenersMtx.Unlock()
om.listeners = append(om.listeners, ch)
return ch
}
// CloseListenerChannel removes given channel from list of channels to send notifications to and closes channel.
func (om *Manager) CloseListenerChannel(listener <-chan interface{}) {
om.listenersMtx.Lock()
defer om.listenersMtx.Unlock()
for ix, ch := range om.listeners {
if ch == listener {
om.listeners = append(om.listeners[:ix], om.listeners[ix+1:]...)
close(ch)
break
}
}
}
func (om *Manager) loop(ctx context.Context) error {
if len(om.cfg.LoadPath) == 0 {
level.Info(om.logger).Log("msg", "runtime config disabled: file not specified")
<-ctx.Done()
return nil
}
ticker := time.NewTicker(om.cfg.ReloadPeriod)
defer ticker.Stop()
for {
select {
case <-ticker.C:
err := om.loadConfig()
if err != nil {
// Log but don't stop on error - we don't want to halt all ingesters because of a typo
level.Error(om.logger).Log("msg", "failed to load config", "err", err)
}
case <-ctx.Done():
return nil
}
}
}
// loadConfig loads all configuration files using the loader function then merges the yaml configuration files into one yaml document.
// and notifies listeners if successful.
func (om *Manager) loadConfig() error {
rawData := map[string][]byte{}
hashes := map[string]string{}
for _, f := range om.cfg.LoadPath {
buf, err := os.ReadFile(f)
if err != nil {
om.configLoadSuccess.Set(0)
return errors.Wrapf(err, "read file %q", f)
}
rawData[f] = buf
hashes[f] = fmt.Sprintf("%x", sha256.Sum256(buf))
}
// check if new hashes are the same as before
sameHashes := true
for f, h := range hashes {
if om.fileHashes[f] != h {
sameHashes = false
break
}
}
if sameHashes {
// No need to rebuild runtime config.
om.configLoadSuccess.Set(1)
return nil
}
mergedConfig := map[string]interface{}{}
for _, f := range om.cfg.LoadPath {
data := rawData[f]
yamlFile, err := om.unmarshalMaybeGzipped(f, data)
if err != nil {
om.configLoadSuccess.Set(0)
return errors.Wrapf(err, "unmarshal file %q", f)
}
mergedConfig = mergeConfigMaps(mergedConfig, yamlFile)
}
buf, err := yaml.Marshal(mergedConfig)
if err != nil {
om.configLoadSuccess.Set(0)
return errors.Wrap(err, "marshal file")
}
hash := sha256.Sum256(buf)
cfg, err := om.cfg.Loader(bytes.NewReader(buf))
if err != nil {
om.configLoadSuccess.Set(0)
return errors.Wrap(err, "load file")
}
om.configLoadSuccess.Set(1)
om.setConfig(cfg)
om.callListeners(cfg)
// expose hash of runtime config
om.configHash.Reset()
om.configHash.WithLabelValues(fmt.Sprintf("%x", hash)).Set(1)
// preserve hashes for next loop
om.fileHashes = hashes
return nil
}
func (om *Manager) unmarshalMaybeGzipped(filename string, data []byte) (map[string]any, error) {
yamlFile := map[string]any{}
if strings.HasSuffix(filename, ".gz") {
r, err := gzip.NewReader(bytes.NewReader(data))
if err != nil {
return nil, errors.Wrap(err, "read gzipped file")
}
defer r.Close()
err = yaml.NewDecoder(r).Decode(&yamlFile)
return yamlFile, errors.Wrap(err, "uncompress/unmarshal gzipped file")
}
if err := yaml.Unmarshal(data, &yamlFile); err != nil {
// Give a hint if we think that file is gzipped.
if isGzip(data) {
return nil, errors.Wrap(err, "file looks gzipped but doesn't have a .gz extension")
}
return nil, err
}
return yamlFile, nil
}
func isGzip(data []byte) bool {
return len(data) > 2 && data[0] == 0x1f && data[1] == 0x8b
}
func mergeConfigMaps(a, b map[string]interface{}) map[string]interface{} {
out := make(map[string]interface{}, len(a))
for k, v := range a {
out[k] = v
}
for k, v := range b {
if v, ok := v.(map[string]interface{}); ok {
if bv, ok := out[k]; ok {
if bv, ok := bv.(map[string]interface{}); ok {
out[k] = mergeConfigMaps(bv, v)
continue
}
}
}
out[k] = v
}
return out
}
func (om *Manager) setConfig(config interface{}) {
om.configMtx.Lock()
defer om.configMtx.Unlock()
om.config = config
}
func (om *Manager) callListeners(newValue interface{}) {
om.listenersMtx.Lock()
defer om.listenersMtx.Unlock()
for _, ch := range om.listeners {
select {
case ch <- newValue:
// ok
default:
// nobody is listening or buffer full.
}
}
}
// Stop stops the Manager
func (om *Manager) stopping(_ error) error {
om.listenersMtx.Lock()
defer om.listenersMtx.Unlock()
for _, ch := range om.listeners {
close(ch)
}
om.listeners = nil
return nil
}
// GetConfig returns last loaded config value, possibly nil.
func (om *Manager) GetConfig() interface{} {
om.configMtx.RLock()
defer om.configMtx.RUnlock()
return om.config
}