woodpecker/vendor/github.com/mgechev/revive/rule/time-equal.go
6543 56a854fe14
Update deps (#789)
* update github.com/docker/cli

* update github.com/docker/distribution

* update github.com/docker/docker

* update github.com/gin-gonic/gin

* update github.com/golang-jwt/jwt/v4

* update github.com/golangci/golangci-lint

* update github.com/gorilla/securecookie

* update github.com/mattn/go-sqlite3

* update github.com/moby/moby

* update github.com/prometheus/client_golang

* update github.com/xanzy/go-gitlab
2022-02-24 17:33:24 +01:00

76 lines
1.5 KiB
Go

package rule
import (
"fmt"
"go/ast"
"go/token"
"github.com/mgechev/revive/lint"
)
// TimeEqualRule shows where "==" and "!=" used for equality check time.Time
type TimeEqualRule struct{}
// Apply applies the rule to given file.
func (*TimeEqualRule) Apply(file *lint.File, _ lint.Arguments) []lint.Failure {
var failures []lint.Failure
onFailure := func(failure lint.Failure) {
failures = append(failures, failure)
}
w := &lintTimeEqual{file, onFailure}
if w.file.Pkg.TypeCheck() != nil {
return nil
}
ast.Walk(w, file.AST)
return failures
}
// Name returns the rule name.
func (*TimeEqualRule) Name() string {
return "time-equal"
}
type lintTimeEqual struct {
file *lint.File
onFailure func(lint.Failure)
}
func (l *lintTimeEqual) Visit(node ast.Node) ast.Visitor {
expr, ok := node.(*ast.BinaryExpr)
if !ok {
return l
}
switch expr.Op {
case token.EQL, token.NEQ:
default:
return l
}
xtyp := l.file.Pkg.TypeOf(expr.X)
ytyp := l.file.Pkg.TypeOf(expr.Y)
if !isNamedType(xtyp, "time", "Time") || !isNamedType(ytyp, "time", "Time") {
return l
}
var failure string
switch expr.Op {
case token.EQL:
failure = fmt.Sprintf("use %s.Equal(%s) instead of %q operator", expr.X, expr.Y, expr.Op)
case token.NEQ:
failure = fmt.Sprintf("use !%s.Equal(%s) instead of %q operator", expr.X, expr.Y, expr.Op)
}
l.onFailure(lint.Failure{
Category: "time",
Confidence: 1,
Node: node,
Failure: failure,
})
return l
}