403 lines
12 KiB
Go
403 lines
12 KiB
Go
// Copyright (C) 2018 Storj Labs, Inc.
|
|
// See LICENSE for copying information.
|
|
|
|
package eestream
|
|
|
|
import (
|
|
"context"
|
|
"io"
|
|
"io/ioutil"
|
|
"sync"
|
|
"time"
|
|
|
|
"storj.io/storj/pkg/encryption"
|
|
"storj.io/storj/pkg/ranger"
|
|
)
|
|
|
|
// ErasureScheme represents the general format of any erasure scheme algorithm.
|
|
// If this interface can be implemented, the rest of this library will work
|
|
// with it.
|
|
type ErasureScheme interface {
|
|
// Encode will take 'in' and call 'out' with erasure coded pieces.
|
|
Encode(in []byte, out func(num int, data []byte)) error
|
|
|
|
// Decode will take a mapping of available erasure coded piece num -> data,
|
|
// 'in', and append the combined data to 'out', returning it.
|
|
Decode(out []byte, in map[int][]byte) ([]byte, error)
|
|
|
|
// ErasureShareSize is the size of the erasure shares that come from Encode
|
|
// and are passed to Decode.
|
|
ErasureShareSize() int
|
|
|
|
// StripeSize is the size the stripes that are passed to Encode and come
|
|
// from Decode.
|
|
StripeSize() int
|
|
|
|
// Encode will generate this many pieces
|
|
TotalCount() int
|
|
|
|
// Decode requires at least this many pieces
|
|
RequiredCount() int
|
|
}
|
|
|
|
// RedundancyStrategy is an ErasureScheme with a repair and optimal thresholds
|
|
type RedundancyStrategy struct {
|
|
ErasureScheme
|
|
repairThreshold int
|
|
optimalThreshold int
|
|
}
|
|
|
|
// NewRedundancyStrategy from the given ErasureScheme, repair and optimal thresholds.
|
|
//
|
|
// repairThreshold is the minimum repair threshold.
|
|
// If set to 0, it will be reset to the TotalCount of the ErasureScheme.
|
|
// optimalThreshold is the optimal threshold.
|
|
// If set to 0, it will be reset to the TotalCount of the ErasureScheme.
|
|
func NewRedundancyStrategy(es ErasureScheme, repairThreshold, optimalThreshold int) (RedundancyStrategy, error) {
|
|
if repairThreshold == 0 {
|
|
repairThreshold = es.TotalCount()
|
|
}
|
|
|
|
if optimalThreshold == 0 {
|
|
optimalThreshold = es.TotalCount()
|
|
}
|
|
if repairThreshold < 0 {
|
|
return RedundancyStrategy{}, Error.New("negative repair threshold")
|
|
}
|
|
if repairThreshold > 0 && repairThreshold < es.RequiredCount() {
|
|
return RedundancyStrategy{}, Error.New("repair threshold less than required count")
|
|
}
|
|
if repairThreshold > es.TotalCount() {
|
|
return RedundancyStrategy{}, Error.New("repair threshold greater than total count")
|
|
}
|
|
if optimalThreshold < 0 {
|
|
return RedundancyStrategy{}, Error.New("negative optimal threshold")
|
|
}
|
|
if optimalThreshold > 0 && optimalThreshold < es.RequiredCount() {
|
|
return RedundancyStrategy{}, Error.New("optimal threshold less than required count")
|
|
}
|
|
if optimalThreshold > es.TotalCount() {
|
|
return RedundancyStrategy{}, Error.New("optimal threshold greater than total count")
|
|
}
|
|
if repairThreshold > optimalThreshold {
|
|
return RedundancyStrategy{}, Error.New("repair threshold greater than optimal threshold")
|
|
}
|
|
return RedundancyStrategy{ErasureScheme: es, repairThreshold: repairThreshold, optimalThreshold: optimalThreshold}, nil
|
|
}
|
|
|
|
// RepairThreshold is the number of available erasure pieces below which
|
|
// the data must be repaired to avoid loss
|
|
func (rs *RedundancyStrategy) RepairThreshold() int {
|
|
return rs.repairThreshold
|
|
}
|
|
|
|
// OptimalThreshold is the number of available erasure pieces above which
|
|
// there is no need for the data to be repaired
|
|
func (rs *RedundancyStrategy) OptimalThreshold() int {
|
|
return rs.optimalThreshold
|
|
}
|
|
|
|
type encodedReader struct {
|
|
ctx context.Context
|
|
cancel context.CancelFunc
|
|
r io.Reader
|
|
rs RedundancyStrategy
|
|
inbuf []byte
|
|
eps map[int](*encodedPiece)
|
|
mux sync.Mutex
|
|
start time.Time
|
|
done int // number of readers done
|
|
}
|
|
|
|
type block struct {
|
|
i int // reader index in the map
|
|
num int64 // block number
|
|
data []byte // block data
|
|
err error // error reading the block
|
|
}
|
|
|
|
// EncodeReader takes a Reader and a RedundancyStrategy and returns a slice of
|
|
// Readers.
|
|
//
|
|
// mbm is the maximum memory (in bytes) to be allocated for read buffers. If
|
|
// set to 0, the minimum possible memory will be used.
|
|
//
|
|
// When the repair threshold is reached a timer will be started with another
|
|
// 1.5x the amount of time that took so far. The Readers will be aborted as
|
|
// soon as the timer expires or the optimal threshold is reached.
|
|
func EncodeReader(ctx context.Context, r io.Reader, rs RedundancyStrategy, mbm int) ([]io.Reader, error) {
|
|
if err := checkMBM(mbm); err != nil {
|
|
return nil, err
|
|
}
|
|
er := &encodedReader{
|
|
r: r,
|
|
rs: rs,
|
|
inbuf: make([]byte, rs.StripeSize()),
|
|
eps: make(map[int](*encodedPiece), rs.TotalCount()),
|
|
start: time.Now(),
|
|
}
|
|
er.ctx, er.cancel = context.WithCancel(ctx)
|
|
readers := make([]io.Reader, 0, rs.TotalCount())
|
|
for i := 0; i < rs.TotalCount(); i++ {
|
|
er.eps[i] = &encodedPiece{
|
|
er: er,
|
|
}
|
|
er.eps[i].ctx, er.eps[i].cancel = context.WithCancel(er.ctx)
|
|
readers = append(readers, er.eps[i])
|
|
}
|
|
chanSize := mbm / (rs.TotalCount() * rs.ErasureShareSize())
|
|
if chanSize < 1 {
|
|
chanSize = 1
|
|
}
|
|
for i := 0; i < rs.TotalCount(); i++ {
|
|
er.eps[i].ch = make(chan block, chanSize)
|
|
}
|
|
go er.fillBuffer()
|
|
return readers, nil
|
|
}
|
|
|
|
func (er *encodedReader) fillBuffer() {
|
|
// these channels will synchronize the erasure encoder output with the
|
|
// goroutines for adding the output to the reader buffers
|
|
copiers := make(map[int]chan block, er.rs.TotalCount())
|
|
for i := 0; i < er.rs.TotalCount(); i++ {
|
|
copiers[i] = make(chan block)
|
|
// closing the channel will exit the next goroutine
|
|
defer close(copiers[i])
|
|
// kick off goroutine for parallel copy of encoded data to each
|
|
// reader buffer
|
|
go er.copyData(i, copiers[i])
|
|
}
|
|
// read from the input and encode until EOF or error
|
|
for blockNum := int64(0); ; blockNum++ {
|
|
_, err := io.ReadFull(er.r, er.inbuf)
|
|
if err != nil {
|
|
for i := range copiers {
|
|
copiers[i] <- block{i: i, num: blockNum, err: err}
|
|
}
|
|
return
|
|
}
|
|
err = er.rs.Encode(er.inbuf, func(num int, data []byte) {
|
|
b := block{
|
|
i: num,
|
|
num: blockNum,
|
|
data: make([]byte, len(data)),
|
|
}
|
|
// data is reused by infecious, so add a copy to the channel
|
|
copy(b.data, data)
|
|
// send the block to the goroutine for adding it to the reader buffer
|
|
copiers[num] <- b
|
|
})
|
|
if err != nil {
|
|
for i := range copiers {
|
|
copiers[i] <- block{i: i, num: blockNum, err: err}
|
|
}
|
|
return
|
|
}
|
|
}
|
|
}
|
|
|
|
// copyData waits for data block from the erasure encoder and copies it to the
|
|
// targeted reader buffer
|
|
func (er *encodedReader) copyData(num int, copier <-chan block) {
|
|
// close the respective buffer channel when this goroutine exits
|
|
defer er.closeReaderChannel(num)
|
|
// process the channel until closed
|
|
for b := range copier {
|
|
er.addToReader(b)
|
|
}
|
|
}
|
|
|
|
func (er *encodedReader) closeReaderChannel(num int) {
|
|
// use mutex to avoid data race with checkSlowChannel
|
|
er.mux.Lock()
|
|
defer er.mux.Unlock()
|
|
if !er.eps[num].closed {
|
|
er.eps[num].closed = true
|
|
close(er.eps[num].ch)
|
|
}
|
|
}
|
|
|
|
func (er *encodedReader) addToReader(b block) {
|
|
if er.eps[b.i].closed {
|
|
// this channel is already closed for slowness - skip it
|
|
return
|
|
}
|
|
for {
|
|
// initialize timer
|
|
timer := time.NewTimer(50 * time.Millisecond)
|
|
defer timer.Stop()
|
|
// add the encoded data to the respective reader buffer channel
|
|
|
|
select {
|
|
case er.eps[b.i].ch <- b:
|
|
return
|
|
// block for no more than 50 ms
|
|
case <-timer.C:
|
|
if er.checkSlowChannel(b.i) {
|
|
return
|
|
}
|
|
}
|
|
}
|
|
}
|
|
|
|
func (er *encodedReader) checkSlowChannel(num int) (closed bool) {
|
|
// use mutex to avoid concurrent map iteration and map write on channels
|
|
er.mux.Lock()
|
|
defer er.mux.Unlock()
|
|
// check how many buffer channels are already empty
|
|
ec := 0
|
|
for i := range er.eps {
|
|
if !er.eps[i].closed && len(er.eps[i].ch) == 0 {
|
|
ec++
|
|
}
|
|
}
|
|
// check if more than the required buffer channels are empty, i.e. the
|
|
// current channel is slow and should be closed and its context should be
|
|
// canceled
|
|
closed = ec >= er.rs.RepairThreshold()
|
|
if closed {
|
|
er.eps[num].closed = true
|
|
close(er.eps[num].ch)
|
|
er.eps[num].cancel()
|
|
}
|
|
return closed
|
|
}
|
|
|
|
// Called every time an encoded piece is done reading everything
|
|
func (er *encodedReader) readerDone() {
|
|
er.mux.Lock()
|
|
defer er.mux.Unlock()
|
|
er.done++
|
|
if er.done == er.rs.RepairThreshold() {
|
|
// repair threshold reached, wait for 1.5x the duration and cancel
|
|
// the context regardless if optimal threshold is reached
|
|
time.AfterFunc(time.Since(er.start)*3/2, er.cancel)
|
|
}
|
|
if er.done == er.rs.OptimalThreshold() {
|
|
// optimal threshold reached - cancel the context
|
|
er.cancel()
|
|
}
|
|
}
|
|
|
|
type encodedPiece struct {
|
|
ctx context.Context
|
|
cancel context.CancelFunc
|
|
er *encodedReader
|
|
ch chan block
|
|
closed bool
|
|
outbuf []byte
|
|
err error
|
|
}
|
|
|
|
func (ep *encodedPiece) Read(p []byte) (n int, err error) {
|
|
if ep.err != nil {
|
|
return 0, ep.err
|
|
}
|
|
if len(ep.outbuf) <= 0 {
|
|
// take the next block from the channel or block if channel is empty
|
|
select {
|
|
case b, ok := <-ep.ch:
|
|
if !ok {
|
|
// channel was closed due to slowness
|
|
return 0, io.ErrUnexpectedEOF
|
|
}
|
|
if b.err != nil {
|
|
ep.err = b.err
|
|
if ep.err == io.EOF {
|
|
ep.er.readerDone()
|
|
}
|
|
return 0, ep.err
|
|
}
|
|
ep.outbuf = b.data
|
|
case <-ep.ctx.Done():
|
|
// context was canceled due to:
|
|
// - slowness
|
|
// - optimal threshold reached
|
|
// - timeout after reaching repair threshold expired
|
|
return 0, io.ErrUnexpectedEOF
|
|
}
|
|
}
|
|
|
|
// we have some buffer remaining for this piece. write it to the output
|
|
n = copy(p, ep.outbuf)
|
|
// slide the unused (if any) bytes to the beginning of the buffer
|
|
copy(ep.outbuf, ep.outbuf[n:])
|
|
// and shrink the buffer
|
|
ep.outbuf = ep.outbuf[:len(ep.outbuf)-n]
|
|
return n, nil
|
|
}
|
|
|
|
// EncodedRanger will take an existing Ranger and provide a means to get
|
|
// multiple Ranged sub-Readers. EncodedRanger does not match the normal Ranger
|
|
// interface.
|
|
type EncodedRanger struct {
|
|
rr ranger.Ranger
|
|
rs RedundancyStrategy
|
|
mbm int // max buffer memory
|
|
}
|
|
|
|
// NewEncodedRanger from the given Ranger and RedundancyStrategy. See the
|
|
// comments for EncodeReader about the repair and optimal thresholds, and the
|
|
// max buffer memory.
|
|
func NewEncodedRanger(rr ranger.Ranger, rs RedundancyStrategy, mbm int) (*EncodedRanger, error) {
|
|
if rr.Size()%int64(rs.StripeSize()) != 0 {
|
|
return nil, Error.New("invalid erasure encoder and range reader combo. " +
|
|
"range reader size must be a multiple of erasure encoder block size")
|
|
}
|
|
if err := checkMBM(mbm); err != nil {
|
|
return nil, err
|
|
}
|
|
return &EncodedRanger{
|
|
rs: rs,
|
|
rr: rr,
|
|
mbm: mbm,
|
|
}, nil
|
|
}
|
|
|
|
// OutputSize is like Ranger.Size but returns the Size of the erasure encoded
|
|
// pieces that come out.
|
|
func (er *EncodedRanger) OutputSize() int64 {
|
|
blocks := er.rr.Size() / int64(er.rs.StripeSize())
|
|
return blocks * int64(er.rs.ErasureShareSize())
|
|
}
|
|
|
|
// Range is like Ranger.Range, but returns a slice of Readers
|
|
func (er *EncodedRanger) Range(ctx context.Context, offset, length int64) ([]io.Reader, error) {
|
|
// the offset and length given may not be block-aligned, so let's figure
|
|
// out which blocks contain the request.
|
|
firstBlock, blockCount := encryption.CalcEncompassingBlocks(
|
|
offset, length, er.rs.ErasureShareSize())
|
|
// okay, now let's encode the reader for the range containing the blocks
|
|
r, err := er.rr.Range(ctx,
|
|
firstBlock*int64(er.rs.StripeSize()),
|
|
blockCount*int64(er.rs.StripeSize()))
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
readers, err := EncodeReader(ctx, r, er.rs, er.mbm)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
for i, r := range readers {
|
|
// the offset might start a few bytes in, so we potentially have to
|
|
// discard the beginning bytes
|
|
_, err := io.CopyN(ioutil.Discard, r,
|
|
offset-firstBlock*int64(er.rs.ErasureShareSize()))
|
|
if err != nil {
|
|
return nil, Error.Wrap(err)
|
|
}
|
|
// the length might be shorter than a multiple of the block size, so
|
|
// limit it
|
|
readers[i] = io.LimitReader(r, length)
|
|
}
|
|
return readers, nil
|
|
}
|
|
|
|
func checkMBM(mbm int) error {
|
|
if mbm < 0 {
|
|
return Error.New("negative max buffer memory")
|
|
}
|
|
return nil
|
|
}
|