2020-01-22 23:57:42 +00:00
|
|
|
package incrt
|
|
|
|
|
|
|
|
import (
|
|
|
|
"io"
|
|
|
|
"time"
|
|
|
|
|
|
|
|
logging "github.com/ipfs/go-log/v2"
|
2020-07-10 14:43:14 +00:00
|
|
|
|
|
|
|
"github.com/filecoin-project/lotus/build"
|
2020-01-22 23:57:42 +00:00
|
|
|
)
|
|
|
|
|
|
|
|
var log = logging.Logger("incrt")
|
|
|
|
|
|
|
|
type ReaderDeadline interface {
|
|
|
|
Read([]byte) (int, error)
|
|
|
|
SetReadDeadline(time.Time) error
|
|
|
|
}
|
|
|
|
|
|
|
|
type incrt struct {
|
|
|
|
rd ReaderDeadline
|
|
|
|
|
|
|
|
waitPerByte time.Duration
|
|
|
|
wait time.Duration
|
|
|
|
maxWait time.Duration
|
|
|
|
}
|
|
|
|
|
|
|
|
// New creates an Incremental Reader Timeout, with minimum sustained speed of
|
|
|
|
// minSpeed bytes per second and with maximum wait of maxWait
|
|
|
|
func New(rd ReaderDeadline, minSpeed int64, maxWait time.Duration) io.Reader {
|
|
|
|
return &incrt{
|
|
|
|
rd: rd,
|
|
|
|
waitPerByte: time.Second / time.Duration(minSpeed),
|
|
|
|
wait: maxWait,
|
|
|
|
maxWait: maxWait,
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2020-01-23 20:35:57 +00:00
|
|
|
type errNoWait struct{}
|
|
|
|
|
|
|
|
func (err errNoWait) Error() string {
|
|
|
|
return "wait time exceeded"
|
|
|
|
}
|
|
|
|
func (err errNoWait) Timeout() bool {
|
|
|
|
return true
|
|
|
|
}
|
|
|
|
|
|
|
|
func (crt *incrt) Read(buf []byte) (int, error) {
|
2020-07-10 14:43:14 +00:00
|
|
|
start := build.Clock.Now()
|
2020-01-23 20:35:57 +00:00
|
|
|
if crt.wait == 0 {
|
|
|
|
return 0, errNoWait{}
|
|
|
|
}
|
|
|
|
|
|
|
|
err := crt.rd.SetReadDeadline(start.Add(crt.wait))
|
2020-01-22 23:57:42 +00:00
|
|
|
if err != nil {
|
2020-04-08 16:31:16 +00:00
|
|
|
log.Debugf("unable to set deadline: %+v", err)
|
2020-01-22 23:57:42 +00:00
|
|
|
}
|
|
|
|
|
2020-01-23 20:35:57 +00:00
|
|
|
n, err := crt.rd.Read(buf)
|
2020-01-22 23:57:42 +00:00
|
|
|
|
2020-05-27 20:53:20 +00:00
|
|
|
_ = crt.rd.SetReadDeadline(time.Time{})
|
2020-01-23 20:35:57 +00:00
|
|
|
if err == nil {
|
2020-07-10 14:43:14 +00:00
|
|
|
dur := build.Clock.Now().Sub(start)
|
2020-01-23 20:35:57 +00:00
|
|
|
crt.wait -= dur
|
|
|
|
crt.wait += time.Duration(n) * crt.waitPerByte
|
|
|
|
if crt.wait < 0 {
|
|
|
|
crt.wait = 0
|
|
|
|
}
|
|
|
|
if crt.wait > crt.maxWait {
|
|
|
|
crt.wait = crt.maxWait
|
|
|
|
}
|
|
|
|
}
|
2020-01-22 23:57:42 +00:00
|
|
|
return n, err
|
|
|
|
}
|