mirror of
https://github.com/woodpecker-ci/woodpecker.git
synced 2024-11-13 12:41:21 +00:00
f369d2c543
Closes https://github.com/woodpecker-ci/woodpecker/discussions/2174 - return bad habit error if no event filter is set - If this is applied, it's useless to allow `exclude`s on events. Therefore, deprecate it together with `include`s which should be replaced by `base.StringOrSlice` later.
85 lines
1.9 KiB
Go
85 lines
1.9 KiB
Go
package errors
|
|
|
|
import (
|
|
"errors"
|
|
"fmt"
|
|
|
|
"go.uber.org/multierr"
|
|
)
|
|
|
|
type PipelineErrorType string
|
|
|
|
const (
|
|
PipelineErrorTypeLinter PipelineErrorType = "linter" // some error with the config syntax
|
|
PipelineErrorTypeDeprecation PipelineErrorType = "deprecation" // using some deprecated feature
|
|
PipelineErrorTypeCompiler PipelineErrorType = "compiler" // some error with the config semantics
|
|
PipelineErrorTypeGeneric PipelineErrorType = "generic" // some generic error
|
|
PipelineErrorTypeBadHabit PipelineErrorType = "bad_habit" // some bad-habit error
|
|
)
|
|
|
|
type PipelineError struct {
|
|
Type PipelineErrorType `json:"type"`
|
|
Message string `json:"message"`
|
|
IsWarning bool `json:"is_warning"`
|
|
Data any `json:"data"`
|
|
}
|
|
|
|
type LinterErrorData struct {
|
|
File string `json:"file"`
|
|
Field string `json:"field"`
|
|
}
|
|
|
|
type DeprecationErrorData struct {
|
|
File string `json:"file"`
|
|
Field string `json:"field"`
|
|
Docs string `json:"docs"`
|
|
}
|
|
|
|
func (e *PipelineError) Error() string {
|
|
return fmt.Sprintf("[%s] %s", e.Type, e.Message)
|
|
}
|
|
|
|
func (e *PipelineError) GetLinterData() *LinterErrorData {
|
|
if e.Type != PipelineErrorTypeLinter {
|
|
return nil
|
|
}
|
|
|
|
if data, ok := e.Data.(*LinterErrorData); ok {
|
|
return data
|
|
}
|
|
|
|
return nil
|
|
}
|
|
|
|
func GetPipelineErrors(err error) []*PipelineError {
|
|
var pipelineErrors []*PipelineError
|
|
for _, _err := range multierr.Errors(err) {
|
|
var err *PipelineError
|
|
if errors.As(_err, &err) {
|
|
pipelineErrors = append(pipelineErrors, err)
|
|
} else {
|
|
pipelineErrors = append(pipelineErrors, &PipelineError{
|
|
Message: _err.Error(),
|
|
Type: PipelineErrorTypeGeneric,
|
|
})
|
|
}
|
|
}
|
|
|
|
return pipelineErrors
|
|
}
|
|
|
|
func HasBlockingErrors(err error) bool {
|
|
if err == nil {
|
|
return false
|
|
}
|
|
|
|
errs := GetPipelineErrors(err)
|
|
|
|
for _, err := range errs {
|
|
if !err.IsWarning {
|
|
return true
|
|
}
|
|
}
|
|
|
|
return false
|
|
}
|