mirror of
https://github.com/octoleo/restic.git
synced 2024-11-04 12:34:13 +00:00
d42ff509ba
* use uint instead of uint32 in packs/indexes * use ID.Str() for debug messages * add ParallelIDWorkFunc
89 lines
1.8 KiB
Go
89 lines
1.8 KiB
Go
package repository
|
|
|
|
import (
|
|
"sync"
|
|
|
|
"github.com/restic/restic/backend"
|
|
)
|
|
|
|
func closeIfOpen(ch chan struct{}) {
|
|
// only close ch when it is not already closed, in which the case statement runs.
|
|
select {
|
|
case <-ch:
|
|
return
|
|
default:
|
|
close(ch)
|
|
}
|
|
}
|
|
|
|
// ParallelWorkFunc gets one file ID to work on. If an error is returned,
|
|
// processing stops. If done is closed, the function should return.
|
|
type ParallelWorkFunc func(id string, done <-chan struct{}) error
|
|
|
|
// ParallelIDWorkFunc gets one backend.ID to work on. If an error is returned,
|
|
// processing stops. If done is closed, the function should return.
|
|
type ParallelIDWorkFunc func(id backend.ID, done <-chan struct{}) error
|
|
|
|
// FilesInParallel runs n workers of f in parallel, on the IDs that
|
|
// repo.List(t) yield. If f returns an error, the process is aborted and the
|
|
// first error is returned.
|
|
func FilesInParallel(repo backend.Lister, t backend.Type, n uint, f ParallelWorkFunc) error {
|
|
done := make(chan struct{})
|
|
defer closeIfOpen(done)
|
|
|
|
wg := &sync.WaitGroup{}
|
|
|
|
ch := repo.List(t, done)
|
|
|
|
errors := make(chan error, n)
|
|
|
|
for i := 0; uint(i) < n; i++ {
|
|
wg.Add(1)
|
|
go func() {
|
|
defer wg.Done()
|
|
|
|
for {
|
|
select {
|
|
case id, ok := <-ch:
|
|
if !ok {
|
|
return
|
|
}
|
|
|
|
err := f(id, done)
|
|
if err != nil {
|
|
closeIfOpen(done)
|
|
errors <- err
|
|
return
|
|
}
|
|
case <-done:
|
|
return
|
|
}
|
|
}
|
|
}()
|
|
}
|
|
|
|
wg.Wait()
|
|
|
|
select {
|
|
case err := <-errors:
|
|
return err
|
|
default:
|
|
break
|
|
}
|
|
|
|
return nil
|
|
}
|
|
|
|
// ParallelWorkFuncParseID converts a function that takes a backend.ID to a
|
|
// function that takes a string.
|
|
func ParallelWorkFuncParseID(f ParallelIDWorkFunc) ParallelWorkFunc {
|
|
return func(s string, done <-chan struct{}) error {
|
|
id, err := backend.ParseID(s)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
|
|
return f(id, done)
|
|
}
|
|
}
|