-
Notifications
You must be signed in to change notification settings - Fork 58
/
processor.go
430 lines (349 loc) · 10.5 KB
/
processor.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
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
package main
import (
"bytes"
"encoding/base64"
"fmt"
"net"
"strconv"
"strings"
"sync"
"sync/atomic"
"time"
"github.com/blind-oracle/go-common/logger"
"github.com/gogo/protobuf/proto"
"github.com/golang/snappy"
"github.com/google/uuid"
me "github.com/hashicorp/go-multierror"
"github.com/pkg/errors"
"github.com/prometheus/client_golang/prometheus"
"github.com/prometheus/client_golang/prometheus/promauto"
"github.com/prometheus/prometheus/prompb"
fh "github.com/valyala/fasthttp"
)
var (
metricTimeseriesBatchesReceived = promauto.NewCounter(prometheus.CounterOpts{
Namespace: "cortex_tenant",
Name: "timeseries_batches_received",
Help: "The total number of batches received.",
})
metricTimeseriesBatchesReceivedBytes = promauto.NewHistogram(prometheus.HistogramOpts{
Namespace: "cortex_tenant",
Name: "timeseries_batches_received_bytes",
Help: "Size in bytes of timeseries batches received.",
Buckets: []float64{0.5, 1, 10, 25, 100, 250, 500, 1000, 5000, 10000, 30000, 300000, 600000, 1800000, 3600000},
})
metricTimeseriesReceived = promauto.NewCounterVec(prometheus.CounterOpts{
Namespace: "cortex_tenant",
Name: "timeseries_received",
Help: "The total number of timeseries received.",
}, []string{"tenant"})
metricTimeseriesRequestDurationMilliseconds = promauto.NewHistogramVec(prometheus.HistogramOpts{
Namespace: "cortex_tenant",
Name: "timeseries_request_duration_milliseconds",
Help: "HTTP write request duration for tenant-specific timeseries in milliseconds, filtered by response code.",
Buckets: []float64{0.5, 1, 5, 10, 25, 50, 100, 250, 500, 1000, 2500, 5000, 10000, 30000, 60000, 1800000, 3600000},
},
[]string{"code", "tenant"},
)
metricTimeseriesRequestErrors = promauto.NewCounterVec(prometheus.CounterOpts{
Namespace: "cortex_tenant",
Name: "timeseries_request_errors",
Help: "The total number of tenant-specific timeseries writes that yielded errors.",
}, []string{"tenant"})
metricTimeseriesRequests = promauto.NewCounterVec(prometheus.CounterOpts{
Namespace: "cortex_tenant",
Name: "timeseries_requests",
Help: "The total number of tenant-specific timeseries writes.",
}, []string{"tenant"})
)
type result struct {
code int
body []byte
duration float64
tenant string
err error
}
type processor struct {
cfg config
srv *fh.Server
cli *fh.Client
shuttingDown uint32
logger.Logger
auth struct {
egressHeader []byte
}
}
func newProcessor(c config) *processor {
p := &processor{
cfg: c,
Logger: logger.NewSimpleLogger("proc"),
}
p.srv = &fh.Server{
Name: "cortex-tenant",
Handler: p.handle,
MaxRequestBodySize: 8 * 1024 * 1024,
ReadTimeout: c.Timeout,
WriteTimeout: c.Timeout,
IdleTimeout: 60 * time.Second,
Concurrency: c.Concurrency,
}
p.cli = &fh.Client{
Name: "cortex-tenant",
ReadTimeout: c.Timeout,
WriteTimeout: c.Timeout,
MaxConnWaitTimeout: 1 * time.Second,
MaxConnsPerHost: c.MaxConnsPerHost,
DialDualStack: c.EnableIPv6,
MaxConnDuration: c.MaxConnDuration,
}
if c.Auth.Egress.Username != "" {
authString := []byte(fmt.Sprintf("%s:%s", c.Auth.Egress.Username, c.Auth.Egress.Password))
p.auth.egressHeader = []byte("Basic " + base64.StdEncoding.EncodeToString(authString))
}
// For testing
if c.pipeOut != nil {
p.cli.Dial = func(a string) (net.Conn, error) {
return c.pipeOut.Dial()
}
}
return p
}
func (p *processor) run() (err error) {
var l net.Listener
// For testing
if p.cfg.pipeIn == nil {
if l, err = net.Listen("tcp", p.cfg.Listen); err != nil {
return
}
} else {
l = p.cfg.pipeIn
}
go p.srv.Serve(l)
return
}
func (p *processor) handle(ctx *fh.RequestCtx) {
if bytes.Equal(ctx.Path(), []byte("/alive")) {
if atomic.LoadUint32(&p.shuttingDown) == 1 {
ctx.SetStatusCode(fh.StatusServiceUnavailable)
}
return
}
if !bytes.Equal(ctx.Request.Header.Method(), []byte("POST")) {
ctx.Error("Expecting POST", fh.StatusBadRequest)
return
}
if !bytes.Equal(ctx.Path(), []byte("/push")) {
ctx.SetStatusCode(fh.StatusNotFound)
return
}
metricTimeseriesBatchesReceivedBytes.Observe(float64(ctx.Request.Header.ContentLength()))
metricTimeseriesBatchesReceived.Inc()
wrReqIn, err := p.unmarshal(ctx.Request.Body())
if err != nil {
ctx.Error(err.Error(), fh.StatusBadRequest)
return
}
tenantPrefix := p.cfg.Tenant.Prefix
if p.cfg.Tenant.PrefixPreferSource {
sourceTenantPrefix := string(ctx.Request.Header.Peek(p.cfg.Tenant.Header))
if sourceTenantPrefix != "" {
tenantPrefix = sourceTenantPrefix + "-"
}
}
clientIP := ctx.RemoteAddr()
reqID, _ := uuid.NewRandom()
if len(wrReqIn.Timeseries) == 0 {
// If there's metadata - just accept the request and drop it
if len(wrReqIn.Metadata) > 0 {
if p.cfg.Metadata && p.cfg.Tenant.Default != "" {
r := p.send(clientIP, reqID, tenantPrefix+p.cfg.Tenant.Default, wrReqIn)
if r.err != nil {
ctx.Error(r.err.Error(), fh.StatusInternalServerError)
p.Errorf("src=%s req_id=%s: unable to proxy metadata: %s", clientIP, reqID, r.err)
return
}
ctx.SetStatusCode(r.code)
ctx.SetBody(r.body)
}
return
}
ctx.Error("No timeseries found in the request", fh.StatusBadRequest)
return
}
m, err := p.createWriteRequests(wrReqIn)
if err != nil {
ctx.Error(err.Error(), fh.StatusBadRequest)
return
}
metricTenant := ""
var errs *me.Error
results := p.dispatch(clientIP, reqID, tenantPrefix, m)
code, body := 0, []byte("Ok")
// Return 204 regardless of errors if AcceptAll is enabled
if p.cfg.Tenant.AcceptAll {
code, body = 204, nil
goto out
}
for _, r := range results {
if p.cfg.MetricsIncludeTenant {
metricTenant = r.tenant
}
metricTimeseriesRequests.WithLabelValues(metricTenant).Inc()
if r.err != nil {
metricTimeseriesRequestErrors.WithLabelValues(metricTenant).Inc()
errs = me.Append(errs, r.err)
p.Errorf("src=%s %s", clientIP, r.err)
continue
}
if r.code < 200 || r.code >= 300 {
if p.cfg.LogResponseErrors {
p.Errorf("src=%s req_id=%s HTTP code %d (%s)", clientIP, reqID, r.code, string(r.body))
}
}
if r.code > code {
code, body = r.code, r.body
}
metricTimeseriesRequestDurationMilliseconds.WithLabelValues(strconv.Itoa(r.code), metricTenant).Observe(r.duration)
}
if errs.ErrorOrNil() != nil {
ctx.Error(errs.Error(), fh.StatusInternalServerError)
return
}
out:
// Pass back max status code from upstream response
ctx.SetBody(body)
ctx.SetStatusCode(code)
}
func (p *processor) createWriteRequests(wrReqIn *prompb.WriteRequest) (map[string]*prompb.WriteRequest, error) {
// Create per-tenant write requests
m := map[string]*prompb.WriteRequest{}
for _, ts := range wrReqIn.Timeseries {
tenant, err := p.processTimeseries(&ts)
if err != nil {
return nil, err
}
if p.cfg.MetricsIncludeTenant {
metricTimeseriesReceived.WithLabelValues(tenant).Inc()
} else {
metricTimeseriesReceived.WithLabelValues("").Inc()
}
wrReqOut, ok := m[tenant]
if !ok {
wrReqOut = &prompb.WriteRequest{}
m[tenant] = wrReqOut
}
wrReqOut.Timeseries = append(wrReqOut.Timeseries, ts)
}
return m, nil
}
func (p *processor) unmarshal(b []byte) (*prompb.WriteRequest, error) {
decoded, err := snappy.Decode(nil, b)
if err != nil {
return nil, errors.Wrap(err, "Unable to unpack Snappy")
}
req := &prompb.WriteRequest{}
if err = proto.Unmarshal(decoded, req); err != nil {
return nil, errors.Wrap(err, "Unable to unmarshal protobuf")
}
return req, nil
}
func (p *processor) marshal(wr *prompb.WriteRequest) (bufOut []byte, err error) {
b := make([]byte, wr.Size())
// Marshal to Protobuf
if _, err = wr.MarshalTo(b); err != nil {
return
}
// Compress with Snappy
return snappy.Encode(nil, b), nil
}
func (p *processor) dispatch(clientIP net.Addr, reqID uuid.UUID, tenantPrefix string, m map[string]*prompb.WriteRequest) (res []result) {
var wg sync.WaitGroup
res = make([]result, len(m))
i := 0
for tenant, wrReq := range m {
wg.Add(1)
go func(idx int, tenant string, wrReq *prompb.WriteRequest) {
defer wg.Done()
r := p.send(clientIP, reqID, tenant, wrReq)
res[idx] = r
}(i, tenantPrefix+tenant, wrReq)
i++
}
wg.Wait()
return
}
func removeOrdered(slice []prompb.Label, s int) []prompb.Label {
return append(slice[:s], slice[s+1:]...)
}
func (p *processor) processTimeseries(ts *prompb.TimeSeries) (tenant string, err error) {
idx := 0
for i, l := range ts.Labels {
for _, configuredLabel := range p.cfg.Tenant.LabelList {
if l.Name == configuredLabel {
tenant, idx = l.Value, i
break
}
}
}
if tenant == "" {
if p.cfg.Tenant.Default == "" {
return "", fmt.Errorf("label(s): {'%s'} not found", strings.Join(p.cfg.Tenant.LabelList, "','"))
}
return p.cfg.Tenant.Default, nil
}
if p.cfg.Tenant.LabelRemove {
// Order is important. See:
// https://github.com/thanos-io/thanos/issues/6452
// https://github.com/prometheus/prometheus/issues/11505
ts.Labels = removeOrdered(ts.Labels, idx)
}
return
}
func (p *processor) send(clientIP net.Addr, reqID uuid.UUID, tenant string, wr *prompb.WriteRequest) (r result) {
start := time.Now()
r.tenant = tenant
req := fh.AcquireRequest()
resp := fh.AcquireResponse()
defer func() {
fh.ReleaseRequest(req)
fh.ReleaseResponse(resp)
}()
buf, err := p.marshal(wr)
if err != nil {
r.err = err
return
}
p.fillRequestHeaders(clientIP, reqID, tenant, req)
if p.auth.egressHeader != nil {
req.Header.SetBytesV("Authorization", p.auth.egressHeader)
}
req.Header.SetMethod(fh.MethodPost)
req.SetRequestURI(p.cfg.Target)
req.SetBody(buf)
if err = p.cli.DoTimeout(req, resp, p.cfg.Timeout); err != nil {
r.err = err
return
}
r.code = resp.Header.StatusCode()
r.body = make([]byte, len(resp.Body()))
copy(r.body, resp.Body())
r.duration = time.Since(start).Seconds() / 1000
return
}
func (p *processor) fillRequestHeaders(
clientIP net.Addr, reqID uuid.UUID, tenant string, req *fh.Request) {
req.Header.Set("Content-Encoding", "snappy")
req.Header.Set("Content-Type", "application/x-protobuf")
req.Header.Set("X-Prometheus-Remote-Write-Version", "0.1.0")
req.Header.Set("X-Cortex-Tenant-Client", clientIP.String())
req.Header.Set("X-Cortex-Tenant-ReqID", reqID.String())
req.Header.Set(p.cfg.Tenant.Header, tenant)
}
func (p *processor) close() (err error) {
// Signal that we're shutting down
atomic.StoreUint32(&p.shuttingDown, 1)
// Let healthcheck detect that we're offline
time.Sleep(p.cfg.TimeoutShutdown)
// Shutdown
return p.srv.Shutdown()
}