This repository was archived by the owner on Dec 30, 2018. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathptrToRefParam_checker.go
70 lines (60 loc) · 1.72 KB
/
ptrToRefParam_checker.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
package checkers
import (
"go/ast"
"go/types"
"github.com/go-lintpack/lintpack"
"github.com/go-lintpack/lintpack/astwalk"
)
func init() {
var info lintpack.CheckerInfo
info.Name = "ptrToRefParam"
info.Tags = []string{"style", "opinionated", "experimental"}
info.Summary = "Detects input and output parameters that have a type of pointer to referential type"
info.Before = `func f(m *map[string]int) (*chan *int)`
info.After = `func f(m map[string]int) (chan *int)`
collection.AddChecker(&info, func(ctx *lintpack.CheckerContext) lintpack.FileWalker {
return astwalk.WalkerForFuncDecl(&ptrToRefParamChecker{ctx: ctx})
})
}
type ptrToRefParamChecker struct {
astwalk.WalkHandler
ctx *lintpack.CheckerContext
}
func (c *ptrToRefParamChecker) VisitFuncDecl(fn *ast.FuncDecl) {
c.checkParams(fn.Type.Params.List)
if fn.Type.Results != nil {
c.checkParams(fn.Type.Results.List)
}
}
func (c *ptrToRefParamChecker) checkParams(params []*ast.Field) {
for _, param := range params {
ptr, ok := c.ctx.TypesInfo.TypeOf(param.Type).(*types.Pointer)
if !ok {
continue
}
if c.isRefType(ptr.Elem()) {
if len(param.Names) == 0 {
c.ctx.Warn(param, "consider to make non-pointer type for `%s`", param.Type)
} else {
for i := range param.Names {
c.warn(param.Names[i])
}
}
}
}
}
func (c *ptrToRefParamChecker) isRefType(x types.Type) bool {
switch typ := x.(type) {
case *types.Map, *types.Chan, *types.Interface:
return true
case *types.Named:
// Handle underlying type only for interfaces.
if _, ok := typ.Underlying().(*types.Interface); ok {
return true
}
}
return false
}
func (c *ptrToRefParamChecker) warn(id *ast.Ident) {
c.ctx.Warn(id, "consider `%s' to be of non-pointer type", id)
}