tendermint/common/throttle_timer.go

76 lines
1.4 KiB
Go
Raw Normal View History

2015-10-21 12:15:19 -07:00
package common
import (
"sync"
2015-10-21 12:15:19 -07:00
"time"
)
/*
ThrottleTimer fires an event at most "dur" after each .Set() call.
If a short burst of .Set() calls happens, ThrottleTimer fires once.
If a long continuous burst of .Set() calls happens, ThrottleTimer fires
at most once every "dur".
*/
type ThrottleTimer struct {
Name string
Ch chan struct{}
quit chan struct{}
dur time.Duration
mtx sync.Mutex
2015-10-21 12:15:19 -07:00
timer *time.Timer
isSet bool
2015-10-21 12:15:19 -07:00
}
func NewThrottleTimer(name string, dur time.Duration) *ThrottleTimer {
var ch = make(chan struct{})
var quit = make(chan struct{})
var t = &ThrottleTimer{Name: name, Ch: ch, dur: dur, quit: quit}
t.mtx.Lock()
2015-10-21 12:15:19 -07:00
t.timer = time.AfterFunc(dur, t.fireRoutine)
t.mtx.Unlock()
2015-10-21 12:15:19 -07:00
t.timer.Stop()
return t
}
func (t *ThrottleTimer) fireRoutine() {
t.mtx.Lock()
defer t.mtx.Unlock()
2015-10-21 12:15:19 -07:00
select {
case t.Ch <- struct{}{}:
t.isSet = false
2015-10-21 12:15:19 -07:00
case <-t.quit:
// do nothing
default:
t.timer.Reset(t.dur)
}
}
func (t *ThrottleTimer) Set() {
t.mtx.Lock()
defer t.mtx.Unlock()
if !t.isSet {
t.isSet = true
2015-10-21 12:15:19 -07:00
t.timer.Reset(t.dur)
}
}
2016-01-10 08:12:10 -08:00
func (t *ThrottleTimer) Unset() {
t.mtx.Lock()
defer t.mtx.Unlock()
t.isSet = false
2016-01-10 08:12:10 -08:00
t.timer.Stop()
}
2015-10-21 12:15:19 -07:00
// For ease of .Stop()'ing services before .Start()'ing them,
// we ignore .Stop()'s on nil ThrottleTimers
func (t *ThrottleTimer) Stop() bool {
if t == nil {
return false
}
close(t.quit)
t.mtx.Lock()
defer t.mtx.Unlock()
2015-10-21 12:15:19 -07:00
return t.timer.Stop()
}