forked from DataDog/datadog-agent
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathtime_sampler.go
237 lines (200 loc) · 8.37 KB
/
time_sampler.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
// 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 (
"github.com/DataDog/datadog-agent/pkg/aggregator/ckey"
"github.com/DataDog/datadog-agent/pkg/config"
"github.com/DataDog/datadog-agent/pkg/metrics"
"github.com/DataDog/datadog-agent/pkg/util/log"
)
const defaultExpiry = 300.0 // number of seconds after which contexts are expired
// SerieSignature holds the elements that allow to know whether two similar `Serie`s
// from the same bucket can be merged into one
type SerieSignature struct {
mType metrics.APIMetricType
contextKey ckey.ContextKey
nameSuffix string
}
// TimeSampler aggregates metrics by buckets of 'interval' seconds
type TimeSampler struct {
interval int64
contextResolver *ContextResolver
metricsByTimestamp map[int64]metrics.ContextMetrics
counterLastSampledByContext map[ckey.ContextKey]float64
lastCutOffTime int64
sketchMap sketchMap
}
// NewTimeSampler returns a newly initialized TimeSampler
func NewTimeSampler(interval int64) *TimeSampler {
if interval == 0 {
interval = bucketSize
}
return &TimeSampler{
interval: interval,
contextResolver: newContextResolver(),
metricsByTimestamp: map[int64]metrics.ContextMetrics{},
counterLastSampledByContext: map[ckey.ContextKey]float64{},
sketchMap: make(sketchMap),
}
}
func (s *TimeSampler) calculateBucketStart(timestamp float64) int64 {
return int64(timestamp) - int64(timestamp)%s.interval
}
func (s *TimeSampler) isBucketStillOpen(bucketStartTimestamp, timestamp int64) bool {
return bucketStartTimestamp+s.interval > timestamp
}
// Add the metricSample to the correct bucket
func (s *TimeSampler) addSample(metricSample *metrics.MetricSample, timestamp float64) {
// Keep track of the context
contextKey := s.contextResolver.trackContext(metricSample, timestamp)
bucketStart := s.calculateBucketStart(timestamp)
switch metricSample.Mtype {
case metrics.DistributionType:
s.sketchMap.insert(bucketStart, contextKey, metricSample.Value)
default:
// If it's a new bucket, initialize it
bucketMetrics, ok := s.metricsByTimestamp[bucketStart]
if !ok {
bucketMetrics = metrics.MakeContextMetrics()
s.metricsByTimestamp[bucketStart] = bucketMetrics
}
// Update LastSampled timestamp for counters
if metricSample.Mtype == metrics.CounterType {
s.counterLastSampledByContext[contextKey] = timestamp
}
// Add sample to bucket
if err := bucketMetrics.AddSample(contextKey, metricSample, timestamp, s.interval); err != nil {
log.Debug("Ignoring sample '%s' on host '%s' and tags '%s': %s", metricSample.Name, metricSample.Host, metricSample.Tags, err)
}
}
}
func (s *TimeSampler) newSketchSeries(ck ckey.ContextKey, points []metrics.SketchPoint) metrics.SketchSeries {
ctx := s.contextResolver.contextsByKey[ck]
ss := metrics.SketchSeries{
Name: ctx.Name,
Tags: ctx.Tags,
Host: ctx.Host,
Interval: s.interval,
Points: points,
ContextKey: ck,
}
return ss
}
func (s *TimeSampler) flushSeries(cutoffTime int64) metrics.Series {
var series []*metrics.Serie
var rawSeries []*metrics.Serie
serieBySignature := make(map[SerieSignature]*metrics.Serie)
// Map to hold the expired contexts that will need to be deleted after the flush so that we stop sending zeros
counterContextsToDelete := map[ckey.ContextKey]struct{}{}
if len(s.metricsByTimestamp) > 0 {
for bucketTimestamp, contextMetrics := range s.metricsByTimestamp {
// disregard when the timestamp is too recent
if s.isBucketStillOpen(bucketTimestamp, cutoffTime) {
continue
}
// Add a 0 sample to all the counters that are not expired.
// It is ok to add 0 samples to a counter that was already sampled for real in the bucket, since it won't change its value
s.countersSampleZeroValue(bucketTimestamp, contextMetrics, counterContextsToDelete)
rawSeries = append(rawSeries, s.flushContextMetrics(bucketTimestamp, contextMetrics)...)
delete(s.metricsByTimestamp, bucketTimestamp)
}
} else if s.lastCutOffTime+s.interval <= cutoffTime {
// Even if there is no metric in this flush, recreate empty counters,
// but only if we've passed an interval since the last flush
contextMetrics := metrics.MakeContextMetrics()
s.countersSampleZeroValue(cutoffTime-s.interval, contextMetrics, counterContextsToDelete)
rawSeries = append(rawSeries, s.flushContextMetrics(cutoffTime-s.interval, contextMetrics)...)
}
// Delete the contexts associated to an expired counter
for context := range counterContextsToDelete {
delete(s.counterLastSampledByContext, context)
}
for _, serie := range rawSeries {
serieSignature := SerieSignature{serie.MType, serie.ContextKey, serie.NameSuffix}
if existingSerie, ok := serieBySignature[serieSignature]; ok {
existingSerie.Points = append(existingSerie.Points, serie.Points[0])
} else {
// Resolve context and populate new Serie
context, ok := s.contextResolver.contextsByKey[serie.ContextKey]
if !ok {
log.Errorf("Ignoring all metrics on context key '%v': inconsistent context resolver state: the context is not tracked", serie.ContextKey)
continue
}
serie.Name = context.Name + serie.NameSuffix
serie.Tags = context.Tags
serie.Host = context.Host
serie.Interval = s.interval
serieBySignature[serieSignature] = serie
series = append(series, serie)
}
}
return series
}
func (s TimeSampler) flushSketches(cutoffTime int64) metrics.SketchSeriesList {
pointsByCtx := make(map[ckey.ContextKey][]metrics.SketchPoint)
sketches := make(metrics.SketchSeriesList, 0, len(pointsByCtx))
s.sketchMap.flushBefore(cutoffTime, func(ck ckey.ContextKey, p metrics.SketchPoint) {
if p.Sketch == nil {
return
}
pointsByCtx[ck] = append(pointsByCtx[ck], p)
})
for ck, points := range pointsByCtx {
sketches = append(sketches, s.newSketchSeries(ck, points))
}
return sketches
}
func (s *TimeSampler) flush(timestamp float64) (metrics.Series, metrics.SketchSeriesList) {
// Compute a limit timestamp
cutoffTime := s.calculateBucketStart(timestamp)
series := s.flushSeries(cutoffTime)
sketches := s.flushSketches(cutoffTime)
// expiring contexts
s.contextResolver.expireContexts(timestamp - defaultExpiry)
s.lastCutOffTime = cutoffTime
return series, sketches
}
// flushContextMetrics flushes the passed contextMetrics, handles its errors, and returns its series
func (s *TimeSampler) flushContextMetrics(timestamp int64, contextMetrics metrics.ContextMetrics) []*metrics.Serie {
series, errors := contextMetrics.Flush(float64(timestamp))
for ckey, err := range errors {
context, ok := s.contextResolver.contextsByKey[ckey]
if !ok {
log.Errorf("Can't resolve context of error '%s': inconsistent context resolver state: context with key '%v' is not tracked", err, ckey)
continue
}
log.Infof("No value returned for dogstatsd metric '%s' on host '%s' and tags '%s': %s", context.Name, context.Host, context.Tags, err)
}
return series
}
func (s *TimeSampler) countersSampleZeroValue(timestamp int64, contextMetrics metrics.ContextMetrics, counterContextsToDelete map[ckey.ContextKey]struct{}) {
expirySeconds := config.Datadog.GetFloat64("dogstatsd_expiry_seconds")
for counterContext, lastSampled := range s.counterLastSampledByContext {
if expirySeconds+lastSampled > float64(timestamp) {
sample := &metrics.MetricSample{
Name: "",
Value: 0.0,
RawValue: "0.0",
Mtype: metrics.CounterType,
Tags: []string{},
Host: "",
SampleRate: 1,
Timestamp: float64(timestamp),
}
// Add a zero value sample to the counter
// It is ok to add a 0 sample to a counter that was already sampled in the bucket, it won't change its value
contextMetrics.AddSample(counterContext, sample, float64(timestamp), s.interval)
// Update the tracked context so that the contextResolver doesn't expire counter contexts too early
// i.e. while we are still sending zeros for them
err := s.contextResolver.updateTrackedContext(counterContext, float64(timestamp))
if err != nil {
log.Errorf("Error updating context: %s", err)
}
} else {
// Register the context to be deleted
counterContextsToDelete[counterContext] = struct{}{}
}
}
}