mirror of
https://github.com/mgechev/revive.git
synced 2025-11-23 22:04:49 +02:00
* rule: tests for Configure with named options; fix errors * rule: refactor and add tests for ifelse rules * rule: allow lowercased and kebab-cased options * test: update integration tests with lowercased params * docs: update rules descriptions * rule: simplify Configure implementation with one option * gofmt and fix lint * review: add isRuleOption, update grammar in doc, simplify regex Co-authored-by: ccoVeille <3875889+ccoVeille@users.noreply.github.com> --------- Co-authored-by: ccoVeille <3875889+ccoVeille@users.noreply.github.com>
73 lines
1.8 KiB
Go
73 lines
1.8 KiB
Go
package rule
|
|
|
|
import (
|
|
"fmt"
|
|
|
|
"github.com/mgechev/revive/internal/ifelse"
|
|
"github.com/mgechev/revive/lint"
|
|
)
|
|
|
|
// SuperfluousElseRule lints given else constructs.
|
|
type SuperfluousElseRule struct {
|
|
// preserveScope prevents suggestions that would enlarge variable scope.
|
|
preserveScope bool
|
|
}
|
|
|
|
// Configure validates the rule configuration, and configures the rule accordingly.
|
|
//
|
|
// Configuration implements the [lint.ConfigurableRule] interface.
|
|
func (e *SuperfluousElseRule) Configure(arguments lint.Arguments) error {
|
|
for _, arg := range arguments {
|
|
sarg, ok := arg.(string)
|
|
if !ok {
|
|
continue
|
|
}
|
|
if isRuleOption(sarg, "preserveScope") {
|
|
e.preserveScope = true
|
|
}
|
|
}
|
|
return nil
|
|
}
|
|
|
|
// Apply applies the rule to given file.
|
|
func (e *SuperfluousElseRule) Apply(file *lint.File, _ lint.Arguments) []lint.Failure {
|
|
return ifelse.Apply(e.checkIfElse, file.AST, ifelse.TargetElse, ifelse.Args{
|
|
PreserveScope: e.preserveScope,
|
|
// AllowJump is not used by this rule
|
|
})
|
|
}
|
|
|
|
// Name returns the rule name.
|
|
func (*SuperfluousElseRule) Name() string {
|
|
return "superfluous-else"
|
|
}
|
|
|
|
func (e *SuperfluousElseRule) checkIfElse(chain ifelse.Chain) (string, bool) {
|
|
if !chain.HasElse {
|
|
return "", false
|
|
}
|
|
|
|
if !chain.If.Deviates() {
|
|
// this rule only applies if the if-block deviates control flow
|
|
return "", false
|
|
}
|
|
|
|
if chain.HasPriorNonDeviating {
|
|
// if we de-indent the "else" block then a previous branch
|
|
// might flow into it, affecting program behavior
|
|
return "", false
|
|
}
|
|
|
|
if chain.If.Returns() {
|
|
// avoid overlapping with indent-error-flow
|
|
return "", false
|
|
}
|
|
|
|
if e.preserveScope && !chain.AtBlockEnd && (chain.HasInitializer || chain.Else.HasDecls()) {
|
|
// avoid increasing variable scope
|
|
return "", false
|
|
}
|
|
|
|
return fmt.Sprintf("if block ends with %v, so drop this else and outdent its block", chain.If.LongString()), true
|
|
}
|