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 pathcommentedOutImport_checker.go
76 lines (65 loc) · 1.7 KB
/
commentedOutImport_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
71
72
73
74
75
76
package checkers
import (
"go/ast"
"go/token"
"regexp"
"github.com/go-lintpack/lintpack"
"github.com/go-lintpack/lintpack/astwalk"
)
func init() {
var info lintpack.CheckerInfo
info.Name = "commentedOutImport"
info.Tags = []string{"style", "experimental"}
info.Summary = "Detects commented-out imports"
info.Before = `
import (
"fmt"
//"os"
)`
info.After = `
import (
"fmt"
)`
collection.AddChecker(&info, func(ctx *lintpack.CheckerContext) lintpack.FileWalker {
const pattern = `(?m)^(?://|/\*)?\s*"([a-zA-Z0-9_/]+)"\s*(?:\*/)?$`
return &commentedOutImportChecker{
ctx: ctx,
importStringRE: regexp.MustCompile(pattern),
}
})
}
type commentedOutImportChecker struct {
astwalk.WalkHandler
ctx *lintpack.CheckerContext
importStringRE *regexp.Regexp
}
func (c *commentedOutImportChecker) WalkFile(f *ast.File) {
// TODO(Quasilyte): handle commented-out import spec,
// for example: // import "errors".
for _, decl := range f.Decls {
decl, ok := decl.(*ast.GenDecl)
if !ok || decl.Tok != token.IMPORT {
// Import decls can only be in the beginning of the file.
// If we've met some other decl, there will be no more
// import decls.
break
}
// Find comments inside this import decl span.
for _, cg := range f.Comments {
if cg.Pos() > decl.Rparen {
break // Below the decl, stop.
}
if cg.Pos() < decl.Lparen {
continue // Before the decl, skip.
}
for _, comment := range cg.List {
for _, m := range c.importStringRE.FindAllStringSubmatch(comment.Text, -1) {
c.warn(comment, m[1])
}
}
}
}
}
func (c *commentedOutImportChecker) warn(cause ast.Node, path string) {
c.ctx.Warn(cause, "remove commented-out %q import", path)
}