-
Notifications
You must be signed in to change notification settings - Fork 814
/
Copy pathstats.go
103 lines (81 loc) · 2.24 KB
/
stats.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
package stats
import (
"context"
"sync/atomic" //lint:ignore faillint we can't use go.uber.org/atomic with a protobuf struct without wrapping it.
"time"
"github.com/weaveworks/common/httpgrpc"
)
type contextKey int
var ctxKey = contextKey(0)
// ContextWithEmptyStats returns a context with empty stats.
func ContextWithEmptyStats(ctx context.Context) (*Stats, context.Context) {
stats := &Stats{}
ctx = context.WithValue(ctx, ctxKey, stats)
return stats, ctx
}
// FromContext gets the Stats out of the Context. Returns nil if stats have not
// been initialised in the context.
func FromContext(ctx context.Context) *Stats {
o := ctx.Value(ctxKey)
if o == nil {
return nil
}
return o.(*Stats)
}
// IsEnabled returns whether stats tracking is enabled in the context.
func IsEnabled(ctx context.Context) bool {
// When query statistics are enabled, the stats object is already initialised
// within the context, so we can just check it.
return FromContext(ctx) != nil
}
// AddWallTime adds some time to the counter.
func (s *Stats) AddWallTime(t time.Duration) {
if s == nil {
return
}
atomic.AddInt64((*int64)(&s.WallTime), int64(t))
}
// LoadWallTime returns current wall time.
func (s *Stats) LoadWallTime() time.Duration {
if s == nil {
return 0
}
return time.Duration(atomic.LoadInt64((*int64)(&s.WallTime)))
}
func (s *Stats) AddFetchedSeries(series uint64) {
if s == nil {
return
}
atomic.AddUint64(&s.FetchedSeriesCount, series)
}
func (s *Stats) LoadFetchedSeries() uint64 {
if s == nil {
return 0
}
return atomic.LoadUint64(&s.FetchedSeriesCount)
}
func (s *Stats) AddFetchedChunkBytes(bytes uint64) {
if s == nil {
return
}
atomic.AddUint64(&s.FetchedChunkBytes, bytes)
}
func (s *Stats) LoadFetchedChunkBytes() uint64 {
if s == nil {
return 0
}
return atomic.LoadUint64(&s.FetchedChunkBytes)
}
// Merge the provide Stats into this one.
func (s *Stats) Merge(other *Stats) {
if s == nil || other == nil {
return
}
s.AddWallTime(other.LoadWallTime())
s.AddFetchedSeries(other.LoadFetchedSeries())
s.AddFetchedChunkBytes(other.LoadFetchedChunkBytes())
}
func ShouldTrackHTTPGRPCResponse(r *httpgrpc.HTTPResponse) bool {
// Do no track statistics for requests failed because of a server error.
return r.Code < 500
}