tendermint/common/throttle_timer.go

108 lines
1.9 KiB
Go
Raw Normal View History

2015-10-21 12:15:19 -07:00
package common
import (
2017-12-06 11:17:50 +01:00
"fmt"
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 {
2017-12-06 11:17:50 +01:00
Name string
Ch chan struct{}
input chan command
dur time.Duration
2015-10-21 12:15:19 -07:00
timer *time.Timer
isSet bool
2015-10-21 12:15:19 -07:00
}
2017-12-06 11:17:50 +01:00
type command int32
const (
Set command = iota
Unset
Quit
)
2015-10-21 12:15:19 -07:00
func NewThrottleTimer(name string, dur time.Duration) *ThrottleTimer {
2017-12-06 11:17:50 +01:00
var t = &ThrottleTimer{
Name: name,
Ch: make(chan struct{}, 1),
dur: dur,
input: make(chan command),
timer: time.NewTimer(dur),
}
2015-10-21 12:15:19 -07:00
t.timer.Stop()
2017-12-06 11:17:50 +01:00
go t.run()
2015-10-21 12:15:19 -07:00
return t
}
2017-12-06 11:17:50 +01:00
func (t *ThrottleTimer) run() {
for {
select {
case cmd := <-t.input:
// stop goroutine if the input says so
if t.processInput(cmd) {
// TODO: do we want to close the channels???
// close(t.Ch)
// close(t.input)
return
}
case <-t.timer.C:
t.isSet = false
t.Ch <- struct{}{}
}
}
}
// all modifications of the internal state of ThrottleTimer
// happen in this method. It is only called from the run goroutine
// so we avoid any race conditions
func (t *ThrottleTimer) processInput(cmd command) (shutdown bool) {
fmt.Printf("processInput: %d\n", cmd)
switch cmd {
case Set:
if !t.isSet {
t.isSet = true
t.timer.Reset(t.dur)
}
case Quit:
shutdown = true
fallthrough
case Unset:
if t.isSet {
t.isSet = false
if !t.timer.Stop() {
<-t.timer.C
}
}
2015-10-21 12:15:19 -07:00
default:
2017-12-06 11:17:50 +01:00
panic("unknown command!")
2015-10-21 12:15:19 -07:00
}
2017-12-06 11:17:50 +01:00
// return true
return shutdown
2015-10-21 12:15:19 -07:00
}
func (t *ThrottleTimer) Set() {
2017-12-06 11:17:50 +01:00
t.input <- Set
2015-10-21 12:15:19 -07:00
}
2016-01-10 08:12:10 -08:00
func (t *ThrottleTimer) Unset() {
2017-12-06 11:17:50 +01:00
t.input <- Unset
2016-01-10 08:12:10 -08:00
}
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
}
2017-12-06 11:17:50 +01:00
t.input <- Quit
return true
2015-10-21 12:15:19 -07:00
}