mirror of
https://github.com/moby/moby.git
synced 2022-11-09 12:21:53 -05:00
54b3af4c7d
Signed-off-by: Anda Xu <anda.xu@docker.com>
58 lines
1.1 KiB
Go
58 lines
1.1 KiB
Go
package throttle
|
|
|
|
import (
|
|
"sync"
|
|
"time"
|
|
)
|
|
|
|
// Throttle wraps a function so that internal function does not get called
|
|
// more frequently than the specified duration.
|
|
func Throttle(d time.Duration, f func()) func() {
|
|
return throttle(d, f, true)
|
|
}
|
|
|
|
// ThrottleAfter wraps a function so that internal function does not get called
|
|
// more frequently than the specified duration. The delay is added after function
|
|
// has been called.
|
|
func ThrottleAfter(d time.Duration, f func()) func() {
|
|
return throttle(d, f, false)
|
|
}
|
|
|
|
func throttle(d time.Duration, f func(), wait bool) func() {
|
|
var next, running bool
|
|
var mu sync.Mutex
|
|
return func() {
|
|
mu.Lock()
|
|
defer mu.Unlock()
|
|
|
|
next = true
|
|
if !running {
|
|
running = true
|
|
go func() {
|
|
for {
|
|
mu.Lock()
|
|
if next == false {
|
|
running = false
|
|
mu.Unlock()
|
|
return
|
|
}
|
|
if !wait {
|
|
next = false
|
|
}
|
|
mu.Unlock()
|
|
|
|
if wait {
|
|
time.Sleep(d)
|
|
mu.Lock()
|
|
next = false
|
|
mu.Unlock()
|
|
f()
|
|
} else {
|
|
f()
|
|
time.Sleep(d)
|
|
}
|
|
}
|
|
}()
|
|
}
|
|
}
|
|
}
|