2017-10-08 18:28:03 +00:00
|
|
|
package limiter
|
|
|
|
|
|
|
|
import (
|
|
|
|
"io"
|
2017-12-29 11:43:49 +00:00
|
|
|
"net/http"
|
2017-10-08 18:28:03 +00:00
|
|
|
|
|
|
|
"github.com/juju/ratelimit"
|
|
|
|
)
|
|
|
|
|
|
|
|
type staticLimiter struct {
|
|
|
|
upstream *ratelimit.Bucket
|
|
|
|
downstream *ratelimit.Bucket
|
|
|
|
}
|
|
|
|
|
|
|
|
// NewStaticLimiter constructs a Limiter with a fixed (static) upload and
|
|
|
|
// download rate cap
|
|
|
|
func NewStaticLimiter(uploadKb, downloadKb int) Limiter {
|
|
|
|
var (
|
|
|
|
upstreamBucket *ratelimit.Bucket
|
|
|
|
downstreamBucket *ratelimit.Bucket
|
|
|
|
)
|
|
|
|
|
|
|
|
if uploadKb > 0 {
|
|
|
|
upstreamBucket = ratelimit.NewBucketWithRate(toByteRate(uploadKb), int64(toByteRate(uploadKb)))
|
|
|
|
}
|
|
|
|
|
|
|
|
if downloadKb > 0 {
|
|
|
|
downstreamBucket = ratelimit.NewBucketWithRate(toByteRate(downloadKb), int64(toByteRate(downloadKb)))
|
|
|
|
}
|
|
|
|
|
|
|
|
return staticLimiter{
|
|
|
|
upstream: upstreamBucket,
|
|
|
|
downstream: downstreamBucket,
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
func (l staticLimiter) Upstream(r io.Reader) io.Reader {
|
|
|
|
return l.limit(r, l.upstream)
|
|
|
|
}
|
|
|
|
|
|
|
|
func (l staticLimiter) Downstream(r io.Reader) io.Reader {
|
|
|
|
return l.limit(r, l.downstream)
|
|
|
|
}
|
|
|
|
|
2017-12-29 11:43:49 +00:00
|
|
|
type roundTripper func(*http.Request) (*http.Response, error)
|
|
|
|
|
|
|
|
func (rt roundTripper) RoundTrip(req *http.Request) (*http.Response, error) {
|
|
|
|
return rt(req)
|
|
|
|
}
|
|
|
|
|
|
|
|
func (l staticLimiter) roundTripper(rt http.RoundTripper, req *http.Request) (*http.Response, error) {
|
|
|
|
if req.Body != nil {
|
|
|
|
req.Body = limitedReadCloser{
|
|
|
|
limited: l.Upstream(req.Body),
|
|
|
|
original: req.Body,
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
res, err := rt.RoundTrip(req)
|
|
|
|
|
|
|
|
if res != nil && res.Body != nil {
|
|
|
|
res.Body = limitedReadCloser{
|
|
|
|
limited: l.Downstream(res.Body),
|
|
|
|
original: res.Body,
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
return res, err
|
|
|
|
}
|
|
|
|
|
|
|
|
// Transport returns an HTTP transport limited with the limiter l.
|
|
|
|
func (l staticLimiter) Transport(rt http.RoundTripper) http.RoundTripper {
|
|
|
|
return roundTripper(func(req *http.Request) (*http.Response, error) {
|
|
|
|
return l.roundTripper(rt, req)
|
|
|
|
})
|
|
|
|
}
|
|
|
|
|
2017-10-08 18:28:03 +00:00
|
|
|
func (l staticLimiter) limit(r io.Reader, b *ratelimit.Bucket) io.Reader {
|
|
|
|
if b == nil {
|
|
|
|
return r
|
|
|
|
}
|
|
|
|
return ratelimit.Reader(r, b)
|
|
|
|
}
|
|
|
|
|
|
|
|
func toByteRate(val int) float64 {
|
|
|
|
return float64(val) * 1024.
|
|
|
|
}
|