yay/pkg/multierror/multierror.go

42 lines
799 B
Go
Raw Normal View History

package multierror
2019-10-05 16:35:46 +00:00
import "sync"
2021-08-11 18:13:28 +00:00
// MultiError type handles error accumulation from goroutines.
2019-10-05 16:35:46 +00:00
type MultiError struct {
Errors []error
mux sync.Mutex
}
2021-08-11 18:13:28 +00:00
// Error turns the MultiError structure into a string.
2019-10-05 16:35:46 +00:00
func (err *MultiError) Error() string {
str := ""
for _, e := range err.Errors {
str += e.Error() + "\n"
}
return str[:len(str)-1]
}
2021-08-11 18:13:28 +00:00
// Add adds an error to the Multierror structure.
2019-10-05 16:35:46 +00:00
func (err *MultiError) Add(e error) {
if e == nil {
return
}
err.mux.Lock()
err.Errors = append(err.Errors, e)
err.mux.Unlock()
}
2019-10-09 14:15:36 +00:00
// Return is used as a wrapper on return on whether to return the
2021-08-11 18:13:28 +00:00
// MultiError Structure if errors exist or nil instead of delivering an empty structure.
2019-10-05 16:35:46 +00:00
func (err *MultiError) Return() error {
if len(err.Errors) > 0 {
return err
}
return nil
}