mirror of
https://github.com/foxcpp/maddy.git
synced 2025-04-05 14:07:38 +03:00
Set of flow restrictions is represented as a "limits" module instance that can be either created inline via "limits" directive in some modules (including "remote" target and "smtp" endpoint) or defined globally and referenced in configuration of modules mentioned above. This permits a variety of use cases, including shared and separate counters for various endpoints and also "modules group" style sharing described in #195.
101 lines
1.7 KiB
Go
101 lines
1.7 KiB
Go
package limiters
|
|
|
|
import (
|
|
"context"
|
|
"errors"
|
|
"time"
|
|
)
|
|
|
|
var (
|
|
ErrClosed = errors.New("limiters: Rate bucket is closed")
|
|
)
|
|
|
|
// Rate structure implements a basic rate-limiter for requests using the token
|
|
// bucket approach.
|
|
//
|
|
// Take() is expected to be called before each request. Excessive calls will
|
|
// block. Timeouts can be implemented using the TakeContext method.
|
|
//
|
|
// Rate.Close causes all waiting Take to return false. TakeContext returns
|
|
// ErrClosed in this case.
|
|
//
|
|
// If burstSize = 0, all methods are no-op and always succeed.
|
|
type Rate struct {
|
|
bucket chan struct{}
|
|
stop chan struct{}
|
|
}
|
|
|
|
func NewRate(burstSize int, interval time.Duration) Rate {
|
|
r := Rate{
|
|
bucket: make(chan struct{}, burstSize),
|
|
stop: make(chan struct{}),
|
|
}
|
|
|
|
if burstSize == 0 {
|
|
return r
|
|
}
|
|
|
|
for i := 0; i < burstSize; i++ {
|
|
r.bucket <- struct{}{}
|
|
}
|
|
|
|
go r.fill(burstSize, interval)
|
|
return r
|
|
}
|
|
|
|
func (r Rate) fill(burstSize int, interval time.Duration) {
|
|
t := time.NewTimer(interval)
|
|
defer t.Stop()
|
|
for {
|
|
t.Reset(interval)
|
|
select {
|
|
case <-t.C:
|
|
case <-r.stop:
|
|
close(r.bucket)
|
|
return
|
|
}
|
|
|
|
fill:
|
|
for i := 0; i < burstSize; i++ {
|
|
select {
|
|
case r.bucket <- struct{}{}:
|
|
default:
|
|
// If there are no Take pending and the bucket is already
|
|
// full - don't block.
|
|
break fill
|
|
}
|
|
}
|
|
}
|
|
}
|
|
|
|
func (r Rate) Take() bool {
|
|
if cap(r.bucket) == 0 {
|
|
return true
|
|
}
|
|
|
|
_, ok := <-r.bucket
|
|
return ok
|
|
}
|
|
|
|
func (r Rate) TakeContext(ctx context.Context) error {
|
|
if cap(r.bucket) == 0 {
|
|
return nil
|
|
}
|
|
|
|
select {
|
|
case _, ok := <-r.bucket:
|
|
if !ok {
|
|
return ErrClosed
|
|
}
|
|
return nil
|
|
case <-ctx.Done():
|
|
return ctx.Err()
|
|
}
|
|
}
|
|
|
|
func (r Rate) Release() {
|
|
}
|
|
|
|
func (r Rate) Close() {
|
|
close(r.stop)
|
|
}
|