forked from DataDog/datadog-agent
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathaggregator.go
684 lines (597 loc) · 23.6 KB
/
aggregator.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
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
// Unless explicitly stated otherwise all files in this repository are licensed
// under the Apache License Version 2.0.
// This product includes software developed at Datadog (https://www.datadoghq.com/).
// Copyright 2016-2020 Datadog, Inc.
package aggregator
import (
"expvar"
"fmt"
"sync"
"time"
"github.com/DataDog/datadog-agent/pkg/serializer/split"
"github.com/DataDog/datadog-agent/pkg/telemetry"
"github.com/DataDog/datadog-agent/pkg/util"
"github.com/DataDog/datadog-agent/pkg/util/log"
"github.com/DataDog/datadog-agent/pkg/version"
"github.com/DataDog/datadog-agent/pkg/collector/check"
"github.com/DataDog/datadog-agent/pkg/config"
"github.com/DataDog/datadog-agent/pkg/metrics"
"github.com/DataDog/datadog-agent/pkg/serializer"
"github.com/DataDog/datadog-agent/pkg/status/health"
)
// DefaultFlushInterval aggregator default flush interval
const DefaultFlushInterval = 15 * time.Second // flush interval
const bucketSize = 10 // fixed for now
// Stats stores a statistic from several past flushes allowing computations like median or percentiles
type Stats struct {
Flushes [32]int64 // circular buffer of recent flushes stat
FlushIndex int // last flush position in circular buffer
LastFlush int64 // most recent flush stat, provided for convenience
Name string
m sync.Mutex
}
var (
stateOk = "ok"
stateError = "error"
)
func (s *Stats) add(stat int64) {
s.m.Lock()
defer s.m.Unlock()
s.FlushIndex = (s.FlushIndex + 1) % 32
s.Flushes[s.FlushIndex] = stat
s.LastFlush = stat
}
func newFlushTimeStats(name string) {
flushTimeStats[name] = &Stats{Name: name, FlushIndex: -1}
}
func addFlushTime(name string, value int64) {
flushTimeStats[name].add(value)
}
func newFlushCountStats(name string) {
flushCountStats[name] = &Stats{Name: name, FlushIndex: -1}
}
func addFlushCount(name string, value int64) {
flushCountStats[name].add(value)
}
func expStatsMap(statsMap map[string]*Stats) func() interface{} {
return func() interface{} {
return statsMap
}
}
func timeNowNano() float64 {
return float64(time.Now().UnixNano()) / float64(time.Second) // Unix time with nanosecond precision
}
var (
aggregatorInstance *BufferedAggregator
aggregatorInit sync.Once
aggregatorExpvars = expvar.NewMap("aggregator")
flushTimeStats = make(map[string]*Stats)
flushCountStats = make(map[string]*Stats)
aggregatorSeriesFlushed = expvar.Int{}
aggregatorSeriesFlushErrors = expvar.Int{}
aggregatorServiceCheckFlushErrors = expvar.Int{}
aggregatorServiceCheckFlushed = expvar.Int{}
aggregatorSketchesFlushErrors = expvar.Int{}
aggregatorSketchesFlushed = expvar.Int{}
aggregatorEventsFlushErrors = expvar.Int{}
aggregatorEventsFlushed = expvar.Int{}
aggregatorNumberOfFlush = expvar.Int{}
aggregatorDogstatsdMetricSample = expvar.Int{}
aggregatorChecksMetricSample = expvar.Int{}
aggregatorCheckHistogramBucketMetricSample = expvar.Int{}
aggregatorServiceCheck = expvar.Int{}
aggregatorEvent = expvar.Int{}
aggregatorHostnameUpdate = expvar.Int{}
tlmFlush = telemetry.NewCounter("aggregator", "flush",
[]string{"data_type", "state"}, "Count of flush")
tlmProcessed = telemetry.NewCounter("aggregator", "processed",
[]string{"data_type"}, "Amount of metrics/services_checks/events processed by the aggregator")
tlmHostnameUpdate = telemetry.NewCounter("aggregator", "hostname_update",
nil, "Count of hostname update")
// Hold series to be added to aggregated series on each flush
recurrentSeries metrics.Series
recurrentSeriesLock sync.Mutex
)
func init() {
newFlushTimeStats("ChecksMetricSampleFlushTime")
newFlushTimeStats("ServiceCheckFlushTime")
newFlushTimeStats("EventFlushTime")
newFlushTimeStats("MainFlushTime")
newFlushTimeStats("MetricSketchFlushTime")
aggregatorExpvars.Set("Flush", expvar.Func(expStatsMap(flushTimeStats)))
newFlushCountStats("ServiceChecks")
newFlushCountStats("Series")
newFlushCountStats("Events")
newFlushCountStats("Sketches")
aggregatorExpvars.Set("FlushCount", expvar.Func(expStatsMap(flushCountStats)))
aggregatorExpvars.Set("SeriesFlushed", &aggregatorSeriesFlushed)
aggregatorExpvars.Set("SeriesFlushErrors", &aggregatorSeriesFlushErrors)
aggregatorExpvars.Set("ServiceCheckFlushErrors", &aggregatorServiceCheckFlushErrors)
aggregatorExpvars.Set("ServiceCheckFlushed", &aggregatorServiceCheckFlushed)
aggregatorExpvars.Set("SketchesFlushErrors", &aggregatorSketchesFlushErrors)
aggregatorExpvars.Set("SketchesFlushed", &aggregatorSketchesFlushed)
aggregatorExpvars.Set("EventsFlushErrors", &aggregatorEventsFlushErrors)
aggregatorExpvars.Set("EventsFlushed", &aggregatorEventsFlushed)
aggregatorExpvars.Set("NumberOfFlush", &aggregatorNumberOfFlush)
aggregatorExpvars.Set("DogstatsdMetricSample", &aggregatorDogstatsdMetricSample)
aggregatorExpvars.Set("ChecksMetricSample", &aggregatorChecksMetricSample)
aggregatorExpvars.Set("ChecksHistogramBucketMetricSample", &aggregatorCheckHistogramBucketMetricSample)
aggregatorExpvars.Set("ServiceCheck", &aggregatorServiceCheck)
aggregatorExpvars.Set("Event", &aggregatorEvent)
aggregatorExpvars.Set("HostnameUpdate", &aggregatorHostnameUpdate)
}
// InitAggregator returns the Singleton instance
func InitAggregator(s serializer.MetricSerializer, metricPool *metrics.MetricSamplePool, hostname, agentName string) *BufferedAggregator {
return InitAggregatorWithFlushInterval(s, metricPool, hostname, agentName, DefaultFlushInterval)
}
// InitAggregatorWithFlushInterval returns the Singleton instance with a configured flush interval
func InitAggregatorWithFlushInterval(s serializer.MetricSerializer, metricPool *metrics.MetricSamplePool, hostname, agentName string, flushInterval time.Duration) *BufferedAggregator {
aggregatorInit.Do(func() {
aggregatorInstance = NewBufferedAggregator(s, metricPool, hostname, agentName, flushInterval)
go aggregatorInstance.run()
})
return aggregatorInstance
}
// SetDefaultAggregator allows to force a custom Aggregator as the default one and run it.
// This is useful for testing or benchmarking.
func SetDefaultAggregator(agg *BufferedAggregator) {
aggregatorInstance = agg
go aggregatorInstance.run()
}
// StopDefaultAggregator stops the default aggregator. Based on 'flushData'
// waiting metrics (from checks or closed dogstatsd buckets) will be sent to
// the serializer before stopping.
func StopDefaultAggregator() {
if aggregatorInstance != nil {
aggregatorInstance.Stop()
}
}
// BufferedAggregator aggregates metrics in buckets for dogstatsd Metrics
type BufferedAggregator struct {
metricPool *metrics.MetricSamplePool
bufferedMetricIn chan []metrics.MetricSample
bufferedServiceCheckIn chan []*metrics.ServiceCheck
bufferedEventIn chan []*metrics.Event
metricIn chan *metrics.MetricSample
eventIn chan metrics.Event
serviceCheckIn chan metrics.ServiceCheck
checkMetricIn chan senderMetricSample
checkHistogramBucketIn chan senderHistogramBucket
statsdSampler TimeSampler
checkSamplers map[check.ID]*CheckSampler
serviceChecks metrics.ServiceChecks
events metrics.Events
flushInterval time.Duration
mu sync.Mutex // to protect the checkSamplers field
serializer serializer.MetricSerializer
hostname string
hostnameUpdate chan string
hostnameUpdateDone chan struct{} // signals that the hostname update is finished
TickerChan <-chan time.Time // For test/benchmark purposes: it allows the flush to be controlled from the outside
stopChan chan struct{}
health *health.Handle
agentName string // Name of the agent for telemetry metrics (agent / cluster-agent)
}
// NewBufferedAggregator instantiates a BufferedAggregator
func NewBufferedAggregator(s serializer.MetricSerializer, metricPool *metrics.MetricSamplePool, hostname, agentName string, flushInterval time.Duration) *BufferedAggregator {
bufferSize := config.Datadog.GetInt("aggregator_buffer_size")
aggregator := &BufferedAggregator{
metricPool: metricPool,
bufferedMetricIn: make(chan []metrics.MetricSample, bufferSize),
bufferedServiceCheckIn: make(chan []*metrics.ServiceCheck, bufferSize),
bufferedEventIn: make(chan []*metrics.Event, bufferSize),
metricIn: make(chan *metrics.MetricSample, bufferSize),
serviceCheckIn: make(chan metrics.ServiceCheck, bufferSize),
eventIn: make(chan metrics.Event, bufferSize),
checkMetricIn: make(chan senderMetricSample, bufferSize),
checkHistogramBucketIn: make(chan senderHistogramBucket, bufferSize),
statsdSampler: *NewTimeSampler(bucketSize),
checkSamplers: make(map[check.ID]*CheckSampler),
flushInterval: flushInterval,
serializer: s,
hostname: hostname,
hostnameUpdate: make(chan string),
hostnameUpdateDone: make(chan struct{}),
stopChan: make(chan struct{}),
health: health.Register("aggregator"),
agentName: agentName,
}
return aggregator
}
// AddRecurrentSeries adds a serie to the series that are sent at every flush
func AddRecurrentSeries(newSerie *metrics.Serie) {
recurrentSeriesLock.Lock()
defer recurrentSeriesLock.Unlock()
recurrentSeries = append(recurrentSeries, newSerie)
}
// IsInputQueueEmpty returns true if every input channel for the aggregator are
// empty. This is mainly useful for tests and benchmark
func (agg *BufferedAggregator) IsInputQueueEmpty() bool {
if len(agg.checkMetricIn)+len(agg.serviceCheckIn)+len(agg.eventIn)+len(agg.checkHistogramBucketIn) == 0 {
return true
}
return false
}
// GetChannels returns a channel which can be subsequently used to send MetricSamples, Event or ServiceCheck
func (agg *BufferedAggregator) GetChannels() (chan *metrics.MetricSample, chan metrics.Event, chan metrics.ServiceCheck) {
return agg.metricIn, agg.eventIn, agg.serviceCheckIn
}
// GetBufferedChannels returns a channel which can be subsequently used to send MetricSamples, Event or ServiceCheck
func (agg *BufferedAggregator) GetBufferedChannels() (chan []metrics.MetricSample, chan []*metrics.Event, chan []*metrics.ServiceCheck) {
return agg.bufferedMetricIn, agg.bufferedEventIn, agg.bufferedServiceCheckIn
}
// SetHostname sets the hostname that the aggregator uses by default on all the data it sends
// Blocks until the main aggregator goroutine has finished handling the update
func (agg *BufferedAggregator) SetHostname(hostname string) {
agg.hostnameUpdate <- hostname
<-agg.hostnameUpdateDone
}
// AddAgentStartupTelemetry adds a startup event and count to be sent on the next flush
func (agg *BufferedAggregator) AddAgentStartupTelemetry(agentVersion string) {
metric := &metrics.MetricSample{
Name: fmt.Sprintf("datadog.%s.started", agg.agentName),
Value: 1,
Tags: []string{fmt.Sprintf("version:%s", version.AgentVersion)},
Host: agg.hostname,
Mtype: metrics.CountType,
SampleRate: 1,
Timestamp: 0,
}
agg.metricIn <- metric
if agg.hostname != "" {
// Send startup event only when we have a valid hostname
agg.eventIn <- metrics.Event{
Text: fmt.Sprintf("Version %s", agentVersion),
SourceTypeName: "System",
Host: agg.hostname,
EventType: "Agent Startup",
}
}
}
func (agg *BufferedAggregator) registerSender(id check.ID) error {
agg.mu.Lock()
defer agg.mu.Unlock()
if _, ok := agg.checkSamplers[id]; ok {
return fmt.Errorf("Sender with ID '%s' has already been registered, will use existing sampler", id)
}
agg.checkSamplers[id] = newCheckSampler()
return nil
}
func (agg *BufferedAggregator) deregisterSender(id check.ID) {
agg.mu.Lock()
delete(agg.checkSamplers, id)
agg.mu.Unlock()
}
func (agg *BufferedAggregator) handleSenderSample(ss senderMetricSample) {
agg.mu.Lock()
defer agg.mu.Unlock()
if checkSampler, ok := agg.checkSamplers[ss.id]; ok {
if ss.commit {
checkSampler.commit(timeNowNano())
} else {
ss.metricSample.Tags = util.SortUniqInPlace(ss.metricSample.Tags)
checkSampler.addSample(ss.metricSample)
}
} else {
log.Debugf("CheckSampler with ID '%s' doesn't exist, can't handle senderMetricSample", ss.id)
}
}
func (agg *BufferedAggregator) handleSenderBucket(checkBucket senderHistogramBucket) {
agg.mu.Lock()
defer agg.mu.Unlock()
if checkSampler, ok := agg.checkSamplers[checkBucket.id]; ok {
checkBucket.bucket.Tags = util.SortUniqInPlace(checkBucket.bucket.Tags)
checkSampler.addBucket(checkBucket.bucket)
} else {
log.Debugf("CheckSampler with ID '%s' doesn't exist, can't handle histogram bucket", checkBucket.id)
}
}
// addServiceCheck adds the service check to the slice of current service checks
func (agg *BufferedAggregator) addServiceCheck(sc metrics.ServiceCheck) {
if sc.Ts == 0 {
sc.Ts = time.Now().Unix()
}
sc.Tags = util.SortUniqInPlace(sc.Tags)
agg.serviceChecks = append(agg.serviceChecks, &sc)
}
// addEvent adds the event to the slice of current events
func (agg *BufferedAggregator) addEvent(e metrics.Event) {
if e.Ts == 0 {
e.Ts = time.Now().Unix()
}
e.Tags = util.SortUniqInPlace(e.Tags)
agg.events = append(agg.events, &e)
}
// addSample adds the metric sample
func (agg *BufferedAggregator) addSample(metricSample *metrics.MetricSample, timestamp float64) {
metricSample.Tags = util.SortUniqInPlace(metricSample.Tags)
agg.statsdSampler.addSample(metricSample, timestamp)
}
// GetSeriesAndSketches grabs all the series & sketches from the queue and clears the queue
func (agg *BufferedAggregator) GetSeriesAndSketches() (metrics.Series, metrics.SketchSeriesList) {
agg.mu.Lock()
series, sketches := agg.statsdSampler.flush(timeNowNano())
for _, checkSampler := range agg.checkSamplers {
s, sk := checkSampler.flush()
series = append(series, s...)
sketches = append(sketches, sk...)
}
agg.mu.Unlock()
return series, sketches
}
func (agg *BufferedAggregator) pushSketches(start time.Time, sketches metrics.SketchSeriesList) {
log.Debugf("Flushing %d sketches to the forwarder", len(sketches))
err := agg.serializer.SendSketch(sketches)
state := stateOk
if err != nil {
log.Warnf("Error flushing sketch: %v", err)
aggregatorSketchesFlushErrors.Add(1)
state = stateError
}
addFlushTime("MetricSketchFlushTime", int64(time.Since(start)))
aggregatorSketchesFlushed.Add(int64(len(sketches)))
tlmFlush.Add(float64(len(sketches)), "sketches", state)
}
func (agg *BufferedAggregator) pushSeries(start time.Time, series metrics.Series) {
log.Debugf("Flushing %d series to the forwarder", len(series))
err := agg.serializer.SendSeries(series)
state := stateOk
if err != nil {
log.Warnf("Error flushing series: %v", err)
aggregatorSeriesFlushErrors.Add(1)
state = stateError
}
addFlushTime("ChecksMetricSampleFlushTime", int64(time.Since(start)))
aggregatorSeriesFlushed.Add(int64(len(series)))
tlmFlush.Add(float64(len(series)), "series", state)
}
func (agg *BufferedAggregator) sendSeries(start time.Time, series metrics.Series, waitForSerializer bool) {
recurrentSeriesLock.Lock()
// Adding recurrentSeries to the flushed ones
for _, extra := range recurrentSeries {
if extra.Host == "" {
extra.Host = agg.hostname
}
if extra.SourceTypeName == "" {
extra.SourceTypeName = "System"
}
newSerie := &metrics.Serie{
Name: extra.Name,
Tags: extra.Tags,
Host: extra.Host,
MType: extra.MType,
SourceTypeName: extra.SourceTypeName,
}
// Updating Ts for every points
updatedPoints := []metrics.Point{}
for _, point := range extra.Points {
updatedPoints = append(updatedPoints,
metrics.Point{
Value: point.Value,
Ts: float64(start.Unix()),
})
}
newSerie.Points = updatedPoints
series = append(series, newSerie)
}
recurrentSeriesLock.Unlock()
// Send along a metric that showcases that this Agent is running (internally, in backend,
// a `datadog.`-prefixed metric allows identifying this host as an Agent host, used for dogbone icon)
series = append(series, &metrics.Serie{
Name: fmt.Sprintf("datadog.%s.running", agg.agentName),
Points: []metrics.Point{{Value: 1, Ts: float64(start.Unix())}},
Tags: []string{fmt.Sprintf("version:%s", version.AgentVersion)},
Host: agg.hostname,
MType: metrics.APIGaugeType,
SourceTypeName: "System",
})
// Send along a metric that counts the number of times we dropped some payloads because we couldn't split them.
series = append(series, &metrics.Serie{
Name: fmt.Sprintf("n_o_i_n_d_e_x.datadog.%s.payload.dropped", agg.agentName),
Points: []metrics.Point{{Value: float64(split.GetPayloadDrops()), Ts: float64(start.Unix())}},
Host: agg.hostname,
MType: metrics.APIGaugeType,
SourceTypeName: "System",
})
addFlushCount("Series", int64(len(series)))
// For debug purposes print out all metrics/tag combinations
if config.Datadog.GetBool("log_payloads") {
log.Debug("Flushing the following metrics:")
for _, serie := range series {
log.Debugf("%s", serie)
}
}
if waitForSerializer {
agg.pushSeries(start, series)
} else {
go agg.pushSeries(start, series)
}
}
func (agg *BufferedAggregator) sendSketches(start time.Time, sketches metrics.SketchSeriesList, waitForSerializer bool) {
// Serialize and forward sketches in a separate goroutine
addFlushCount("Sketches", int64(len(sketches)))
if len(sketches) != 0 {
if waitForSerializer {
agg.pushSketches(start, sketches)
} else {
go agg.pushSketches(start, sketches)
}
}
}
func (agg *BufferedAggregator) flushSeriesAndSketches(start time.Time, waitForSerializer bool) {
series, sketches := agg.GetSeriesAndSketches()
agg.sendSketches(start, sketches, waitForSerializer)
agg.sendSeries(start, series, waitForSerializer)
}
// GetServiceChecks grabs all the service checks from the queue and clears the queue
func (agg *BufferedAggregator) GetServiceChecks() metrics.ServiceChecks {
agg.mu.Lock()
defer agg.mu.Unlock()
// Clear the current service check slice
serviceChecks := agg.serviceChecks
agg.serviceChecks = nil
return serviceChecks
}
func (agg *BufferedAggregator) sendServiceChecks(start time.Time, serviceChecks metrics.ServiceChecks) {
log.Debugf("Flushing %d service checks to the forwarder", len(serviceChecks))
state := stateOk
if err := agg.serializer.SendServiceChecks(serviceChecks); err != nil {
log.Warnf("Error flushing service checks: %v", err)
aggregatorServiceCheckFlushErrors.Add(1)
state = stateError
}
addFlushTime("ServiceCheckFlushTime", int64(time.Since(start)))
aggregatorServiceCheckFlushed.Add(int64(len(serviceChecks)))
tlmFlush.Add(float64(len(serviceChecks)), "service_checks", state)
}
func (agg *BufferedAggregator) flushServiceChecks(start time.Time, waitForSerializer bool) {
// Add a simple service check for the Agent status
agg.addServiceCheck(metrics.ServiceCheck{
CheckName: "datadog.agent.up",
Status: metrics.ServiceCheckOK,
Host: agg.hostname,
})
serviceChecks := agg.GetServiceChecks()
addFlushCount("ServiceChecks", int64(len(serviceChecks)))
// For debug purposes print out all serviceCheck/tag combinations
if config.Datadog.GetBool("log_payloads") {
log.Debug("Flushing the following Service Checks:")
for _, sc := range serviceChecks {
log.Debugf("%s", sc)
}
}
if waitForSerializer {
agg.sendServiceChecks(start, serviceChecks)
} else {
go agg.sendServiceChecks(start, serviceChecks)
}
}
// GetEvents grabs the events from the queue and clears it
func (agg *BufferedAggregator) GetEvents() metrics.Events {
agg.mu.Lock()
defer agg.mu.Unlock()
events := agg.events
agg.events = nil
return events
}
func (agg *BufferedAggregator) sendEvents(start time.Time, events metrics.Events) {
log.Debugf("Flushing %d events to the forwarder", len(events))
err := agg.serializer.SendEvents(events)
state := stateOk
if err != nil {
log.Warnf("Error flushing events: %v", err)
aggregatorEventsFlushErrors.Add(1)
state = stateError
}
addFlushTime("EventFlushTime", int64(time.Since(start)))
aggregatorEventsFlushed.Add(int64(len(events)))
tlmFlush.Add(float64(len(events)), "events", state)
}
// flushEvents serializes and forwards events in a separate goroutine
func (agg *BufferedAggregator) flushEvents(start time.Time, waitForSerializer bool) {
// Serialize and forward in a separate goroutine
events := agg.GetEvents()
if len(events) == 0 {
return
}
addFlushCount("Events", int64(len(events)))
// For debug purposes print out all Event/tag combinations
if config.Datadog.GetBool("log_payloads") {
log.Debug("Flushing the following Events:")
for _, event := range events {
log.Debugf("%s", event)
}
}
if waitForSerializer {
agg.sendEvents(start, events)
} else {
go agg.sendEvents(start, events)
}
}
func (agg *BufferedAggregator) flush(start time.Time, waitForSerializer bool) {
agg.flushSeriesAndSketches(start, waitForSerializer)
agg.flushServiceChecks(start, waitForSerializer)
agg.flushEvents(start, waitForSerializer)
}
// Stop stops the aggregator. Based on 'flushData' waiting metrics (from checks
// or closed dogstatsd buckets) will be sent to the serializer before stopping.
func (agg *BufferedAggregator) Stop() {
agg.stopChan <- struct{}{}
timeout := config.Datadog.GetDuration("aggregator_stop_timeout") * time.Second
if timeout > 0 {
done := make(chan struct{})
go func() {
agg.flush(time.Now(), true)
done <- struct{}{}
}()
select {
case <-done:
case <-time.After(timeout):
log.Errorf("flushing data after stop timed out")
}
}
}
func (agg *BufferedAggregator) run() {
if agg.TickerChan == nil {
flushPeriod := agg.flushInterval
agg.TickerChan = time.NewTicker(flushPeriod).C
}
for {
select {
case <-agg.stopChan:
log.Info("Stopping aggregator")
return
case <-agg.health.C:
case <-agg.TickerChan:
start := time.Now()
agg.flush(start, false)
addFlushTime("MainFlushTime", int64(time.Since(start)))
aggregatorNumberOfFlush.Add(1)
case checkMetric := <-agg.checkMetricIn:
aggregatorChecksMetricSample.Add(1)
tlmProcessed.Inc("metrics")
agg.handleSenderSample(checkMetric)
case checkHistogramBucket := <-agg.checkHistogramBucketIn:
aggregatorCheckHistogramBucketMetricSample.Add(1)
tlmProcessed.Inc("histogram_bucket")
agg.handleSenderBucket(checkHistogramBucket)
case metric := <-agg.metricIn:
aggregatorDogstatsdMetricSample.Add(1)
tlmProcessed.Inc("dogstatsd_metrics")
agg.addSample(metric, timeNowNano())
case event := <-agg.eventIn:
aggregatorEvent.Add(1)
tlmProcessed.Inc("events")
agg.addEvent(event)
case serviceCheck := <-agg.serviceCheckIn:
aggregatorServiceCheck.Add(1)
tlmProcessed.Inc("service_checks")
agg.addServiceCheck(serviceCheck)
case metrics := <-agg.bufferedMetricIn:
aggregatorDogstatsdMetricSample.Add(int64(len(metrics)))
tlmProcessed.Add(float64(len(metrics)), "dogstatsd_metrics")
for i := 0; i < len(metrics); i++ {
agg.addSample(&metrics[i], timeNowNano())
}
agg.metricPool.PutBatch(metrics)
case serviceChecks := <-agg.bufferedServiceCheckIn:
aggregatorServiceCheck.Add(int64(len(serviceChecks)))
tlmProcessed.Add(float64(len(serviceChecks)), "service_checks")
for _, serviceCheck := range serviceChecks {
agg.addServiceCheck(*serviceCheck)
}
case events := <-agg.bufferedEventIn:
aggregatorEvent.Add(int64(len(events)))
tlmProcessed.Add(float64(len(events)), "events")
for _, event := range events {
agg.addEvent(*event)
}
case h := <-agg.hostnameUpdate:
aggregatorHostnameUpdate.Add(1)
tlmHostnameUpdate.Inc()
agg.hostname = h
changeAllSendersDefaultHostname(h)
agg.hostnameUpdateDone <- struct{}{}
}
}
}