Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

fix: key value check is special for zap #28

Merged
merged 4 commits into from
Aug 30, 2022
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
22 changes: 22 additions & 0 deletions internal/checkers/checker.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,22 @@
package checkers

import (
"go/ast"
"go/types"

"golang.org/x/tools/go/analysis"
)

type Config struct {
RequireStringKey bool
}

type CallContext struct {
Expr *ast.CallExpr
Func *types.Func
Signature *types.Signature
}

type Checker interface {
CheckAndReport(pass *analysis.Pass, call CallContext, cfg Config)
}
85 changes: 85 additions & 0 deletions internal/checkers/common.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,85 @@
package checkers

import (
"fmt"
"go/ast"
"go/printer"
"go/token"
"go/types"
"unicode/utf8"

"golang.org/x/tools/go/analysis"

"github.com/timonwong/loggercheck/internal/bytebufferpool"
"github.com/timonwong/loggercheck/internal/stringutil"
)

// getStringValueFromArg returns true if the argument is string literal or string constant.
func getStringValueFromArg(pass *analysis.Pass, arg ast.Expr) (value string, ok bool) {
switch arg := arg.(type) {
case *ast.BasicLit: // literals, must be string
if arg.Kind == token.STRING {
return arg.Value, true
}
case *ast.Ident: // identifiers, we require constant string key
if arg.Obj != nil && arg.Obj.Kind == ast.Con {
typeAndValue := pass.TypesInfo.Types[arg]
if typ, ok := typeAndValue.Type.(*types.Basic); ok {
if typ.Kind() == types.String {
return typeAndValue.Value.ExactString(), true
}
}
}
}

return "", false
}

func checkLoggingKey(pass *analysis.Pass, keyValuesArgs []ast.Expr) {
for i := 0; i < len(keyValuesArgs); i += 2 {
arg := keyValuesArgs[i]
if value, ok := getStringValueFromArg(pass, arg); ok {
if stringutil.IsASCII(value) {
continue
}

pass.Report(analysis.Diagnostic{
Pos: arg.Pos(),
End: arg.End(),
Category: "logging",
Message: fmt.Sprintf(
"logging keys are expected to be alphanumeric strings, please remove any non-latin characters from %s",
value),
})
} else {
pass.Report(analysis.Diagnostic{
Pos: arg.Pos(),
End: arg.End(),
Category: "logging",
Message: fmt.Sprintf(
"logging keys are expected to be inlined constant strings, please replace %q provided with string",
renderNodeEllipsis(pass.Fset, arg)),
})
}
}
}

func renderNodeEllipsis(fset *token.FileSet, v interface{}) string {
const maxLen = 20

buf := bytebufferpool.Get()
defer bytebufferpool.Put(buf)

_ = printer.Fprint(buf, fset, v)
s := buf.String()
if utf8.RuneCountInString(s) > maxLen {
// Copied from go/constant/value.go
i := 0
for n := 0; n < maxLen-3; n++ {
_, size := utf8.DecodeRuneInString(s[i:])
i += size
}
s = s[:i] + "..."
}
return s
}
36 changes: 36 additions & 0 deletions internal/checkers/general.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,36 @@
package checkers

import (
"golang.org/x/tools/go/analysis"
)

type General struct{}

var _ Checker = (*General)(nil)

func (g General) CheckAndReport(pass *analysis.Pass, call CallContext, cfg Config) {
args := call.Expr.Args
params := call.Signature.Params()

nparams := params.Len() // variadic => nonzero
startIndex := nparams - 1
nargs := len(args)

// Check the argument count
variadicLen := nargs - startIndex
if variadicLen%2 != 0 {
firstArg := args[startIndex]
lastArg := args[nargs-1]
pass.Report(analysis.Diagnostic{
Pos: firstArg.Pos(),
End: lastArg.End(),
Category: "logging",
Message: "odd number of arguments passed as key-value pairs for logging",
})
}

// Check the "key" type
if cfg.RequireStringKey {
checkLoggingKey(pass, args[startIndex:])
}
}
62 changes: 62 additions & 0 deletions internal/checkers/zap.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,62 @@
package checkers

import (
"go/ast"
"go/types"

"golang.org/x/tools/go/analysis"
)

type Zap struct {
General
}

var _ Checker = (*Zap)(nil)

func (z Zap) CheckAndReport(pass *analysis.Pass, call CallContext, cfg Config) {
args := call.Expr.Args
params := call.Signature.Params()

nparams := params.Len() // variadic => nonzero
startIndex := nparams - 1
nargs := len(args)

// Check the argument count
keyValuesArgs := make([]ast.Expr, 0, nargs-startIndex)
for i := startIndex; i < nargs; i++ {
arg := args[i]
switch arg := arg.(type) {
case *ast.CallExpr, *ast.Ident:
typ := pass.TypesInfo.TypeOf(arg)
switch typ := typ.(type) {
case *types.Named:
obj := typ.Obj()
// This is a strongly-typed field. Consume it and move on.
// Actually it's go.uber.org/zap/zapcore.Field, however for simplicity
// we don't check the import path
if obj != nil && obj.Name() == "Field" {
continue
}
default:
// pass
}
}
keyValuesArgs = append(keyValuesArgs, arg)
}

if len(keyValuesArgs)%2 != 0 {
firstArg := args[startIndex]
lastArg := args[nargs-1]
pass.Report(analysis.Diagnostic{
Pos: firstArg.Pos(),
End: lastArg.End(),
Category: "logging",
Message: "odd number of arguments passed as key-value pairs for logging",
})
}

// Check the "key" type
if cfg.RequireStringKey {
checkLoggingKey(pass, keyValuesArgs)
}
}
124 changes: 20 additions & 104 deletions loggercheck.go
Original file line number Diff line number Diff line change
Expand Up @@ -4,21 +4,17 @@ import (
"flag"
"fmt"
"go/ast"
"go/printer"
"go/token"
"go/types"
"os"
"unicode/utf8"

"golang.org/x/tools/go/analysis"
"golang.org/x/tools/go/analysis/passes/inspect"
"golang.org/x/tools/go/ast/inspector"
"golang.org/x/tools/go/types/typeutil"

"github.com/timonwong/loggercheck/internal/bytebufferpool"
"github.com/timonwong/loggercheck/internal/checkers"
"github.com/timonwong/loggercheck/internal/rules"
"github.com/timonwong/loggercheck/internal/sets"
"github.com/timonwong/loggercheck/internal/stringutil"
)

