1
0
mirror of https://github.com/mgechev/revive.git synced 2024-12-12 10:44:59 +02:00
revive/rule/file_header.go

91 lines
1.7 KiB
Go
Raw Permalink Normal View History

2018-02-05 00:51:19 +02:00
package rule
import (
"fmt"
2018-02-05 00:51:19 +02:00
"regexp"
2022-04-10 09:06:59 +02:00
"sync"
2018-02-05 00:51:19 +02:00
"github.com/mgechev/revive/lint"
)
2024-12-01 17:44:41 +02:00
// FileHeaderRule lints the header that each file should have.
2021-10-17 20:34:48 +02:00
type FileHeaderRule struct {
header string
configureOnce sync.Once
2021-10-17 20:34:48 +02:00
}
2018-02-05 00:51:19 +02:00
2019-11-28 05:14:21 +02:00
var (
2022-04-10 11:55:13 +02:00
multiRegexp = regexp.MustCompile(`^/\*`)
2019-11-28 05:14:21 +02:00
singleRegexp = regexp.MustCompile("^//")
)
func (r *FileHeaderRule) configure(arguments lint.Arguments) error {
2024-10-01 12:14:02 +02:00
if len(arguments) < 1 {
return nil
2024-10-01 12:14:02 +02:00
}
var ok bool
r.header, ok = arguments[0].(string)
if !ok {
return fmt.Errorf(`invalid argument for "file-header" rule: argument should be a string, got %T`, arguments[0])
2018-02-05 00:51:19 +02:00
}
return nil
2022-04-10 09:06:59 +02:00
}
// Apply applies the rule to given file.
func (r *FileHeaderRule) Apply(file *lint.File, arguments lint.Arguments) []lint.Failure {
var configureErr error
r.configureOnce.Do(func() { configureErr = r.configure(arguments) })
if configureErr != nil {
return newInternalFailureError(configureErr)
}
2018-02-05 00:51:19 +02:00
if r.header == "" {
return nil
}
2019-11-28 05:14:21 +02:00
failure := []lint.Failure{
{
Node: file.AST,
Confidence: 1,
Failure: "the file doesn't have an appropriate header",
2018-02-05 00:51:19 +02:00
},
}
2019-11-28 05:14:21 +02:00
if len(file.AST.Comments) == 0 {
return failure
}
2019-11-28 05:14:21 +02:00
g := file.AST.Comments[0]
2018-02-05 00:51:19 +02:00
if g == nil {
2019-11-28 05:14:21 +02:00
return failure
2018-02-05 00:51:19 +02:00
}
comment := ""
for _, c := range g.List {
text := c.Text
if multiRegexp.MatchString(text) {
2018-02-05 00:51:19 +02:00
text = text[2 : len(text)-2]
} else if singleRegexp.MatchString(text) {
2018-02-05 00:51:19 +02:00
text = text[2:]
}
comment += text
}
2021-10-17 20:34:48 +02:00
regex, err := regexp.Compile(r.header)
2019-11-28 05:14:21 +02:00
if err != nil {
return newInternalFailureError(err)
2019-11-28 05:14:21 +02:00
}
if !regex.MatchString(comment) {
2019-11-28 05:14:21 +02:00
return failure
2018-02-05 00:51:19 +02:00
}
return nil
}
2019-11-28 05:14:21 +02:00
// Name returns the rule name.
2022-04-10 11:55:13 +02:00
func (*FileHeaderRule) Name() string {
2019-11-28 05:14:21 +02:00
return "file-header"
}