1
0
mirror of https://github.com/mgechev/revive.git synced 2024-12-04 10:24:49 +02:00
revive/rule/time_equal.go

74 lines
1.4 KiB
Go
Raw Normal View History

2021-10-01 13:55:53 +02:00
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
}
2024-10-01 12:14:02 +02:00
typeOfX := l.file.Pkg.TypeOf(expr.X)
typeOfY := l.file.Pkg.TypeOf(expr.Y)
bothAreOfTimeType := isNamedType(typeOfX, "time", "Time") && isNamedType(typeOfY, "time", "Time")
if !bothAreOfTimeType {
2021-10-01 13:55:53 +02:00
return l
}
2024-10-01 12:14:02 +02:00
negateStr := ""
if token.NEQ == expr.Op {
negateStr = "!"
2021-10-01 13:55:53 +02:00
}
l.onFailure(lint.Failure{
Category: "time",
Confidence: 1,
Node: node,
2024-10-01 12:14:02 +02:00
Failure: fmt.Sprintf("use %s%s.Equal(%s) instead of %q operator", negateStr, gofmt(expr.X), gofmt(expr.Y), expr.Op),
2021-10-01 13:55:53 +02:00
})
return l
}