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 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363
|
// Copyright 2020 The Go Authors. All rights reserved.
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.
package completion
import (
"bytes"
"context"
"errors"
"fmt"
"go/ast"
"go/parser"
"go/scanner"
"go/token"
"go/types"
"path/filepath"
"strings"
"unicode"
"golang.org/x/tools/gopls/internal/lsp/protocol"
"golang.org/x/tools/gopls/internal/lsp/safetoken"
"golang.org/x/tools/gopls/internal/lsp/source"
"golang.org/x/tools/gopls/internal/span"
"golang.org/x/tools/internal/bug"
"golang.org/x/tools/internal/fuzzy"
)
// packageClauseCompletions offers completions for a package declaration when
// one is not present in the given file.
func packageClauseCompletions(ctx context.Context, snapshot source.Snapshot, fh source.FileHandle, position protocol.Position) ([]CompletionItem, *Selection, error) {
// We know that the AST for this file will be empty due to the missing
// package declaration, but parse it anyway to get a mapper.
fset := snapshot.FileSet()
pgf, err := snapshot.ParseGo(ctx, fh, source.ParseFull)
if err != nil {
return nil, nil, err
}
pos, err := pgf.Mapper.Pos(position)
if err != nil {
return nil, nil, err
}
surrounding, err := packageCompletionSurrounding(fset, pgf, pos)
if err != nil {
return nil, nil, fmt.Errorf("invalid position for package completion: %w", err)
}
packageSuggestions, err := packageSuggestions(ctx, snapshot, fh.URI(), "")
if err != nil {
return nil, nil, err
}
var items []CompletionItem
for _, pkg := range packageSuggestions {
insertText := fmt.Sprintf("package %s", pkg.name)
items = append(items, CompletionItem{
Label: insertText,
Kind: protocol.ModuleCompletion,
InsertText: insertText,
Score: pkg.score,
})
}
return items, surrounding, nil
}
// packageCompletionSurrounding returns surrounding for package completion if a
// package completions can be suggested at a given position. A valid location
// for package completion is above any declarations or import statements.
func packageCompletionSurrounding(fset *token.FileSet, pgf *source.ParsedGoFile, pos token.Pos) (*Selection, error) {
// If the file lacks a package declaration, the parser will return an empty
// AST. As a work-around, try to parse an expression from the file contents.
filename := pgf.URI.Filename()
expr, _ := parser.ParseExprFrom(fset, filename, pgf.Src, parser.Mode(0))
if expr == nil {
return nil, fmt.Errorf("unparseable file (%s)", pgf.URI)
}
tok := fset.File(expr.Pos())
offset, err := safetoken.Offset(pgf.Tok, pos)
if err != nil {
return nil, err
}
if offset > tok.Size() {
// internal bug: we should never get an offset that exceeds the size of our
// file.
bug.Report("out of bounds cursor", bug.Data{
"offset": offset,
"URI": pgf.URI,
"size": tok.Size(),
})
return nil, fmt.Errorf("cursor out of bounds")
}
cursor := tok.Pos(offset)
// If we were able to parse out an identifier as the first expression from
// the file, it may be the beginning of a package declaration ("pack ").
// We can offer package completions if the cursor is in the identifier.
if name, ok := expr.(*ast.Ident); ok {
if cursor >= name.Pos() && cursor <= name.End() {
if !strings.HasPrefix(PACKAGE, name.Name) {
return nil, fmt.Errorf("cursor in non-matching ident")
}
return &Selection{
content: name.Name,
cursor: cursor,
rng: span.NewRange(tok, name.Pos(), name.End()),
}, nil
}
}
// The file is invalid, but it contains an expression that we were able to
// parse. We will use this expression to construct the cursor's
// "surrounding".
// First, consider the possibility that we have a valid "package" keyword
// with an empty package name ("package "). "package" is parsed as an
// *ast.BadDecl since it is a keyword. This logic would allow "package" to
// appear on any line of the file as long as it's the first code expression
// in the file.
lines := strings.Split(string(pgf.Src), "\n")
cursorLine := tok.Line(cursor)
if cursorLine <= 0 || cursorLine > len(lines) {
return nil, fmt.Errorf("invalid line number")
}
if safetoken.StartPosition(fset, expr.Pos()).Line == cursorLine {
words := strings.Fields(lines[cursorLine-1])
if len(words) > 0 && words[0] == PACKAGE {
content := PACKAGE
// Account for spaces if there are any.
if len(words) > 1 {
content += " "
}
start := expr.Pos()
end := token.Pos(int(expr.Pos()) + len(content) + 1)
// We have verified that we have a valid 'package' keyword as our
// first expression. Ensure that cursor is in this keyword or
// otherwise fallback to the general case.
if cursor >= start && cursor <= end {
return &Selection{
content: content,
cursor: cursor,
rng: span.NewRange(tok, start, end),
}, nil
}
}
}
// If the cursor is after the start of the expression, no package
// declaration will be valid.
if cursor > expr.Pos() {
return nil, fmt.Errorf("cursor after expression")
}
// If the cursor is in a comment, don't offer any completions.
if cursorInComment(fset.File(cursor), cursor, pgf.Src) {
return nil, fmt.Errorf("cursor in comment")
}
// The surrounding range in this case is the cursor except for empty file,
// in which case it's end of file - 1
start, end := cursor, cursor
if tok.Size() == 0 {
start, end = tok.Pos(0)-1, tok.Pos(0)-1
}
return &Selection{
content: "",
cursor: cursor,
rng: span.NewRange(tok, start, end),
}, nil
}
func cursorInComment(file *token.File, cursor token.Pos, src []byte) bool {
var s scanner.Scanner
s.Init(file, src, func(_ token.Position, _ string) {}, scanner.ScanComments)
for {
pos, tok, lit := s.Scan()
if pos <= cursor && cursor <= token.Pos(int(pos)+len(lit)) {
return tok == token.COMMENT
}
if tok == token.EOF {
break
}
}
return false
}
// packageNameCompletions returns name completions for a package clause using
// the current name as prefix.
func (c *completer) packageNameCompletions(ctx context.Context, fileURI span.URI, name *ast.Ident) error {
cursor := int(c.pos - name.NamePos)
if cursor < 0 || cursor > len(name.Name) {
return errors.New("cursor is not in package name identifier")
}
c.completionContext.packageCompletion = true
prefix := name.Name[:cursor]
packageSuggestions, err := packageSuggestions(ctx, c.snapshot, fileURI, prefix)
if err != nil {
return err
}
for _, pkg := range packageSuggestions {
c.deepState.enqueue(pkg)
}
return nil
}
// packageSuggestions returns a list of packages from workspace packages that
// have the given prefix and are used in the same directory as the given
// file. This also includes test packages for these packages (<pkg>_test) and
// the directory name itself.
func packageSuggestions(ctx context.Context, snapshot source.Snapshot, fileURI span.URI, prefix string) (packages []candidate, err error) {
active, err := snapshot.ActiveMetadata(ctx)
if err != nil {
return nil, err
}
toCandidate := func(name string, score float64) candidate {
obj := types.NewPkgName(0, nil, name, types.NewPackage("", name))
return candidate{obj: obj, name: name, detail: name, score: score}
}
matcher := fuzzy.NewMatcher(prefix)
// Always try to suggest a main package
defer func() {
if score := float64(matcher.Score("main")); score > 0 {
packages = append(packages, toCandidate("main", score*lowScore))
}
}()
dirPath := filepath.Dir(fileURI.Filename())
dirName := filepath.Base(dirPath)
if !isValidDirName(dirName) {
return packages, nil
}
pkgName := convertDirNameToPkgName(dirName)
seenPkgs := make(map[source.PackageName]struct{})
// The `go` command by default only allows one package per directory but we
// support multiple package suggestions since gopls is build system agnostic.
for _, m := range active {
if m.Name == "main" || m.Name == "" {
continue
}
if _, ok := seenPkgs[m.Name]; ok {
continue
}
// Only add packages that are previously used in the current directory.
var relevantPkg bool
for _, uri := range m.CompiledGoFiles {
if filepath.Dir(uri.Filename()) == dirPath {
relevantPkg = true
break
}
}
if !relevantPkg {
continue
}
// Add a found package used in current directory as a high relevance
// suggestion and the test package for it as a medium relevance
// suggestion.
if score := float64(matcher.Score(string(m.Name))); score > 0 {
packages = append(packages, toCandidate(string(m.Name), score*highScore))
}
seenPkgs[m.Name] = struct{}{}
testPkgName := m.Name + "_test"
if _, ok := seenPkgs[testPkgName]; ok || strings.HasSuffix(string(m.Name), "_test") {
continue
}
if score := float64(matcher.Score(string(testPkgName))); score > 0 {
packages = append(packages, toCandidate(string(testPkgName), score*stdScore))
}
seenPkgs[testPkgName] = struct{}{}
}
// Add current directory name as a low relevance suggestion.
if _, ok := seenPkgs[pkgName]; !ok {
if score := float64(matcher.Score(string(pkgName))); score > 0 {
packages = append(packages, toCandidate(string(pkgName), score*lowScore))
}
testPkgName := pkgName + "_test"
if score := float64(matcher.Score(string(testPkgName))); score > 0 {
packages = append(packages, toCandidate(string(testPkgName), score*lowScore))
}
}
return packages, nil
}
// isValidDirName checks whether the passed directory name can be used in
// a package path. Requirements for a package path can be found here:
// https://golang.org/ref/mod#go-mod-file-ident.
func isValidDirName(dirName string) bool {
if dirName == "" {
return false
}
for i, ch := range dirName {
if isLetter(ch) || isDigit(ch) {
continue
}
if i == 0 {
// Directory name can start only with '_'. '.' is not allowed in module paths.
// '-' and '~' are not allowed because elements of package paths must be
// safe command-line arguments.
if ch == '_' {
continue
}
} else {
// Modules path elements can't end with '.'
if isAllowedPunctuation(ch) && (i != len(dirName)-1 || ch != '.') {
continue
}
}
return false
}
return true
}
// convertDirNameToPkgName converts a valid directory name to a valid package name.
// It leaves only letters and digits. All letters are mapped to lower case.
func convertDirNameToPkgName(dirName string) source.PackageName {
var buf bytes.Buffer
for _, ch := range dirName {
switch {
case isLetter(ch):
buf.WriteRune(unicode.ToLower(ch))
case buf.Len() != 0 && isDigit(ch):
buf.WriteRune(ch)
}
}
return source.PackageName(buf.String())
}
// isLetter and isDigit allow only ASCII characters because
// "Each path element is a non-empty string made of up ASCII letters,
// ASCII digits, and limited ASCII punctuation"
// (see https://golang.org/ref/mod#go-mod-file-ident).
func isLetter(ch rune) bool {
return 'a' <= ch && ch <= 'z' || 'A' <= ch && ch <= 'Z'
}
func isDigit(ch rune) bool {
return '0' <= ch && ch <= '9'
}
func isAllowedPunctuation(ch rune) bool {
return ch == '_' || ch == '-' || ch == '~' || ch == '.'
}
|