const Doc = `Checks key valur pairs for common logger libraries (logr,klog,zap).`
Expand Down Expand Up @@ -66,10 +62,10 @@ func (l *loggercheck) isCheckerDisabled(name string) bool {
return l.disable.Has(name)
}

func (l *loggercheck) isValidLoggerFunc(fn *types.Func) bool {
func (l *loggercheck) getCheckerForFunc(fn *types.Func) checkers.Checker {
pkg := fn.Pkg()
if pkg == nil {
return false
return nil
}

for i := range l.rulesetList {
Expand All @@ -79,33 +75,18 @@ func (l *loggercheck) isValidLoggerFunc(fn *types.Func) bool {
continue
}

if rs.Match(fn, pkg) {
return true
if !rs.Match(fn, pkg) {
continue
}
}

return false
}

// getStringValueFromArg returns true if the argument is string literal or string constant.
func getStringValueFromArg(pass *analysis.Pass, arg ast.Expr) (value string, ok bool) {
switch arg := arg.(type) {
case *ast.BasicLit: // literals, must be string
if arg.Kind == token.STRING {
return arg.Value, true
}
case *ast.Ident: // identifiers, we require constant string key
if arg.Obj != nil && arg.Obj.Kind == ast.Con {
typeAndValue := pass.TypesInfo.Types[arg]
if typ, ok := typeAndValue.Type.(*types.Basic); ok {
if typ.Kind() == types.String {
return typeAndValue.Value.ExactString(), true
}
}
checker := checkerByRulesetName[rs.Name]
if checker == nil {
return checkers.General{}
}
return checker
}

return "", false
return nil
}

func (l *loggercheck) checkLoggerArguments(pass *analysis.Pass, call *ast.CallExpr) {
Expand All @@ -119,68 +100,23 @@ func (l *loggercheck) checkLoggerArguments(pass *analysis.Pass, call *ast.CallEx
return // not variadic
}

if !l.isValidLoggerFunc(fn) {
return
}

// ellipsis args is hard, just skip
if call.Ellipsis.IsValid() {
return
}

params := sig.Params()
nparams := params.Len() // variadic => nonzero
args := params.At(nparams - 1)
iface, ok := args.Type().(*types.Slice).Elem().(*types.Interface)
if !ok || !iface.Empty() {
return // final (args) param is not ...interface{}
}

startIndex := nparams - 1
nargs := len(call.Args)

// Check the argument count
variadicLen := nargs - startIndex
if variadicLen%2 != 0 {
firstArg := call.Args[startIndex]
lastArg := call.Args[nargs-1]
pass.Report(analysis.Diagnostic{
Pos: firstArg.Pos(),
End: lastArg.End(),
Category: "logging",
Message: "odd number of arguments passed as key-value pairs for logging",
})
checker := l.getCheckerForFunc(fn)
if checker == nil {
return
}

// Check the "key" type
if l.requireStringKey {
for i := startIndex; i < nargs; i += 2 {
arg := call.Args[i]
if value, ok := getStringValueFromArg(pass, arg); ok {
if stringutil.IsASCII(value) {
continue
}

pass.Report(analysis.Diagnostic{
Pos: arg.Pos(),
End: arg.End(),
Category: "logging",
Message: fmt.Sprintf(
"logging keys are expected to be alphanumeric strings, please remove any non-latin characters from %s",
value),
})
} else {
pass.Report(analysis.Diagnostic{
Pos: arg.Pos(),
End: arg.End(),
Category: "logging",
Message: fmt.Sprintf(
"logging keys are expected to be inlined constant strings, please replace %q provided with string",
renderNodeEllipsis(pass.Fset, arg)),
})
}
}
}
checker.CheckAndReport(pass, checkers.CallContext{
Expr: call,
Func: fn,
Signature: sig,
}, checkers.Config{
RequireStringKey: l.requireStringKey,
})
}

func (l *loggercheck) processConfig() error {
Expand Down Expand Up @@ -231,23 +167,3 @@ func (l *loggercheck) run(pass *analysis.Pass) (interface{}, error) {

return nil, nil
}

func renderNodeEllipsis(fset *token.FileSet, v interface{}) string {
const maxLen = 20

buf := bytebufferpool.Get()
defer bytebufferpool.Put(buf)

_ = printer.Fprint(buf, fset, v)
s := buf.String()
if utf8.RuneCountInString(s) > maxLen {
// Copied from go/constant/value.go
i := 0
for n := 0; n < maxLen-3; n++ {
_, size := utf8.DecodeRuneInString(s[i:])
i += size
}
s = s[:i] + "..."
}
return s
}
Loading