fleet/server/contexts/ctxerr/statistics.go
Roberto Dip b2d07e56b5
report error analytics (#6341)
Related to #5898, this reports an anonymized summary of errors stored in Redis into the analytics payload.

For each error stored, this includes:

- A `count` attribute with the number of occurrences of the error
- A `loc` attribute with the 3 topmost lines in the stack trace. Note that stack traces only contain package name + line number (example: github.com/fleetdm/fleet/server.go:12

This also includes a minor refactor around error types.
2022-06-28 16:31:14 -03:00

60 lines
1.3 KiB
Go

package ctxerr
import (
"context"
"encoding/json"
)
type errorAgg struct {
Count int `json:"count"`
Loc []string `json:"loc"`
}
// Aggregate retrieves all errors in the store and returns an aggregated,
// json-formatted summary containing:
// - The number of occurrences of each error
// - A reduced stack trace used for debugging the error
func Aggregate(ctx context.Context) (json.RawMessage, error) {
const maxTraceLen = 3
empty := json.RawMessage("[]")
storedErrs, err := Retrieve(ctx)
if err != nil {
return empty, Wrap(ctx, err, "retrieve on aggregation")
}
aggs := make([]errorAgg, len(storedErrs))
for i, stored := range storedErrs {
var ferr []fleetErrorJSON
if err = json.Unmarshal(stored.Chain, &ferr); err != nil {
return empty, Wrap(ctx, err, "unmarshal on aggregation")
}
stack := aggregateStack(ferr, maxTraceLen)
aggs[i] = errorAgg{stored.Count, stack}
}
return json.Marshal(aggs)
}
// aggregateStack creates a single stack trace by joining all the stack traces in
// an error chain
func aggregateStack(chain []fleetErrorJSON, max int) []string {
stack := make([]string, max)
stackIdx := 0
out:
for _, e := range chain {
for _, m := range e.Stack {
if stackIdx >= max {
break out
}
stack[stackIdx] = m
stackIdx++
}
}
return stack[:stackIdx]
}