Skip to content

Commit 107c665

Browse files
committed
x/tools/gopls: implement struct field generation quickfix
1 parent 86ea9d7 commit 107c665

File tree

12 files changed

+497
-23
lines changed

12 files changed

+497
-23
lines changed

gopls/doc/features/diagnostics.md

+29
Original file line numberDiff line numberDiff line change
@@ -248,6 +248,35 @@ func doSomething(i int) string {
248248
panic("unimplemented")
249249
}
250250
```
251+
252+
### `StubMissingStructField`: Declare missing field T.f
253+
254+
When you attempt to access a field on a type that does not have the field,
255+
the compiler will report an error such as "type X has no field or method Y".
256+
In this scenario, gopls now offers a quick fix to generate a stub declaration of
257+
the missing field, inferring its type from the accessing type or assigning a designated value.
258+
259+
Consider the following code where `Foo` does not have a field `bar`:
260+
261+
```go
262+
type Foo struct{}
263+
264+
func main() {
265+
var s string
266+
f := Foo{}
267+
s = f.bar // error: f.bar undefined (type Foo has no field or method bar)
268+
}
269+
```
270+
271+
Gopls will offer a quick fix, "Declare missing field Foo.bar".
272+
When invoked, it creates the following declaration:
273+
274+
```go
275+
type Foo struct{
276+
bar string
277+
}
278+
```
279+
251280
<!--
252281
253282
dorky details and deletia:

gopls/doc/release/v0.17.0.md

+9-1
Original file line numberDiff line numberDiff line change
@@ -113,4 +113,12 @@ into account its signature, including input parameters and results.
113113
Since this feature is implemented by the server (gopls), it is compatible with
114114
all LSP-compliant editors. VS Code users may continue to use the client-side
115115
`Go: Generate Unit Tests For file/function/package` command which utilizes the
116-
[gotests](https://github.com/cweill/gotests) tool.
116+
[gotests](https://github.com/cweill/gotests) tool.
117+
118+
## Generate missing struct field from access
119+
When you attempt to access a field on a type that does not have the field,
120+
the compiler will report an error like “type X has no field or method Y”.
121+
Gopls now offers a new code action, “Declare missing field of T.f”,
122+
where T is the concrete type and f is the undefined field.
123+
The stub field's signature is inferred
124+
from the context of the access.

gopls/internal/analysis/yield/testdata/src/a/a.go

-3
Original file line numberDiff line numberDiff line change
@@ -83,7 +83,6 @@ func tricky(in io.ReadCloser) func(yield func(string, error) bool) {
8383
}
8484
}
8585
}
86-
<<<<<<< HEAD
8786

8887
// Regression test for issue #70598.
8988
func shortCircuitAND(yield func(int) bool) {
@@ -119,5 +118,3 @@ func tricky3(yield func(int) bool) {
119118
yield(3)
120119
}
121120
}
122-
=======
123-
>>>>>>> 9b6e4f21d (gopls/internal/analysis/yield: analyzer for iterator (yield) mistakes)

gopls/internal/analysis/yield/yield.go

-12
Original file line numberDiff line numberDiff line change
@@ -20,10 +20,7 @@ import (
2020
_ "embed"
2121
"fmt"
2222
"go/ast"
23-
<<<<<<< HEAD
2423
"go/constant"
25-
=======
26-
>>>>>>> 9b6e4f21d (gopls/internal/analysis/yield: analyzer for iterator (yield) mistakes)
2724
"go/token"
2825
"go/types"
2926

@@ -123,7 +120,6 @@ func run(pass *analysis.Pass) (interface{}, error) {
123120
// In that case visit only the "if !yield()" block.
124121
cond := instr.Cond
125122
t, f := b.Succs[0], b.Succs[1]
126-
<<<<<<< HEAD
127123

128124
// Strip off any NOT operator.
129125
cond, t, f = unnegate(cond, t, f)
@@ -152,11 +148,6 @@ func run(pass *analysis.Pass) (interface{}, error) {
152148
}
153149
}
154150

155-
=======
156-
if unop, ok := cond.(*ssa.UnOp); ok && unop.Op == token.NOT {
157-
cond, t, f = unop.X, f, t
158-
}
159-
>>>>>>> 9b6e4f21d (gopls/internal/analysis/yield: analyzer for iterator (yield) mistakes)
160151
if cond, ok := cond.(*ssa.Call); ok && ssaYieldCalls[cond] != nil {
161152
// Skip the successor reached by "if yield() { ... }".
162153
} else {
@@ -178,13 +169,10 @@ func run(pass *analysis.Pass) (interface{}, error) {
178169

179170
return nil, nil
180171
}
181-
<<<<<<< HEAD
182172

183173
func unnegate(cond ssa.Value, t, f *ssa.BasicBlock) (_ ssa.Value, _, _ *ssa.BasicBlock) {
184174
if unop, ok := cond.(*ssa.UnOp); ok && unop.Op == token.NOT {
185175
return unop.X, f, t
186176
}
187177
return cond, t, f
188178
}
189-
=======
190-
>>>>>>> 9b6e4f21d (gopls/internal/analysis/yield: analyzer for iterator (yield) mistakes)

gopls/internal/analysis/yield/yield_test.go

-1
Original file line numberDiff line numberDiff line change
@@ -15,4 +15,3 @@ func Test(t *testing.T) {
1515
testdata := analysistest.TestData()
1616
analysistest.Run(t, testdata, yield.Analyzer, "a")
1717
}
18-
e

gopls/internal/doc/api.json

-3
Original file line numberDiff line numberDiff line change
@@ -1304,15 +1304,12 @@
13041304
"Default": false
13051305
},
13061306
{
1307-
<<<<<<< HEAD
13081307
"Name": "waitgroup",
13091308
"Doc": "check for misuses of sync.WaitGroup\n\nThis analyzer detects mistaken calls to the (*sync.WaitGroup).Add\nmethod from inside a new goroutine, causing Add to race with Wait:\n\n\t// WRONG\n\tvar wg sync.WaitGroup\n\tgo func() {\n\t wg.Add(1) // \"WaitGroup.Add called from inside new goroutine\"\n\t defer wg.Done()\n\t ...\n\t}()\n\twg.Wait() // (may return prematurely before new goroutine starts)\n\nThe correct code calls Add before starting the goroutine:\n\n\t// RIGHT\n\tvar wg sync.WaitGroup\n\twg.Add(1)\n\tgo func() {\n\t\tdefer wg.Done()\n\t\t...\n\t}()\n\twg.Wait()",
13101309
"URL": "https://pkg.go.dev/golang.org/x/tools/go/analysis/passes/waitgroup",
13111310
"Default": true
13121311
},
13131312
{
1314-
=======
1315-
>>>>>>> 9b6e4f21d (gopls/internal/analysis/yield: analyzer for iterator (yield) mistakes)
13161313
"Name": "yield",
13171314
"Doc": "report calls to yield where the result is ignored\n\nAfter a yield function returns false, the caller should not call\nthe yield function again; generally the iterator should return\npromptly.\n\nThis example fails to check the result of the call to yield,\ncausing this analyzer to report a diagnostic:\n\n\tyield(1) // yield may be called again (on L2) after returning false\n\tyield(2)\n\nThe corrected code is either this:\n\n\tif yield(1) { yield(2) }\n\nor simply:\n\n\t_ = yield(1) \u0026\u0026 yield(2)\n\nIt is not always a mistake to ignore the result of yield.\nFor example, this is a valid single-element iterator:\n\n\tyield(1) // ok to ignore result\n\treturn\n\nIt is only a mistake when the yield call that returned false may be\nfollowed by another call.",
13181315
"URL": "https://pkg.go.dev/golang.org/x/tools/gopls/internal/analysis/yield",

gopls/internal/golang/assembly.go

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
1-
ew// Copyright 2024 The Go Authors. All rights reserved.
1+
// Copyright 2024 The Go Authors. All rights reserved.
22
// Use of this source code is governed by a BSD-style
33
// license that can be found in the LICENSE file.
44

gopls/internal/golang/codeaction.go

+81-2
Original file line numberDiff line numberDiff line change
@@ -5,6 +5,7 @@
55
package golang
66

77
import (
8+
"bytes"
89
"context"
910
"encoding/json"
1011
"fmt"
@@ -322,14 +323,23 @@ func quickFix(ctx context.Context, req *codeActionsRequest) error {
322323
}
323324

324325
// "type X has no field or method Y" compiler error.
325-
// Offer a "Declare missing method T.f" code action.
326-
// See [stubMissingCalledFunctionFixer] for command implementation.
327326
case strings.Contains(msg, "has no field or method"):
328327
path, _ := astutil.PathEnclosingInterval(req.pgf.File, start, end)
328+
329+
// Offer a "Declare missing method T.f" code action if a CallStubInfo found.
330+
// See [stubMissingCalledFunctionFixer] for command implementation.
329331
si := stubmethods.GetCallStubInfo(req.pkg.FileSet(), info, path, start)
330332
if si != nil {
331333
msg := fmt.Sprintf("Declare missing method %s.%s", si.Receiver.Obj().Name(), si.MethodName)
332334
req.addApplyFixAction(msg, fixMissingCalledFunction, req.loc)
335+
} else {
336+
// Offer a "Declare missing field T.f" code action.
337+
// See [stubMissingStructFieldFixer] for command implementation.
338+
fi := GetFieldStubInfo(req.pkg.FileSet(), info, path)
339+
if fi != nil {
340+
msg := fmt.Sprintf("Declare missing struct field %s.%s", fi.Named.Obj().Name(), fi.Expr.Sel.Name)
341+
req.addApplyFixAction(msg, fixMissingStructField, req.loc)
342+
}
333343
}
334344

335345
// "undeclared name: x" or "undefined: x" compiler error.
@@ -348,6 +358,75 @@ func quickFix(ctx context.Context, req *codeActionsRequest) error {
348358
return nil
349359
}
350360

361+
func GetFieldStubInfo(fset *token.FileSet, info *types.Info, path []ast.Node) *StructFieldInfo {
362+
for _, node := range path {
363+
n, ok := node.(*ast.SelectorExpr)
364+
if !ok {
365+
continue
366+
}
367+
tv, ok := info.Types[n.X]
368+
if !ok {
369+
break
370+
}
371+
372+
named, ok := tv.Type.(*types.Named)
373+
if !ok {
374+
break
375+
}
376+
377+
structType, ok := named.Underlying().(*types.Struct)
378+
if !ok {
379+
break
380+
}
381+
382+
return &StructFieldInfo{
383+
Fset: fset,
384+
Expr: n,
385+
Struct: structType,
386+
Named: named,
387+
Info: info,
388+
Path: path,
389+
}
390+
}
391+
392+
return nil
393+
}
394+
395+
type StructFieldInfo struct {
396+
Fset *token.FileSet
397+
Expr *ast.SelectorExpr
398+
Struct *types.Struct
399+
Named *types.Named
400+
Info *types.Info
401+
Path []ast.Node
402+
}
403+
404+
// Emit writes to out the missing field based on type info.
405+
func (si *StructFieldInfo) Emit(out *bytes.Buffer, qual types.Qualifier) error {
406+
if si.Expr == nil || si.Expr.Sel == nil {
407+
return fmt.Errorf("invalid selector expression")
408+
}
409+
410+
// Get types from context at the selector expression position
411+
typesFromContext := typesutil.TypesFromContext(si.Info, si.Path, si.Expr.Pos())
412+
413+
// Default to interface{} if we couldn't determine the type from context
414+
var fieldType types.Type
415+
if len(typesFromContext) > 0 && typesFromContext[0] != nil {
416+
fieldType = typesFromContext[0]
417+
} else {
418+
// Create a new interface{} type
419+
fieldType = types.NewInterfaceType(nil, nil)
420+
}
421+
422+
tpl := "\n\t%s %s"
423+
if si.Struct.NumFields() == 0 {
424+
tpl += "\n"
425+
}
426+
fmt.Fprintf(out, tpl, si.Expr.Sel.Name, types.TypeString(fieldType, qual))
427+
return nil
428+
}
429+
351430
// allImportsFixesResult is the result of a lazy call to allImportsFixes.
352431
// It implements the codeActionsRequest lazyInit interface.
353432
type allImportsFixesResult struct {

gopls/internal/golang/fix.go

+2
Original file line numberDiff line numberDiff line change
@@ -68,6 +68,7 @@ const (
6868
fixCreateUndeclared = "create_undeclared"
6969
fixMissingInterfaceMethods = "stub_missing_interface_method"
7070
fixMissingCalledFunction = "stub_missing_called_function"
71+
fixMissingStructField = "stub_missing_struct_field"
7172
)
7273

7374
// ApplyFix applies the specified kind of suggested fix to the given
@@ -113,6 +114,7 @@ func ApplyFix(ctx context.Context, fix string, snapshot *cache.Snapshot, fh file
113114
fixCreateUndeclared: singleFile(CreateUndeclared),
114115
fixMissingInterfaceMethods: stubMissingInterfaceMethodsFixer,
115116
fixMissingCalledFunction: stubMissingCalledFunctionFixer,
117+
fixMissingStructField: stubMissingStructFieldFixer,
116118
}
117119
fixer, ok := fixers[fix]
118120
if !ok {

gopls/internal/golang/stub.go

+76
Original file line numberDiff line numberDiff line change
@@ -8,6 +8,7 @@ import (
88
"bytes"
99
"context"
1010
"fmt"
11+
"go/ast"
1112
"go/format"
1213
"go/parser"
1314
"go/token"
@@ -51,6 +52,18 @@ func stubMissingCalledFunctionFixer(ctx context.Context, snapshot *cache.Snapsho
5152
return insertDeclsAfter(ctx, snapshot, pkg.Metadata(), si.Fset, si.After, si.Emit)
5253
}
5354

55+
// stubMissingStructFieldFixer returns a suggested fix to declare the missing
56+
// field that the user may want to generate based on SelectorExpr
57+
// at the cursor position.
58+
func stubMissingStructFieldFixer(ctx context.Context, snapshot *cache.Snapshot, pkg *cache.Package, pgf *parsego.File, start, end token.Pos) (*token.FileSet, *analysis.SuggestedFix, error) {
59+
nodes, _ := astutil.PathEnclosingInterval(pgf.File, start, end)
60+
fi := GetFieldStubInfo(pkg.FileSet(), pkg.TypesInfo(), nodes)
61+
if fi == nil {
62+
return nil, nil, fmt.Errorf("invalid type request")
63+
}
64+
return insertStructField(ctx, snapshot, pkg.Metadata(), fi)
65+
}
66+
5467
// An emitter writes new top-level declarations into an existing
5568
// file. References to symbols should be qualified using qual, which
5669
// respects the local import environment.
@@ -238,3 +251,66 @@ func trimVersionSuffix(path string) string {
238251
}
239252
return path
240253
}
254+
255+
func insertStructField(ctx context.Context, snapshot *cache.Snapshot, meta *metadata.Package, fieldInfo *StructFieldInfo) (*token.FileSet, *analysis.SuggestedFix, error) {
256+
if fieldInfo == nil {
257+
return nil, nil, fmt.Errorf("no field info provided")
258+
}
259+
260+
// get the file containing the struct definition using the position
261+
declPGF, _, err := parseFull(ctx, snapshot, fieldInfo.Fset, fieldInfo.Named.Obj().Pos())
262+
if err != nil {
263+
return nil, nil, fmt.Errorf("failed to parse file declaring struct: %w", err)
264+
}
265+
if declPGF.Fixed() {
266+
return nil, nil, fmt.Errorf("file contains parse errors: %s", declPGF.URI)
267+
}
268+
269+
// find the struct type declaration
270+
var structType *ast.StructType
271+
ast.Inspect(declPGF.File, func(n ast.Node) bool {
272+
if typeSpec, ok := n.(*ast.TypeSpec); ok {
273+
if typeSpec.Name.Name == fieldInfo.Named.Obj().Name() {
274+
if st, ok := typeSpec.Type.(*ast.StructType); ok {
275+
structType = st
276+
return false
277+
}
278+
}
279+
}
280+
return true
281+
})
282+
283+
if structType == nil {
284+
return nil, nil, fmt.Errorf("could not find struct definition")
285+
}
286+
287+
// find the position to insert the new field (end of struct fields)
288+
insertPos := structType.Fields.Closing - 1
289+
if insertPos == structType.Fields.Opening {
290+
// struct has no fields yet
291+
insertPos = structType.Fields.Closing
292+
}
293+
294+
var buf bytes.Buffer
295+
if err := fieldInfo.Emit(&buf, types.RelativeTo(fieldInfo.Named.Obj().Pkg())); err != nil {
296+
return nil, nil, err
297+
}
298+
299+
_, err = declPGF.Mapper.PosRange(declPGF.Tok, insertPos, insertPos)
300+
if err != nil {
301+
return nil, nil, err
302+
}
303+
304+
textEdit := analysis.TextEdit{
305+
Pos: insertPos,
306+
End: insertPos,
307+
NewText: []byte(buf.String()),
308+
}
309+
310+
fix := &analysis.SuggestedFix{
311+
Message: fmt.Sprintf("Add field %s to struct %s", fieldInfo.Expr.Sel.Name, fieldInfo.Named.Obj().Name()),
312+
TextEdits: []analysis.TextEdit{textEdit},
313+
}
314+
315+
return fieldInfo.Fset, fix, nil
316+
}

0 commit comments

Comments
 (0)