Welcome to mirror list, hosted at ThFree Co, Russian Federation.

matcher.go « gitaly « golangci-lint « tools - gitlab.com/gitlab-org/gitaly.git - Unnamed repository; edit this file 'description' to name the repository.
summaryrefslogtreecommitdiff
blob: ec7620792eaf29850bcc96bfa6bda2f1ceeb69dd (plain)
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
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
package main

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

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

// Matcher implements some helper methods to filter relevant AST nodes for linter checks. It depends
// on the TypeInfo of analysis.Pass object passed in the analyzer.
type Matcher struct {
	typesInfo *types.Info
}

// NewMatcher creates a new Matcher object from the input analysis pass.
func NewMatcher(pass *analysis.Pass) *Matcher {
	return &Matcher{
		typesInfo: pass.TypesInfo,
	}
}

var funcNamePattern = regexp.MustCompile(`^\(?([^\\)].*)\)?\.(.*)$`)

// MatchFunction returns true if the input call expression matches any of the list of input rules.
// A rule is a human-friend full name of a function. Some examples:
//   - A public package function:
//     "fmt.Errorf"
//   - Match all package functions:
//     "fmt.*"
//   - A public function of a dependent package:
//     "gitlab.com/gitlab-org/gitaly/v15/internal/structerr.NewInternal",
//   - A function of a struct inside a package:
//     "(*gitlab.com/gitlab-org/gitaly/v15/internal/structerr.Error).Unwrap",
//   - A local function call:
//     "New(1)",
//
// This Matcher doesn't support interface match (yet).
func (m *Matcher) MatchFunction(call *ast.CallExpr, rules []string) bool {
	name := m.functionName(call)
	if name == "" {
		return false
	}
	for _, rule := range rules {
		if m.matchRule(name, rule) {
			return true
		}
	}
	return false
}

func (m *Matcher) matchRule(name, rule string) bool {
	nameMatches := funcNamePattern.FindStringSubmatch(name)
	if len(nameMatches) == 0 {
		return false
	}

	ruleMatches := funcNamePattern.FindStringSubmatch(rule)
	if len(ruleMatches) == 0 {
		return false
	}

	if nameMatches[1] != ruleMatches[1] {
		return false
	}

	return ruleMatches[2] == "*" || nameMatches[2] == ruleMatches[2]
}

func (m *Matcher) functionName(call *ast.CallExpr) string {
	fn, ok := m.getFunction(call)
	if !ok {
		return ""
	}

	return fn.FullName()
}

func (m *Matcher) getFunction(call *ast.CallExpr) (*types.Func, bool) {
	var ident *ast.Ident

	switch ty := call.Fun.(type) {
	case *ast.SelectorExpr:
		ident = ty.Sel
	case *ast.Ident:
		ident = ty
	default:
		return nil, false
	}

	fn, ok := m.typesInfo.ObjectOf(ident).(*types.Func)
	if !ok {
		return nil, false
	}
	return fn, true
}