aboutsummaryrefslogtreecommitdiff
path: root/plugin/cache/freq/freq.go
blob: f545f222e8fd4241dca26096736df4e1618a77e0 (plain) (blame)
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
// Package freq keeps track of last X seen events. The events themselves are not stored
// here. So the Freq type should be added next to the thing it is tracking.
package freq

import (
	"sync"
	"time"
)

// Freq tracks the frequencies of things.
type Freq struct {
	// Last time we saw a query for this element.
	last time.Time
	// Number of this in the last time slice.
	hits int

	sync.RWMutex
}

// New returns a new initialized Freq.
func New(t time.Time) *Freq {
	return &Freq{last: t, hits: 0}
}

// Update updates the number of hits. Last time seen will be set to now.
// If the last time we've seen this entity is within now - d, we increment hits, otherwise
// we reset hits to 1. It returns the number of hits.
func (f *Freq) Update(d time.Duration, now time.Time) int {
	earliest := now.Add(-1 * d)
	f.Lock()
	defer f.Unlock()
	if f.last.Before(earliest) {
		f.last = now
		f.hits = 1
		return f.hits
	}
	f.last = now
	f.hits++
	return f.hits
}

// Hits returns the number of hits that we have seen, according to the updates we have done to f.
func (f *Freq) Hits() int {
	f.RLock()
	defer f.RUnlock()
	return f.hits
}

// Reset resets f to time t and hits to hits.
func (f *Freq) Reset(t time.Time, hits int) {
	f.Lock()
	defer f.Unlock()
	f.last = t
	f.hits = hits
}