mirror of
https://github.com/AdguardTeam/AdGuardHome.git
synced 2024-11-24 22:15:45 +03:00
99ec1d840c
Merge in DNS/adguard-home from use-mathutil to master Squashed commit of the following: commit cfe2c02a7bb727e81fcd91674aa777df37413a8e Author: Eugene Burkov <E.Burkov@AdGuard.COM> Date: Tue Jan 24 18:12:32 2023 +0300 all: use mathutil
60 lines
1.3 KiB
Go
60 lines
1.3 KiB
Go
// Package aghio contains extensions for io package's types and methods
|
|
package aghio
|
|
|
|
import (
|
|
"fmt"
|
|
"io"
|
|
|
|
"github.com/AdguardTeam/golibs/errors"
|
|
"github.com/AdguardTeam/golibs/mathutil"
|
|
)
|
|
|
|
// LimitReachedError records the limit and the operation that caused it.
|
|
type LimitReachedError struct {
|
|
Limit int64
|
|
}
|
|
|
|
// Error implements the [error] interface for *LimitReachedError.
|
|
//
|
|
// TODO(a.garipov): Think about error string format.
|
|
func (lre *LimitReachedError) Error() string {
|
|
return fmt.Sprintf("attempted to read more than %d bytes", lre.Limit)
|
|
}
|
|
|
|
// limitedReader is a wrapper for [io.Reader] limiting the input and dealing
|
|
// with errors package.
|
|
type limitedReader struct {
|
|
r io.Reader
|
|
limit int64
|
|
n int64
|
|
}
|
|
|
|
// Read implements the [io.Reader] interface.
|
|
func (lr *limitedReader) Read(p []byte) (n int, err error) {
|
|
if lr.n == 0 {
|
|
return 0, &LimitReachedError{
|
|
Limit: lr.limit,
|
|
}
|
|
}
|
|
|
|
p = p[:mathutil.Min(lr.n, int64(len(p)))]
|
|
|
|
n, err = lr.r.Read(p)
|
|
lr.n -= int64(n)
|
|
|
|
return n, err
|
|
}
|
|
|
|
// LimitReader wraps Reader to make it's Reader stop with ErrLimitReached after
|
|
// n bytes read.
|
|
func LimitReader(r io.Reader, n int64) (limited io.Reader, err error) {
|
|
if n < 0 {
|
|
return nil, errors.Error("limit must be non-negative")
|
|
}
|
|
|
|
return &limitedReader{
|
|
r: r,
|
|
limit: n,
|
|
n: n,
|
|
}, nil
|
|
}
|