]> Cypherpunks.ru repositories - gostls13.git/blob - src/go/types/api_test.go
3050b930b5d692c551d6bd881bd311347a656b61
[gostls13.git] / src / go / types / api_test.go
1 // Copyright 2013 The Go Authors. All rights reserved.
2 // Use of this source code is governed by a BSD-style
3 // license that can be found in the LICENSE file.
4
5 package types_test
6
7 import (
8         "errors"
9         "fmt"
10         "go/ast"
11         "go/importer"
12         "go/parser"
13         "go/token"
14         "internal/testenv"
15         "reflect"
16         "regexp"
17         "sort"
18         "strings"
19         "sync"
20         "testing"
21
22         . "go/types"
23 )
24
25 // nopos indicates an unknown position
26 var nopos token.Pos
27
28 func mustParse(fset *token.FileSet, src string) *ast.File {
29         f, err := parser.ParseFile(fset, pkgName(src), src, 0)
30         if err != nil {
31                 panic(err) // so we don't need to pass *testing.T
32         }
33         return f
34 }
35
36 func typecheck(src string, conf *Config, info *Info) (*Package, error) {
37         fset := token.NewFileSet()
38         f := mustParse(fset, src)
39         if conf == nil {
40                 conf = &Config{
41                         Error:    func(err error) {}, // collect all errors
42                         Importer: importer.Default(),
43                 }
44         }
45         return conf.Check(f.Name.Name, fset, []*ast.File{f}, info)
46 }
47
48 func mustTypecheck(src string, conf *Config, info *Info) *Package {
49         pkg, err := typecheck(src, conf, info)
50         if err != nil {
51                 panic(err) // so we don't need to pass *testing.T
52         }
53         return pkg
54 }
55
56 // pkgName extracts the package name from src, which must contain a package header.
57 func pkgName(src string) string {
58         const kw = "package "
59         if i := strings.Index(src, kw); i >= 0 {
60                 after := src[i+len(kw):]
61                 n := len(after)
62                 if i := strings.IndexAny(after, "\n\t ;/"); i >= 0 {
63                         n = i
64                 }
65                 return after[:n]
66         }
67         panic("missing package header: " + src)
68 }
69
70 func TestValuesInfo(t *testing.T) {
71         var tests = []struct {
72                 src  string
73                 expr string // constant expression
74                 typ  string // constant type
75                 val  string // constant value
76         }{
77                 {`package a0; const _ = false`, `false`, `untyped bool`, `false`},
78                 {`package a1; const _ = 0`, `0`, `untyped int`, `0`},
79                 {`package a2; const _ = 'A'`, `'A'`, `untyped rune`, `65`},
80                 {`package a3; const _ = 0.`, `0.`, `untyped float`, `0`},
81                 {`package a4; const _ = 0i`, `0i`, `untyped complex`, `(0 + 0i)`},
82                 {`package a5; const _ = "foo"`, `"foo"`, `untyped string`, `"foo"`},
83
84                 {`package b0; var _ = false`, `false`, `bool`, `false`},
85                 {`package b1; var _ = 0`, `0`, `int`, `0`},
86                 {`package b2; var _ = 'A'`, `'A'`, `rune`, `65`},
87                 {`package b3; var _ = 0.`, `0.`, `float64`, `0`},
88                 {`package b4; var _ = 0i`, `0i`, `complex128`, `(0 + 0i)`},
89                 {`package b5; var _ = "foo"`, `"foo"`, `string`, `"foo"`},
90
91                 {`package c0a; var _ = bool(false)`, `false`, `bool`, `false`},
92                 {`package c0b; var _ = bool(false)`, `bool(false)`, `bool`, `false`},
93                 {`package c0c; type T bool; var _ = T(false)`, `T(false)`, `c0c.T`, `false`},
94
95                 {`package c1a; var _ = int(0)`, `0`, `int`, `0`},
96                 {`package c1b; var _ = int(0)`, `int(0)`, `int`, `0`},
97                 {`package c1c; type T int; var _ = T(0)`, `T(0)`, `c1c.T`, `0`},
98
99                 {`package c2a; var _ = rune('A')`, `'A'`, `rune`, `65`},
100                 {`package c2b; var _ = rune('A')`, `rune('A')`, `rune`, `65`},
101                 {`package c2c; type T rune; var _ = T('A')`, `T('A')`, `c2c.T`, `65`},
102
103                 {`package c3a; var _ = float32(0.)`, `0.`, `float32`, `0`},
104                 {`package c3b; var _ = float32(0.)`, `float32(0.)`, `float32`, `0`},
105                 {`package c3c; type T float32; var _ = T(0.)`, `T(0.)`, `c3c.T`, `0`},
106
107                 {`package c4a; var _ = complex64(0i)`, `0i`, `complex64`, `(0 + 0i)`},
108                 {`package c4b; var _ = complex64(0i)`, `complex64(0i)`, `complex64`, `(0 + 0i)`},
109                 {`package c4c; type T complex64; var _ = T(0i)`, `T(0i)`, `c4c.T`, `(0 + 0i)`},
110
111                 {`package c5a; var _ = string("foo")`, `"foo"`, `string`, `"foo"`},
112                 {`package c5b; var _ = string("foo")`, `string("foo")`, `string`, `"foo"`},
113                 {`package c5c; type T string; var _ = T("foo")`, `T("foo")`, `c5c.T`, `"foo"`},
114                 {`package c5d; var _ = string(65)`, `65`, `untyped int`, `65`},
115                 {`package c5e; var _ = string('A')`, `'A'`, `untyped rune`, `65`},
116                 {`package c5f; type T string; var _ = T('A')`, `'A'`, `untyped rune`, `65`},
117
118                 {`package d0; var _ = []byte("foo")`, `"foo"`, `string`, `"foo"`},
119                 {`package d1; var _ = []byte(string("foo"))`, `"foo"`, `string`, `"foo"`},
120                 {`package d2; var _ = []byte(string("foo"))`, `string("foo")`, `string`, `"foo"`},
121                 {`package d3; type T []byte; var _ = T("foo")`, `"foo"`, `string`, `"foo"`},
122
123                 {`package e0; const _ = float32( 1e-200)`, `float32(1e-200)`, `float32`, `0`},
124                 {`package e1; const _ = float32(-1e-200)`, `float32(-1e-200)`, `float32`, `0`},
125                 {`package e2; const _ = float64( 1e-2000)`, `float64(1e-2000)`, `float64`, `0`},
126                 {`package e3; const _ = float64(-1e-2000)`, `float64(-1e-2000)`, `float64`, `0`},
127                 {`package e4; const _ = complex64( 1e-200)`, `complex64(1e-200)`, `complex64`, `(0 + 0i)`},
128                 {`package e5; const _ = complex64(-1e-200)`, `complex64(-1e-200)`, `complex64`, `(0 + 0i)`},
129                 {`package e6; const _ = complex128( 1e-2000)`, `complex128(1e-2000)`, `complex128`, `(0 + 0i)`},
130                 {`package e7; const _ = complex128(-1e-2000)`, `complex128(-1e-2000)`, `complex128`, `(0 + 0i)`},
131
132                 {`package f0 ; var _ float32 =  1e-200`, `1e-200`, `float32`, `0`},
133                 {`package f1 ; var _ float32 = -1e-200`, `-1e-200`, `float32`, `0`},
134                 {`package f2a; var _ float64 =  1e-2000`, `1e-2000`, `float64`, `0`},
135                 {`package f3a; var _ float64 = -1e-2000`, `-1e-2000`, `float64`, `0`},
136                 {`package f2b; var _         =  1e-2000`, `1e-2000`, `float64`, `0`},
137                 {`package f3b; var _         = -1e-2000`, `-1e-2000`, `float64`, `0`},
138                 {`package f4 ; var _ complex64  =  1e-200 `, `1e-200`, `complex64`, `(0 + 0i)`},
139                 {`package f5 ; var _ complex64  = -1e-200 `, `-1e-200`, `complex64`, `(0 + 0i)`},
140                 {`package f6a; var _ complex128 =  1e-2000i`, `1e-2000i`, `complex128`, `(0 + 0i)`},
141                 {`package f7a; var _ complex128 = -1e-2000i`, `-1e-2000i`, `complex128`, `(0 + 0i)`},
142                 {`package f6b; var _            =  1e-2000i`, `1e-2000i`, `complex128`, `(0 + 0i)`},
143                 {`package f7b; var _            = -1e-2000i`, `-1e-2000i`, `complex128`, `(0 + 0i)`},
144
145                 {`package g0; const (a = len([iota]int{}); b; c); const _ = c`, `c`, `int`, `2`}, // go.dev/issue/22341
146                 {`package g1; var(j int32; s int; n = 1.0<<s == j)`, `1.0`, `int32`, `1`},        // go.dev/issue/48422
147         }
148
149         for _, test := range tests {
150                 info := Info{
151                         Types: make(map[ast.Expr]TypeAndValue),
152                 }
153                 name := mustTypecheck(test.src, nil, &info).Name()
154
155                 // look for expression
156                 var expr ast.Expr
157                 for e := range info.Types {
158                         if ExprString(e) == test.expr {
159                                 expr = e
160                                 break
161                         }
162                 }
163                 if expr == nil {
164                         t.Errorf("package %s: no expression found for %s", name, test.expr)
165                         continue
166                 }
167                 tv := info.Types[expr]
168
169                 // check that type is correct
170                 if got := tv.Type.String(); got != test.typ {
171                         t.Errorf("package %s: got type %s; want %s", name, got, test.typ)
172                         continue
173                 }
174
175                 // if we have a constant, check that value is correct
176                 if tv.Value != nil {
177                         if got := tv.Value.ExactString(); got != test.val {
178                                 t.Errorf("package %s: got value %s; want %s", name, got, test.val)
179                         }
180                 } else {
181                         if test.val != "" {
182                                 t.Errorf("package %s: no constant found; want %s", name, test.val)
183                         }
184                 }
185         }
186 }
187
188 func TestTypesInfo(t *testing.T) {
189         // Test sources that are not expected to typecheck must start with the broken prefix.
190         const broken = "package broken_"
191
192         var tests = []struct {
193                 src  string
194                 expr string // expression
195                 typ  string // value type
196         }{
197                 // single-valued expressions of untyped constants
198                 {`package b0; var x interface{} = false`, `false`, `bool`},
199                 {`package b1; var x interface{} = 0`, `0`, `int`},
200                 {`package b2; var x interface{} = 0.`, `0.`, `float64`},
201                 {`package b3; var x interface{} = 0i`, `0i`, `complex128`},
202                 {`package b4; var x interface{} = "foo"`, `"foo"`, `string`},
203
204                 // uses of nil
205                 {`package n0; var _ *int = nil`, `nil`, `untyped nil`},
206                 {`package n1; var _ func() = nil`, `nil`, `untyped nil`},
207                 {`package n2; var _ []byte = nil`, `nil`, `untyped nil`},
208                 {`package n3; var _ map[int]int = nil`, `nil`, `untyped nil`},
209                 {`package n4; var _ chan int = nil`, `nil`, `untyped nil`},
210                 {`package n5; var _ interface{} = nil`, `nil`, `untyped nil`},
211                 {`package n6; import "unsafe"; var _ unsafe.Pointer = nil`, `nil`, `untyped nil`},
212
213                 {`package n10; var (x *int; _ = x == nil)`, `nil`, `untyped nil`},
214                 {`package n11; var (x func(); _ = x == nil)`, `nil`, `untyped nil`},
215                 {`package n12; var (x []byte; _ = x == nil)`, `nil`, `untyped nil`},
216                 {`package n13; var (x map[int]int; _ = x == nil)`, `nil`, `untyped nil`},
217                 {`package n14; var (x chan int; _ = x == nil)`, `nil`, `untyped nil`},
218                 {`package n15; var (x interface{}; _ = x == nil)`, `nil`, `untyped nil`},
219                 {`package n15; import "unsafe"; var (x unsafe.Pointer; _ = x == nil)`, `nil`, `untyped nil`},
220
221                 {`package n20; var _ = (*int)(nil)`, `nil`, `untyped nil`},
222                 {`package n21; var _ = (func())(nil)`, `nil`, `untyped nil`},
223                 {`package n22; var _ = ([]byte)(nil)`, `nil`, `untyped nil`},
224                 {`package n23; var _ = (map[int]int)(nil)`, `nil`, `untyped nil`},
225                 {`package n24; var _ = (chan int)(nil)`, `nil`, `untyped nil`},
226                 {`package n25; var _ = (interface{})(nil)`, `nil`, `untyped nil`},
227                 {`package n26; import "unsafe"; var _ = unsafe.Pointer(nil)`, `nil`, `untyped nil`},
228
229                 {`package n30; func f(*int) { f(nil) }`, `nil`, `untyped nil`},
230                 {`package n31; func f(func()) { f(nil) }`, `nil`, `untyped nil`},
231                 {`package n32; func f([]byte) { f(nil) }`, `nil`, `untyped nil`},
232                 {`package n33; func f(map[int]int) { f(nil) }`, `nil`, `untyped nil`},
233                 {`package n34; func f(chan int) { f(nil) }`, `nil`, `untyped nil`},
234                 {`package n35; func f(interface{}) { f(nil) }`, `nil`, `untyped nil`},
235                 {`package n35; import "unsafe"; func f(unsafe.Pointer) { f(nil) }`, `nil`, `untyped nil`},
236
237                 // comma-ok expressions
238                 {`package p0; var x interface{}; var _, _ = x.(int)`,
239                         `x.(int)`,
240                         `(int, bool)`,
241                 },
242                 {`package p1; var x interface{}; func _() { _, _ = x.(int) }`,
243                         `x.(int)`,
244                         `(int, bool)`,
245                 },
246                 {`package p2a; type mybool bool; var m map[string]complex128; var b mybool; func _() { _, b = m["foo"] }`,
247                         `m["foo"]`,
248                         `(complex128, p2a.mybool)`,
249                 },
250                 {`package p2b; var m map[string]complex128; var b bool; func _() { _, b = m["foo"] }`,
251                         `m["foo"]`,
252                         `(complex128, bool)`,
253                 },
254                 {`package p3; var c chan string; var _, _ = <-c`,
255                         `<-c`,
256                         `(string, bool)`,
257                 },
258
259                 // go.dev/issue/6796
260                 {`package issue6796_a; var x interface{}; var _, _ = (x.(int))`,
261                         `x.(int)`,
262                         `(int, bool)`,
263                 },
264                 {`package issue6796_b; var c chan string; var _, _ = (<-c)`,
265                         `(<-c)`,
266                         `(string, bool)`,
267                 },
268                 {`package issue6796_c; var c chan string; var _, _ = (<-c)`,
269                         `<-c`,
270                         `(string, bool)`,
271                 },
272                 {`package issue6796_d; var c chan string; var _, _ = ((<-c))`,
273                         `(<-c)`,
274                         `(string, bool)`,
275                 },
276                 {`package issue6796_e; func f(c chan string) { _, _ = ((<-c)) }`,
277                         `(<-c)`,
278                         `(string, bool)`,
279                 },
280
281                 // go.dev/issue/7060
282                 {`package issue7060_a; var ( m map[int]string; x, ok = m[0] )`,
283                         `m[0]`,
284                         `(string, bool)`,
285                 },
286                 {`package issue7060_b; var ( m map[int]string; x, ok interface{} = m[0] )`,
287                         `m[0]`,
288                         `(string, bool)`,
289                 },
290                 {`package issue7060_c; func f(x interface{}, ok bool, m map[int]string) { x, ok = m[0] }`,
291                         `m[0]`,
292                         `(string, bool)`,
293                 },
294                 {`package issue7060_d; var ( ch chan string; x, ok = <-ch )`,
295                         `<-ch`,
296                         `(string, bool)`,
297                 },
298                 {`package issue7060_e; var ( ch chan string; x, ok interface{} = <-ch )`,
299                         `<-ch`,
300                         `(string, bool)`,
301                 },
302                 {`package issue7060_f; func f(x interface{}, ok bool, ch chan string) { x, ok = <-ch }`,
303                         `<-ch`,
304                         `(string, bool)`,
305                 },
306
307                 // go.dev/issue/28277
308                 {`package issue28277_a; func f(...int)`,
309                         `...int`,
310                         `[]int`,
311                 },
312                 {`package issue28277_b; func f(a, b int, c ...[]struct{})`,
313                         `...[]struct{}`,
314                         `[][]struct{}`,
315                 },
316
317                 // go.dev/issue/47243
318                 {`package issue47243_a; var x int32; var _ = x << 3`, `3`, `untyped int`},
319                 {`package issue47243_b; var x int32; var _ = x << 3.`, `3.`, `untyped float`},
320                 {`package issue47243_c; var x int32; var _ = 1 << x`, `1 << x`, `int`},
321                 {`package issue47243_d; var x int32; var _ = 1 << x`, `1`, `int`},
322                 {`package issue47243_e; var x int32; var _ = 1 << 2`, `1`, `untyped int`},
323                 {`package issue47243_f; var x int32; var _ = 1 << 2`, `2`, `untyped int`},
324                 {`package issue47243_g; var x int32; var _ = int(1) << 2`, `2`, `untyped int`},
325                 {`package issue47243_h; var x int32; var _ = 1 << (2 << x)`, `1`, `int`},
326                 {`package issue47243_i; var x int32; var _ = 1 << (2 << x)`, `(2 << x)`, `untyped int`},
327                 {`package issue47243_j; var x int32; var _ = 1 << (2 << x)`, `2`, `untyped int`},
328
329                 // tests for broken code that doesn't type-check
330                 {broken + `x0; func _() { var x struct {f string}; x.f := 0 }`, `x.f`, `string`},
331                 {broken + `x1; func _() { var z string; type x struct {f string}; y := &x{q: z}}`, `z`, `string`},
332                 {broken + `x2; func _() { var a, b string; type x struct {f string}; z := &x{f: a, f: b,}}`, `b`, `string`},
333                 {broken + `x3; var x = panic("");`, `panic`, `func(interface{})`},
334                 {`package x4; func _() { panic("") }`, `panic`, `func(interface{})`},
335                 {broken + `x5; func _() { var x map[string][...]int; x = map[string][...]int{"": {1,2,3}} }`, `x`, `map[string]invalid type`},
336
337                 // parameterized functions
338                 {`package p0; func f[T any](T) {}; var _ = f[int]`, `f`, `func[T any](T)`},
339                 {`package p1; func f[T any](T) {}; var _ = f[int]`, `f[int]`, `func(int)`},
340                 {`package p2; func f[T any](T) {}; func _() { f(42) }`, `f`, `func(int)`},
341                 {`package p3; func f[T any](T) {}; func _() { f[int](42) }`, `f[int]`, `func(int)`},
342                 {`package p4; func f[T any](T) {}; func _() { f[int](42) }`, `f`, `func[T any](T)`},
343                 {`package p5; func f[T any](T) {}; func _() { f(42) }`, `f(42)`, `()`},
344
345                 // type parameters
346                 {`package t0; type t[] int; var _ t`, `t`, `t0.t`}, // t[] is a syntax error that is ignored in this test in favor of t
347                 {`package t1; type t[P any] int; var _ t[int]`, `t`, `t1.t[P any]`},
348                 {`package t2; type t[P interface{}] int; var _ t[int]`, `t`, `t2.t[P interface{}]`},
349                 {`package t3; type t[P, Q interface{}] int; var _ t[int, int]`, `t`, `t3.t[P, Q interface{}]`},
350                 {broken + `t4; type t[P, Q interface{ m() }] int; var _ t[int, int]`, `t`, `broken_t4.t[P, Q interface{m()}]`},
351
352                 // instantiated types must be sanitized
353                 {`package g0; type t[P any] int; var x struct{ f t[int] }; var _ = x.f`, `x.f`, `g0.t[int]`},
354
355                 // go.dev/issue/45096
356                 {`package issue45096; func _[T interface{ ~int8 | ~int16 | ~int32  }](x T) { _ = x < 0 }`, `0`, `T`},
357
358                 // go.dev/issue/47895
359                 {`package p; import "unsafe"; type S struct { f int }; var s S; var _ = unsafe.Offsetof(s.f)`, `s.f`, `int`},
360
361                 // go.dev/issue/50093
362                 {`package u0a; func _[_ interface{int}]() {}`, `int`, `int`},
363                 {`package u1a; func _[_ interface{~int}]() {}`, `~int`, `~int`},
364                 {`package u2a; func _[_ interface{int | string}]() {}`, `int | string`, `int | string`},
365                 {`package u3a; func _[_ interface{int | string | ~bool}]() {}`, `int | string | ~bool`, `int | string | ~bool`},
366                 {`package u3a; func _[_ interface{int | string | ~bool}]() {}`, `int | string`, `int | string`},
367                 {`package u3a; func _[_ interface{int | string | ~bool}]() {}`, `~bool`, `~bool`},
368                 {`package u3a; func _[_ interface{int | string | ~float64|~bool}]() {}`, `int | string | ~float64`, `int | string | ~float64`},
369
370                 {`package u0b; func _[_ int]() {}`, `int`, `int`},
371                 {`package u1b; func _[_ ~int]() {}`, `~int`, `~int`},
372                 {`package u2b; func _[_ int | string]() {}`, `int | string`, `int | string`},
373                 {`package u3b; func _[_ int | string | ~bool]() {}`, `int | string | ~bool`, `int | string | ~bool`},
374                 {`package u3b; func _[_ int | string | ~bool]() {}`, `int | string`, `int | string`},
375                 {`package u3b; func _[_ int | string | ~bool]() {}`, `~bool`, `~bool`},
376                 {`package u3b; func _[_ int | string | ~float64|~bool]() {}`, `int | string | ~float64`, `int | string | ~float64`},
377
378                 {`package u0c; type _ interface{int}`, `int`, `int`},
379                 {`package u1c; type _ interface{~int}`, `~int`, `~int`},
380                 {`package u2c; type _ interface{int | string}`, `int | string`, `int | string`},
381                 {`package u3c; type _ interface{int | string | ~bool}`, `int | string | ~bool`, `int | string | ~bool`},
382                 {`package u3c; type _ interface{int | string | ~bool}`, `int | string`, `int | string`},
383                 {`package u3c; type _ interface{int | string | ~bool}`, `~bool`, `~bool`},
384                 {`package u3c; type _ interface{int | string | ~float64|~bool}`, `int | string | ~float64`, `int | string | ~float64`},
385
386                 // reverse type inference
387                 {`package r1; var _ func(int) = g; func g[P any](P) {}`, `g`, `func(int)`},
388                 {`package r2; var _ func(int) = g[int]; func g[P any](P) {}`, `g`, `func[P any](P)`}, // go.dev/issues/60212
389                 {`package r3; var _ func(int) = g[int]; func g[P any](P) {}`, `g[int]`, `func(int)`},
390                 {`package r4; var _ func(int, string) = g; func g[P, Q any](P, Q) {}`, `g`, `func(int, string)`},
391                 {`package r5; var _ func(int, string) = g[int]; func g[P, Q any](P, Q) {}`, `g`, `func[P, Q any](P, Q)`}, // go.dev/issues/60212
392                 {`package r6; var _ func(int, string) = g[int]; func g[P, Q any](P, Q) {}`, `g[int]`, `func(int, string)`},
393
394                 {`package s1; func _() { f(g) }; func f(func(int)) {}; func g[P any](P) {}`, `g`, `func(int)`},
395                 {`package s2; func _() { f(g[int]) }; func f(func(int)) {}; func g[P any](P) {}`, `g`, `func[P any](P)`}, // go.dev/issues/60212
396                 {`package s3; func _() { f(g[int]) }; func f(func(int)) {}; func g[P any](P) {}`, `g[int]`, `func(int)`},
397                 {`package s4; func _() { f(g) }; func f(func(int, string)) {}; func g[P, Q any](P, Q) {}`, `g`, `func(int, string)`},
398                 {`package s5; func _() { f(g[int]) }; func f(func(int, string)) {}; func g[P, Q any](P, Q) {}`, `g`, `func[P, Q any](P, Q)`}, // go.dev/issues/60212
399                 {`package s6; func _() { f(g[int]) }; func f(func(int, string)) {}; func g[P, Q any](P, Q) {}`, `g[int]`, `func(int, string)`},
400
401                 {`package s7; func _() { f(g, h) }; func f[P any](func(int, P), func(P, string)) {}; func g[P any](P, P) {}; func h[P, Q any](P, Q) {}`, `g`, `func(int, int)`},
402                 {`package s8; func _() { f(g, h) }; func f[P any](func(int, P), func(P, string)) {}; func g[P any](P, P) {}; func h[P, Q any](P, Q) {}`, `h`, `func(int, string)`},
403                 {`package s9; func _() { f(g, h[int]) }; func f[P any](func(int, P), func(P, string)) {}; func g[P any](P, P) {}; func h[P, Q any](P, Q) {}`, `h`, `func[P, Q any](P, Q)`}, // go.dev/issues/60212
404                 {`package s10; func _() { f(g, h[int]) }; func f[P any](func(int, P), func(P, string)) {}; func g[P any](P, P) {}; func h[P, Q any](P, Q) {}`, `h[int]`, `func(int, string)`},
405         }
406
407         for _, test := range tests {
408                 info := Info{Types: make(map[ast.Expr]TypeAndValue)}
409                 var name string
410                 if strings.HasPrefix(test.src, broken) {
411                         pkg, err := typecheck(test.src, nil, &info)
412                         if err == nil {
413                                 t.Errorf("package %s: expected to fail but passed", pkg.Name())
414                                 continue
415                         }
416                         if pkg != nil {
417                                 name = pkg.Name()
418                         }
419                 } else {
420                         name = mustTypecheck(test.src, nil, &info).Name()
421                 }
422
423                 // look for expression type
424                 var typ Type
425                 for e, tv := range info.Types {
426                         if ExprString(e) == test.expr {
427                                 typ = tv.Type
428                                 break
429                         }
430                 }
431                 if typ == nil {
432                         t.Errorf("package %s: no type found for %s", name, test.expr)
433                         continue
434                 }
435
436                 // check that type is correct
437                 if got := typ.String(); got != test.typ {
438                         t.Errorf("package %s: expr = %s: got %s; want %s", name, test.expr, got, test.typ)
439                 }
440         }
441 }
442
443 func TestInstanceInfo(t *testing.T) {
444         const lib = `package lib
445
446 func F[P any](P) {}
447
448 type T[P any] []P
449 `
450
451         type testInst struct {
452                 name  string
453                 targs []string
454                 typ   string
455         }
456
457         var tests = []struct {
458                 src       string
459                 instances []testInst // recorded instances in source order
460         }{
461                 {`package p0; func f[T any](T) {}; func _() { f(42) }`,
462                         []testInst{{`f`, []string{`int`}, `func(int)`}},
463                 },
464                 {`package p1; func f[T any](T) T { panic(0) }; func _() { f('@') }`,
465                         []testInst{{`f`, []string{`rune`}, `func(rune) rune`}},
466                 },
467                 {`package p2; func f[T any](...T) T { panic(0) }; func _() { f(0i) }`,
468                         []testInst{{`f`, []string{`complex128`}, `func(...complex128) complex128`}},
469                 },
470                 {`package p3; func f[A, B, C any](A, *B, []C) {}; func _() { f(1.2, new(string), []byte{}) }`,
471                         []testInst{{`f`, []string{`float64`, `string`, `byte`}, `func(float64, *string, []byte)`}},
472                 },
473                 {`package p4; func f[A, B any](A, *B, ...[]B) {}; func _() { f(1.2, new(byte)) }`,
474                         []testInst{{`f`, []string{`float64`, `byte`}, `func(float64, *byte, ...[]byte)`}},
475                 },
476
477                 {`package s1; func f[T any, P interface{*T}](x T) {}; func _(x string) { f(x) }`,
478                         []testInst{{`f`, []string{`string`, `*string`}, `func(x string)`}},
479                 },
480                 {`package s2; func f[T any, P interface{*T}](x []T) {}; func _(x []int) { f(x) }`,
481                         []testInst{{`f`, []string{`int`, `*int`}, `func(x []int)`}},
482                 },
483                 {`package s3; type C[T any] interface{chan<- T}; func f[T any, P C[T]](x []T) {}; func _(x []int) { f(x) }`,
484                         []testInst{
485                                 {`C`, []string{`T`}, `interface{chan<- T}`},
486                                 {`f`, []string{`int`, `chan<- int`}, `func(x []int)`},
487                         },
488                 },
489                 {`package s4; type C[T any] interface{chan<- T}; func f[T any, P C[T], Q C[[]*P]](x []T) {}; func _(x []int) { f(x) }`,
490                         []testInst{
491                                 {`C`, []string{`T`}, `interface{chan<- T}`},
492                                 {`C`, []string{`[]*P`}, `interface{chan<- []*P}`},
493                                 {`f`, []string{`int`, `chan<- int`, `chan<- []*chan<- int`}, `func(x []int)`},
494                         },
495                 },
496
497                 {`package t1; func f[T any, P interface{*T}]() T { panic(0) }; func _() { _ = f[string] }`,
498                         []testInst{{`f`, []string{`string`, `*string`}, `func() string`}},
499                 },
500                 {`package t2; func f[T any, P interface{*T}]() T { panic(0) }; func _() { _ = (f[string]) }`,
501                         []testInst{{`f`, []string{`string`, `*string`}, `func() string`}},
502                 },
503                 {`package t3; type C[T any] interface{chan<- T}; func f[T any, P C[T], Q C[[]*P]]() []T { return nil }; func _() { _ = f[int] }`,
504                         []testInst{
505                                 {`C`, []string{`T`}, `interface{chan<- T}`},
506                                 {`C`, []string{`[]*P`}, `interface{chan<- []*P}`},
507                                 {`f`, []string{`int`, `chan<- int`, `chan<- []*chan<- int`}, `func() []int`},
508                         },
509                 },
510                 {`package t4; type C[T any] interface{chan<- T}; func f[T any, P C[T], Q C[[]*P]]() []T { return nil }; func _() { _ = (f[int]) }`,
511                         []testInst{
512                                 {`C`, []string{`T`}, `interface{chan<- T}`},
513                                 {`C`, []string{`[]*P`}, `interface{chan<- []*P}`},
514                                 {`f`, []string{`int`, `chan<- int`, `chan<- []*chan<- int`}, `func() []int`},
515                         },
516                 },
517                 {`package i0; import "lib"; func _() { lib.F(42) }`,
518                         []testInst{{`F`, []string{`int`}, `func(int)`}},
519                 },
520
521                 {`package duplfunc0; func f[T any](T) {}; func _() { f(42); f("foo"); f[int](3) }`,
522                         []testInst{
523                                 {`f`, []string{`int`}, `func(int)`},
524                                 {`f`, []string{`string`}, `func(string)`},
525                                 {`f`, []string{`int`}, `func(int)`},
526                         },
527                 },
528                 {`package duplfunc1; import "lib"; func _() { lib.F(42); lib.F("foo"); lib.F(3) }`,
529                         []testInst{
530                                 {`F`, []string{`int`}, `func(int)`},
531                                 {`F`, []string{`string`}, `func(string)`},
532                                 {`F`, []string{`int`}, `func(int)`},
533                         },
534                 },
535
536                 {`package type0; type T[P interface{~int}] struct{ x P }; var _ T[int]`,
537                         []testInst{{`T`, []string{`int`}, `struct{x int}`}},
538                 },
539                 {`package type1; type T[P interface{~int}] struct{ x P }; var _ (T[int])`,
540                         []testInst{{`T`, []string{`int`}, `struct{x int}`}},
541                 },
542                 {`package type2; type T[P interface{~int}] struct{ x P }; var _ T[(int)]`,
543                         []testInst{{`T`, []string{`int`}, `struct{x int}`}},
544                 },
545                 {`package type3; type T[P1 interface{~[]P2}, P2 any] struct{ x P1; y P2 }; var _ T[[]int, int]`,
546                         []testInst{{`T`, []string{`[]int`, `int`}, `struct{x []int; y int}`}},
547                 },
548                 {`package type4; import "lib"; var _ lib.T[int]`,
549                         []testInst{{`T`, []string{`int`}, `[]int`}},
550                 },
551
552                 {`package dupltype0; type T[P interface{~int}] struct{ x P }; var x T[int]; var y T[int]`,
553                         []testInst{
554                                 {`T`, []string{`int`}, `struct{x int}`},
555                                 {`T`, []string{`int`}, `struct{x int}`},
556                         },
557                 },
558                 {`package dupltype1; type T[P ~int] struct{ x P }; func (r *T[Q]) add(z T[Q]) { r.x += z.x }`,
559                         []testInst{
560                                 {`T`, []string{`Q`}, `struct{x Q}`},
561                                 {`T`, []string{`Q`}, `struct{x Q}`},
562                         },
563                 },
564                 {`package dupltype1; import "lib"; var x lib.T[int]; var y lib.T[int]; var z lib.T[string]`,
565                         []testInst{
566                                 {`T`, []string{`int`}, `[]int`},
567                                 {`T`, []string{`int`}, `[]int`},
568                                 {`T`, []string{`string`}, `[]string`},
569                         },
570                 },
571                 {`package issue51803; func foo[T any](T) {}; func _() { foo[int]( /* leave arg away on purpose */ ) }`,
572                         []testInst{{`foo`, []string{`int`}, `func(int)`}},
573                 },
574
575                 // reverse type inference
576                 {`package reverse1a; var f func(int) = g; func g[P any](P) {}`,
577                         []testInst{{`g`, []string{`int`}, `func(int)`}},
578                 },
579                 {`package reverse1b; func f(func(int)) {}; func g[P any](P) {}; func _() { f(g) }`,
580                         []testInst{{`g`, []string{`int`}, `func(int)`}},
581                 },
582                 {`package reverse2a; var f func(int, string) = g; func g[P, Q any](P, Q) {}`,
583                         []testInst{{`g`, []string{`int`, `string`}, `func(int, string)`}},
584                 },
585                 {`package reverse2b; func f(func(int, string)) {}; func g[P, Q any](P, Q) {}; func _() { f(g) }`,
586                         []testInst{{`g`, []string{`int`, `string`}, `func(int, string)`}},
587                 },
588                 {`package reverse2c; func f(func(int, string)) {}; func g[P, Q any](P, Q) {}; func _() { f(g[int]) }`,
589                         []testInst{{`g`, []string{`int`, `string`}, `func(int, string)`}},
590                 },
591                 // reverse3a not possible (cannot assign to generic function outside of argument passing)
592                 {`package reverse3b; func f[R any](func(int) R) {}; func g[P any](P) string { return "" }; func _() { f(g) }`,
593                         []testInst{
594                                 {`f`, []string{`string`}, `func(func(int) string)`},
595                                 {`g`, []string{`int`}, `func(int) string`},
596                         },
597                 },
598                 {`package reverse4a; var _, _ func([]int, *float32) = g, h; func g[P, Q any]([]P, *Q) {}; func h[R any]([]R, *float32) {}`,
599                         []testInst{
600                                 {`g`, []string{`int`, `float32`}, `func([]int, *float32)`},
601                                 {`h`, []string{`int`}, `func([]int, *float32)`},
602                         },
603                 },
604                 {`package reverse4b; func f(_, _ func([]int, *float32)) {}; func g[P, Q any]([]P, *Q) {}; func h[R any]([]R, *float32) {}; func _() { f(g, h) }`,
605                         []testInst{
606                                 {`g`, []string{`int`, `float32`}, `func([]int, *float32)`},
607                                 {`h`, []string{`int`}, `func([]int, *float32)`},
608                         },
609                 },
610                 {`package issue59956; func f(func(int), func(string), func(bool)) {}; func g[P any](P) {}; func _() { f(g, g, g) }`,
611                         []testInst{
612                                 {`g`, []string{`int`}, `func(int)`},
613                                 {`g`, []string{`string`}, `func(string)`},
614                                 {`g`, []string{`bool`}, `func(bool)`},
615                         },
616                 },
617         }
618
619         for _, test := range tests {
620                 imports := make(testImporter)
621                 conf := Config{Importer: imports}
622                 instMap := make(map[*ast.Ident]Instance)
623                 useMap := make(map[*ast.Ident]Object)
624                 makePkg := func(src string) *Package {
625                         pkg, err := typecheck(src, &conf, &Info{Instances: instMap, Uses: useMap})
626                         // allow error for issue51803
627                         if err != nil && (pkg == nil || pkg.Name() != "issue51803") {
628                                 t.Fatal(err)
629                         }
630                         imports[pkg.Name()] = pkg
631                         return pkg
632                 }
633                 makePkg(lib)
634                 pkg := makePkg(test.src)
635
636                 t.Run(pkg.Name(), func(t *testing.T) {
637                         // Sort instances in source order for stability.
638                         instances := sortedInstances(instMap)
639                         if got, want := len(instances), len(test.instances); got != want {
640                                 t.Fatalf("got %d instances, want %d", got, want)
641                         }
642
643                         // Pairwise compare with the expected instances.
644                         for ii, inst := range instances {
645                                 var targs []Type
646                                 for i := 0; i < inst.Inst.TypeArgs.Len(); i++ {
647                                         targs = append(targs, inst.Inst.TypeArgs.At(i))
648                                 }
649                                 typ := inst.Inst.Type
650
651                                 testInst := test.instances[ii]
652                                 if got := inst.Ident.Name; got != testInst.name {
653                                         t.Fatalf("got name %s, want %s", got, testInst.name)
654                                 }
655                                 if len(targs) != len(testInst.targs) {
656                                         t.Fatalf("got %d type arguments; want %d", len(targs), len(testInst.targs))
657                                 }
658                                 for i, targ := range targs {
659                                         if got := targ.String(); got != testInst.targs[i] {
660                                                 t.Errorf("type argument %d: got %s; want %s", i, got, testInst.targs[i])
661                                         }
662                                 }
663                                 if got := typ.Underlying().String(); got != testInst.typ {
664                                         t.Errorf("package %s: got %s; want %s", pkg.Name(), got, testInst.typ)
665                                 }
666
667                                 // Verify the invariant that re-instantiating the corresponding generic
668                                 // type with TypeArgs results in an identical instance.
669                                 ptype := useMap[inst.Ident].Type()
670                                 lister, _ := ptype.(interface{ TypeParams() *TypeParamList })
671                                 if lister == nil || lister.TypeParams().Len() == 0 {
672                                         t.Fatalf("info.Types[%v] = %v, want parameterized type", inst.Ident, ptype)
673                                 }
674                                 inst2, err := Instantiate(nil, ptype, targs, true)
675                                 if err != nil {
676                                         t.Errorf("Instantiate(%v, %v) failed: %v", ptype, targs, err)
677                                 }
678                                 if !Identical(inst.Inst.Type, inst2) {
679                                         t.Errorf("%v and %v are not identical", inst.Inst.Type, inst2)
680                                 }
681                         }
682                 })
683         }
684 }
685
686 type recordedInstance struct {
687         Ident *ast.Ident
688         Inst  Instance
689 }
690
691 func sortedInstances(m map[*ast.Ident]Instance) (instances []recordedInstance) {
692         for id, inst := range m {
693                 instances = append(instances, recordedInstance{id, inst})
694         }
695         sort.Slice(instances, func(i, j int) bool {
696                 return CmpPos(instances[i].Ident.Pos(), instances[j].Ident.Pos()) < 0
697         })
698         return instances
699 }
700
701 func TestDefsInfo(t *testing.T) {
702         var tests = []struct {
703                 src  string
704                 obj  string
705                 want string
706         }{
707                 {`package p0; const x = 42`, `x`, `const p0.x untyped int`},
708                 {`package p1; const x int = 42`, `x`, `const p1.x int`},
709                 {`package p2; var x int`, `x`, `var p2.x int`},
710                 {`package p3; type x int`, `x`, `type p3.x int`},
711                 {`package p4; func f()`, `f`, `func p4.f()`},
712                 {`package p5; func f() int { x, _ := 1, 2; return x }`, `_`, `var _ int`},
713
714                 // Tests using generics.
715                 {`package g0; type x[T any] int`, `x`, `type g0.x[T any] int`},
716                 {`package g1; func f[T any]() {}`, `f`, `func g1.f[T any]()`},
717                 {`package g2; type x[T any] int; func (*x[_]) m() {}`, `m`, `func (*g2.x[_]).m()`},
718         }
719
720         for _, test := range tests {
721                 info := Info{
722                         Defs: make(map[*ast.Ident]Object),
723                 }
724                 name := mustTypecheck(test.src, nil, &info).Name()
725
726                 // find object
727                 var def Object
728                 for id, obj := range info.Defs {
729                         if id.Name == test.obj {
730                                 def = obj
731                                 break
732                         }
733                 }
734                 if def == nil {
735                         t.Errorf("package %s: %s not found", name, test.obj)
736                         continue
737                 }
738
739                 if got := def.String(); got != test.want {
740                         t.Errorf("package %s: got %s; want %s", name, got, test.want)
741                 }
742         }
743 }
744
745 func TestUsesInfo(t *testing.T) {
746         var tests = []struct {
747                 src  string
748                 obj  string
749                 want string
750         }{
751                 {`package p0; func _() { _ = x }; const x = 42`, `x`, `const p0.x untyped int`},
752                 {`package p1; func _() { _ = x }; const x int = 42`, `x`, `const p1.x int`},
753                 {`package p2; func _() { _ = x }; var x int`, `x`, `var p2.x int`},
754                 {`package p3; func _() { type _ x }; type x int`, `x`, `type p3.x int`},
755                 {`package p4; func _() { _ = f }; func f()`, `f`, `func p4.f()`},
756
757                 // Tests using generics.
758                 {`package g0; func _[T any]() { _ = x }; const x = 42`, `x`, `const g0.x untyped int`},
759                 {`package g1; func _[T any](x T) { }`, `T`, `type parameter T any`},
760                 {`package g2; type N[A any] int; var _ N[int]`, `N`, `type g2.N[A any] int`},
761                 {`package g3; type N[A any] int; func (N[_]) m() {}`, `N`, `type g3.N[A any] int`},
762
763                 // Uses of fields are instantiated.
764                 {`package s1; type N[A any] struct{ a A }; var f = N[int]{}.a`, `a`, `field a int`},
765                 {`package s1; type N[A any] struct{ a A }; func (r N[B]) m(b B) { r.a = b }`, `a`, `field a B`},
766
767                 // Uses of methods are uses of the instantiated method.
768                 {`package m0; type N[A any] int; func (r N[B]) m() { r.n() }; func (N[C]) n() {}`, `n`, `func (m0.N[B]).n()`},
769                 {`package m1; type N[A any] int; func (r N[B]) m() { }; var f = N[int].m`, `m`, `func (m1.N[int]).m()`},
770                 {`package m2; func _[A any](v interface{ m() A }) { v.m() }`, `m`, `func (interface).m() A`},
771                 {`package m3; func f[A any]() interface{ m() A } { return nil }; var _ = f[int]().m()`, `m`, `func (interface).m() int`},
772                 {`package m4; type T[A any] func() interface{ m() A }; var x T[int]; var y = x().m`, `m`, `func (interface).m() int`},
773                 {`package m5; type T[A any] interface{ m() A }; func _[B any](t T[B]) { t.m() }`, `m`, `func (m5.T[B]).m() B`},
774                 {`package m6; type T[A any] interface{ m() }; func _[B any](t T[B]) { t.m() }`, `m`, `func (m6.T[B]).m()`},
775                 {`package m7; type T[A any] interface{ m() A }; func _(t T[int]) { t.m() }`, `m`, `func (m7.T[int]).m() int`},
776                 {`package m8; type T[A any] interface{ m() }; func _(t T[int]) { t.m() }`, `m`, `func (m8.T[int]).m()`},
777                 {`package m9; type T[A any] interface{ m() }; func _(t T[int]) { _ = t.m }`, `m`, `func (m9.T[int]).m()`},
778                 {
779                         `package m10; type E[A any] interface{ m() }; type T[B any] interface{ E[B]; n() }; func _(t T[int]) { t.m() }`,
780                         `m`,
781                         `func (m10.E[int]).m()`,
782                 },
783                 {`package m11; type T[A any] interface{ m(); n() }; func _(t1 T[int], t2 T[string]) { t1.m(); t2.n() }`, `m`, `func (m11.T[int]).m()`},
784                 {`package m12; type T[A any] interface{ m(); n() }; func _(t1 T[int], t2 T[string]) { t1.m(); t2.n() }`, `n`, `func (m12.T[string]).n()`},
785         }
786
787         for _, test := range tests {
788                 info := Info{
789                         Uses: make(map[*ast.Ident]Object),
790                 }
791                 name := mustTypecheck(test.src, nil, &info).Name()
792
793                 // find object
794                 var use Object
795                 for id, obj := range info.Uses {
796                         if id.Name == test.obj {
797                                 if use != nil {
798                                         panic(fmt.Sprintf("multiple uses of %q", id.Name))
799                                 }
800                                 use = obj
801                         }
802                 }
803                 if use == nil {
804                         t.Errorf("package %s: %s not found", name, test.obj)
805                         continue
806                 }
807
808                 if got := use.String(); got != test.want {
809                         t.Errorf("package %s: got %s; want %s", name, got, test.want)
810                 }
811         }
812 }
813
814 func TestGenericMethodInfo(t *testing.T) {
815         src := `package p
816
817 type N[A any] int
818
819 func (r N[B]) m() { r.m(); r.n() }
820
821 func (r *N[C]) n() {  }
822 `
823         fset := token.NewFileSet()
824         f := mustParse(fset, src)
825         info := Info{
826                 Defs:       make(map[*ast.Ident]Object),
827                 Uses:       make(map[*ast.Ident]Object),
828                 Selections: make(map[*ast.SelectorExpr]*Selection),
829         }
830         var conf Config
831         pkg, err := conf.Check("p", fset, []*ast.File{f}, &info)
832         if err != nil {
833                 t.Fatal(err)
834         }
835
836         N := pkg.Scope().Lookup("N").Type().(*Named)
837
838         // Find the generic methods stored on N.
839         gm, gn := N.Method(0), N.Method(1)
840         if gm.Name() == "n" {
841                 gm, gn = gn, gm
842         }
843
844         // Collect objects from info.
845         var dm, dn *Func   // the declared methods
846         var dmm, dmn *Func // the methods used in the body of m
847         for _, decl := range f.Decls {
848                 fdecl, ok := decl.(*ast.FuncDecl)
849                 if !ok {
850                         continue
851                 }
852                 def := info.Defs[fdecl.Name].(*Func)
853                 switch fdecl.Name.Name {
854                 case "m":
855                         dm = def
856                         ast.Inspect(fdecl.Body, func(n ast.Node) bool {
857                                 if call, ok := n.(*ast.CallExpr); ok {
858                                         sel := call.Fun.(*ast.SelectorExpr)
859                                         use := info.Uses[sel.Sel].(*Func)
860                                         selection := info.Selections[sel]
861                                         if selection.Kind() != MethodVal {
862                                                 t.Errorf("Selection kind = %v, want %v", selection.Kind(), MethodVal)
863                                         }
864                                         if selection.Obj() != use {
865                                                 t.Errorf("info.Selections contains %v, want %v", selection.Obj(), use)
866                                         }
867                                         switch sel.Sel.Name {
868                                         case "m":
869                                                 dmm = use
870                                         case "n":
871                                                 dmn = use
872                                         }
873                                 }
874                                 return true
875                         })
876                 case "n":
877                         dn = def
878                 }
879         }
880
881         if gm != dm {
882                 t.Errorf(`N.Method(...) returns %v for "m", but Info.Defs has %v`, gm, dm)
883         }
884         if gn != dn {
885                 t.Errorf(`N.Method(...) returns %v for "m", but Info.Defs has %v`, gm, dm)
886         }
887         if dmm != dm {
888                 t.Errorf(`Inside "m", r.m uses %v, want the defined func %v`, dmm, dm)
889         }
890         if dmn == dn {
891                 t.Errorf(`Inside "m", r.n uses %v, want a func distinct from %v`, dmm, dm)
892         }
893 }
894
895 func TestImplicitsInfo(t *testing.T) {
896         testenv.MustHaveGoBuild(t)
897
898         var tests = []struct {
899                 src  string
900                 want string
901         }{
902                 {`package p2; import . "fmt"; var _ = Println`, ""},           // no Implicits entry
903                 {`package p0; import local "fmt"; var _ = local.Println`, ""}, // no Implicits entry
904                 {`package p1; import "fmt"; var _ = fmt.Println`, "importSpec: package fmt"},
905
906                 {`package p3; func f(x interface{}) { switch x.(type) { case int: } }`, ""}, // no Implicits entry
907                 {`package p4; func f(x interface{}) { switch t := x.(type) { case int: _ = t } }`, "caseClause: var t int"},
908                 {`package p5; func f(x interface{}) { switch t := x.(type) { case int, uint: _ = t } }`, "caseClause: var t interface{}"},
909                 {`package p6; func f(x interface{}) { switch t := x.(type) { default: _ = t } }`, "caseClause: var t interface{}"},
910
911                 {`package p7; func f(x int) {}`, ""}, // no Implicits entry
912                 {`package p8; func f(int) {}`, "field: var  int"},
913                 {`package p9; func f() (complex64) { return 0 }`, "field: var  complex64"},
914                 {`package p10; type T struct{}; func (*T) f() {}`, "field: var  *p10.T"},
915
916                 // Tests using generics.
917                 {`package f0; func f[T any](x int) {}`, ""}, // no Implicits entry
918                 {`package f1; func f[T any](int) {}`, "field: var  int"},
919                 {`package f2; func f[T any](T) {}`, "field: var  T"},
920                 {`package f3; func f[T any]() (complex64) { return 0 }`, "field: var  complex64"},
921                 {`package f4; func f[T any](t T) (T) { return t }`, "field: var  T"},
922                 {`package t0; type T[A any] struct{}; func (*T[_]) f() {}`, "field: var  *t0.T[_]"},
923                 {`package t1; type T[A any] struct{}; func _(x interface{}) { switch t := x.(type) { case T[int]: _ = t } }`, "caseClause: var t t1.T[int]"},
924                 {`package t2; type T[A any] struct{}; func _[P any](x interface{}) { switch t := x.(type) { case T[P]: _ = t } }`, "caseClause: var t t2.T[P]"},
925                 {`package t3; func _[P any](x interface{}) { switch t := x.(type) { case P: _ = t } }`, "caseClause: var t P"},
926         }
927
928         for _, test := range tests {
929                 info := Info{
930                         Implicits: make(map[ast.Node]Object),
931                 }
932                 name := mustTypecheck(test.src, nil, &info).Name()
933
934                 // the test cases expect at most one Implicits entry
935                 if len(info.Implicits) > 1 {
936                         t.Errorf("package %s: %d Implicits entries found", name, len(info.Implicits))
937                         continue
938                 }
939
940                 // extract Implicits entry, if any
941                 var got string
942                 for n, obj := range info.Implicits {
943                         switch x := n.(type) {
944                         case *ast.ImportSpec:
945                                 got = "importSpec"
946                         case *ast.CaseClause:
947                                 got = "caseClause"
948                         case *ast.Field:
949                                 got = "field"
950                         default:
951                                 t.Fatalf("package %s: unexpected %T", name, x)
952                         }
953                         got += ": " + obj.String()
954                 }
955
956                 // verify entry
957                 if got != test.want {
958                         t.Errorf("package %s: got %q; want %q", name, got, test.want)
959                 }
960         }
961 }
962
963 func TestPkgNameOf(t *testing.T) {
964         testenv.MustHaveGoBuild(t)
965
966         const src = `
967 package p
968
969 import (
970         . "os"
971         _ "io"
972         "math"
973         "path/filepath"
974         snort "sort"
975 )
976
977 // avoid imported and not used errors
978 var (
979         _ = Open // os.Open
980         _ = math.Sin
981         _ = filepath.Abs
982         _ = snort.Ints
983 )
984 `
985
986         var tests = []struct {
987                 path string // path string enclosed in "'s
988                 want string
989         }{
990                 {`"os"`, "."},
991                 {`"io"`, "_"},
992                 {`"math"`, "math"},
993                 {`"path/filepath"`, "filepath"},
994                 {`"sort"`, "snort"},
995         }
996
997         fset := token.NewFileSet()
998         f := mustParse(fset, src)
999         info := Info{
1000                 Defs:      make(map[*ast.Ident]Object),
1001                 Implicits: make(map[ast.Node]Object),
1002         }
1003         var conf Config
1004         conf.Importer = importer.Default()
1005         _, err := conf.Check("p", fset, []*ast.File{f}, &info)
1006         if err != nil {
1007                 t.Fatal(err)
1008         }
1009
1010         // map import paths to importDecl
1011         imports := make(map[string]*ast.ImportSpec)
1012         for _, s := range f.Decls[0].(*ast.GenDecl).Specs {
1013                 if imp, _ := s.(*ast.ImportSpec); imp != nil {
1014                         imports[imp.Path.Value] = imp
1015                 }
1016         }
1017
1018         for _, test := range tests {
1019                 imp := imports[test.path]
1020                 if imp == nil {
1021                         t.Fatalf("invalid test case: import path %s not found", test.path)
1022                 }
1023                 got := info.PkgNameOf(imp)
1024                 if got == nil {
1025                         t.Fatalf("import %s: package name not found", test.path)
1026                 }
1027                 if got.Name() != test.want {
1028                         t.Errorf("import %s: got %s; want %s", test.path, got.Name(), test.want)
1029                 }
1030         }
1031
1032         // test non-existing importDecl
1033         if got := info.PkgNameOf(new(ast.ImportSpec)); got != nil {
1034                 t.Errorf("got %s for non-existing import declaration", got.Name())
1035         }
1036 }
1037
1038 func predString(tv TypeAndValue) string {
1039         var buf strings.Builder
1040         pred := func(b bool, s string) {
1041                 if b {
1042                         if buf.Len() > 0 {
1043                                 buf.WriteString(", ")
1044                         }
1045                         buf.WriteString(s)
1046                 }
1047         }
1048
1049         pred(tv.IsVoid(), "void")
1050         pred(tv.IsType(), "type")
1051         pred(tv.IsBuiltin(), "builtin")
1052         pred(tv.IsValue() && tv.Value != nil, "const")
1053         pred(tv.IsValue() && tv.Value == nil, "value")
1054         pred(tv.IsNil(), "nil")
1055         pred(tv.Addressable(), "addressable")
1056         pred(tv.Assignable(), "assignable")
1057         pred(tv.HasOk(), "hasOk")
1058
1059         if buf.Len() == 0 {
1060                 return "invalid"
1061         }
1062         return buf.String()
1063 }
1064
1065 func TestPredicatesInfo(t *testing.T) {
1066         testenv.MustHaveGoBuild(t)
1067
1068         var tests = []struct {
1069                 src  string
1070                 expr string
1071                 pred string
1072         }{
1073                 // void
1074                 {`package n0; func f() { f() }`, `f()`, `void`},
1075
1076                 // types
1077                 {`package t0; type _ int`, `int`, `type`},
1078                 {`package t1; type _ []int`, `[]int`, `type`},
1079                 {`package t2; type _ func()`, `func()`, `type`},
1080                 {`package t3; type _ func(int)`, `int`, `type`},
1081                 {`package t3; type _ func(...int)`, `...int`, `type`},
1082
1083                 // built-ins
1084                 {`package b0; var _ = len("")`, `len`, `builtin`},
1085                 {`package b1; var _ = (len)("")`, `(len)`, `builtin`},
1086
1087                 // constants
1088                 {`package c0; var _ = 42`, `42`, `const`},
1089                 {`package c1; var _ = "foo" + "bar"`, `"foo" + "bar"`, `const`},
1090                 {`package c2; const (i = 1i; _ = i)`, `i`, `const`},
1091
1092                 // values
1093                 {`package v0; var (a, b int; _ = a + b)`, `a + b`, `value`},
1094                 {`package v1; var _ = &[]int{1}`, `[]int{…}`, `value`},
1095                 {`package v2; var _ = func(){}`, `(func() literal)`, `value`},
1096                 {`package v4; func f() { _ = f }`, `f`, `value`},
1097                 {`package v3; var _ *int = nil`, `nil`, `value, nil`},
1098                 {`package v3; var _ *int = (nil)`, `(nil)`, `value, nil`},
1099
1100                 // addressable (and thus assignable) operands
1101                 {`package a0; var (x int; _ = x)`, `x`, `value, addressable, assignable`},
1102                 {`package a1; var (p *int; _ = *p)`, `*p`, `value, addressable, assignable`},
1103                 {`package a2; var (s []int; _ = s[0])`, `s[0]`, `value, addressable, assignable`},
1104                 {`package a3; var (s struct{f int}; _ = s.f)`, `s.f`, `value, addressable, assignable`},
1105                 {`package a4; var (a [10]int; _ = a[0])`, `a[0]`, `value, addressable, assignable`},
1106                 {`package a5; func _(x int) { _ = x }`, `x`, `value, addressable, assignable`},
1107                 {`package a6; func _()(x int) { _ = x; return }`, `x`, `value, addressable, assignable`},
1108                 {`package a7; type T int; func (x T) _() { _ = x }`, `x`, `value, addressable, assignable`},
1109                 // composite literals are not addressable
1110
1111                 // assignable but not addressable values
1112                 {`package s0; var (m map[int]int; _ = m[0])`, `m[0]`, `value, assignable, hasOk`},
1113                 {`package s1; var (m map[int]int; _, _ = m[0])`, `m[0]`, `value, assignable, hasOk`},
1114
1115                 // hasOk expressions
1116                 {`package k0; var (ch chan int; _ = <-ch)`, `<-ch`, `value, hasOk`},
1117                 {`package k1; var (ch chan int; _, _ = <-ch)`, `<-ch`, `value, hasOk`},
1118
1119                 // missing entries
1120                 // - package names are collected in the Uses map
1121                 // - identifiers being declared are collected in the Defs map
1122                 {`package m0; import "os"; func _() { _ = os.Stdout }`, `os`, `<missing>`},
1123                 {`package m1; import p "os"; func _() { _ = p.Stdout }`, `p`, `<missing>`},
1124                 {`package m2; const c = 0`, `c`, `<missing>`},
1125                 {`package m3; type T int`, `T`, `<missing>`},
1126                 {`package m4; var v int`, `v`, `<missing>`},
1127                 {`package m5; func f() {}`, `f`, `<missing>`},
1128                 {`package m6; func _(x int) {}`, `x`, `<missing>`},
1129                 {`package m6; func _()(x int) { return }`, `x`, `<missing>`},
1130                 {`package m6; type T int; func (x T) _() {}`, `x`, `<missing>`},
1131         }
1132
1133         for _, test := range tests {
1134                 info := Info{Types: make(map[ast.Expr]TypeAndValue)}
1135                 name := mustTypecheck(test.src, nil, &info).Name()
1136
1137                 // look for expression predicates
1138                 got := "<missing>"
1139                 for e, tv := range info.Types {
1140                         //println(name, ExprString(e))
1141                         if ExprString(e) == test.expr {
1142                                 got = predString(tv)
1143                                 break
1144                         }
1145                 }
1146
1147                 if got != test.pred {
1148                         t.Errorf("package %s: got %s; want %s", name, got, test.pred)
1149                 }
1150         }
1151 }
1152
1153 func TestScopesInfo(t *testing.T) {
1154         testenv.MustHaveGoBuild(t)
1155
1156         var tests = []struct {
1157                 src    string
1158                 scopes []string // list of scope descriptors of the form kind:varlist
1159         }{
1160                 {`package p0`, []string{
1161                         "file:",
1162                 }},
1163                 {`package p1; import ( "fmt"; m "math"; _ "os" ); var ( _ = fmt.Println; _ = m.Pi )`, []string{
1164                         "file:fmt m",
1165                 }},
1166                 {`package p2; func _() {}`, []string{
1167                         "file:", "func:",
1168                 }},
1169                 {`package p3; func _(x, y int) {}`, []string{
1170                         "file:", "func:x y",
1171                 }},
1172                 {`package p4; func _(x, y int) { x, z := 1, 2; _ = z }`, []string{
1173                         "file:", "func:x y z", // redeclaration of x
1174                 }},
1175                 {`package p5; func _(x, y int) (u, _ int) { return }`, []string{
1176                         "file:", "func:u x y",
1177                 }},
1178                 {`package p6; func _() { { var x int; _ = x } }`, []string{
1179                         "file:", "func:", "block:x",
1180                 }},
1181                 {`package p7; func _() { if true {} }`, []string{
1182                         "file:", "func:", "if:", "block:",
1183                 }},
1184                 {`package p8; func _() { if x := 0; x < 0 { y := x; _ = y } }`, []string{
1185                         "file:", "func:", "if:x", "block:y",
1186                 }},
1187                 {`package p9; func _() { switch x := 0; x {} }`, []string{
1188                         "file:", "func:", "switch:x",
1189                 }},
1190                 {`package p10; func _() { switch x := 0; x { case 1: y := x; _ = y; default: }}`, []string{
1191                         "file:", "func:", "switch:x", "case:y", "case:",
1192                 }},
1193                 {`package p11; func _(t interface{}) { switch t.(type) {} }`, []string{
1194                         "file:", "func:t", "type switch:",
1195                 }},
1196                 {`package p12; func _(t interface{}) { switch t := t; t.(type) {} }`, []string{
1197                         "file:", "func:t", "type switch:t",
1198                 }},
1199                 {`package p13; func _(t interface{}) { switch x := t.(type) { case int: _ = x } }`, []string{
1200                         "file:", "func:t", "type switch:", "case:x", // x implicitly declared
1201                 }},
1202                 {`package p14; func _() { select{} }`, []string{
1203                         "file:", "func:",
1204                 }},
1205                 {`package p15; func _(c chan int) { select{ case <-c: } }`, []string{
1206                         "file:", "func:c", "comm:",
1207                 }},
1208                 {`package p16; func _(c chan int) { select{ case i := <-c: x := i; _ = x} }`, []string{
1209                         "file:", "func:c", "comm:i x",
1210                 }},
1211                 {`package p17; func _() { for{} }`, []string{
1212                         "file:", "func:", "for:", "block:",
1213                 }},
1214                 {`package p18; func _(n int) { for i := 0; i < n; i++ { _ = i } }`, []string{
1215                         "file:", "func:n", "for:i", "block:",
1216                 }},
1217                 {`package p19; func _(a []int) { for i := range a { _ = i} }`, []string{
1218                         "file:", "func:a", "range:i", "block:",
1219                 }},
1220                 {`package p20; var s int; func _(a []int) { for i, x := range a { s += x; _ = i } }`, []string{
1221                         "file:", "func:a", "range:i x", "block:",
1222                 }},
1223         }
1224
1225         for _, test := range tests {
1226                 info := Info{Scopes: make(map[ast.Node]*Scope)}
1227                 name := mustTypecheck(test.src, nil, &info).Name()
1228
1229                 // number of scopes must match
1230                 if len(info.Scopes) != len(test.scopes) {
1231                         t.Errorf("package %s: got %d scopes; want %d", name, len(info.Scopes), len(test.scopes))
1232                 }
1233
1234                 // scope descriptions must match
1235                 for node, scope := range info.Scopes {
1236                         kind := "<unknown node kind>"
1237                         switch node.(type) {
1238                         case *ast.File:
1239                                 kind = "file"
1240                         case *ast.FuncType:
1241                                 kind = "func"
1242                         case *ast.BlockStmt:
1243                                 kind = "block"
1244                         case *ast.IfStmt:
1245                                 kind = "if"
1246                         case *ast.SwitchStmt:
1247                                 kind = "switch"
1248                         case *ast.TypeSwitchStmt:
1249                                 kind = "type switch"
1250                         case *ast.CaseClause:
1251                                 kind = "case"
1252                         case *ast.CommClause:
1253                                 kind = "comm"
1254                         case *ast.ForStmt:
1255                                 kind = "for"
1256                         case *ast.RangeStmt:
1257                                 kind = "range"
1258                         }
1259
1260                         // look for matching scope description
1261                         desc := kind + ":" + strings.Join(scope.Names(), " ")
1262                         found := false
1263                         for _, d := range test.scopes {
1264                                 if desc == d {
1265                                         found = true
1266                                         break
1267                                 }
1268                         }
1269                         if !found {
1270                                 t.Errorf("package %s: no matching scope found for %s", name, desc)
1271                         }
1272                 }
1273         }
1274 }
1275
1276 func TestInitOrderInfo(t *testing.T) {
1277         var tests = []struct {
1278                 src   string
1279                 inits []string
1280         }{
1281                 {`package p0; var (x = 1; y = x)`, []string{
1282                         "x = 1", "y = x",
1283                 }},
1284                 {`package p1; var (a = 1; b = 2; c = 3)`, []string{
1285                         "a = 1", "b = 2", "c = 3",
1286                 }},
1287                 {`package p2; var (a, b, c = 1, 2, 3)`, []string{
1288                         "a = 1", "b = 2", "c = 3",
1289                 }},
1290                 {`package p3; var _ = f(); func f() int { return 1 }`, []string{
1291                         "_ = f()", // blank var
1292                 }},
1293                 {`package p4; var (a = 0; x = y; y = z; z = 0)`, []string{
1294                         "a = 0", "z = 0", "y = z", "x = y",
1295                 }},
1296                 {`package p5; var (a, _ = m[0]; m map[int]string)`, []string{
1297                         "a, _ = m[0]", // blank var
1298                 }},
1299                 {`package p6; var a, b = f(); func f() (_, _ int) { return z, z }; var z = 0`, []string{
1300                         "z = 0", "a, b = f()",
1301                 }},
1302                 {`package p7; var (a = func() int { return b }(); b = 1)`, []string{
1303                         "b = 1", "a = (func() int literal)()",
1304                 }},
1305                 {`package p8; var (a, b = func() (_, _ int) { return c, c }(); c = 1)`, []string{
1306                         "c = 1", "a, b = (func() (_, _ int) literal)()",
1307                 }},
1308                 {`package p9; type T struct{}; func (T) m() int { _ = y; return 0 }; var x, y = T.m, 1`, []string{
1309                         "y = 1", "x = T.m",
1310                 }},
1311                 {`package p10; var (d = c + b; a = 0; b = 0; c = 0)`, []string{
1312                         "a = 0", "b = 0", "c = 0", "d = c + b",
1313                 }},
1314                 {`package p11; var (a = e + c; b = d + c; c = 0; d = 0; e = 0)`, []string{
1315                         "c = 0", "d = 0", "b = d + c", "e = 0", "a = e + c",
1316                 }},
1317                 // emit an initializer for n:1 initializations only once (not for each node
1318                 // on the lhs which may appear in different order in the dependency graph)
1319                 {`package p12; var (a = x; b = 0; x, y = m[0]; m map[int]int)`, []string{
1320                         "b = 0", "x, y = m[0]", "a = x",
1321                 }},
1322                 // test case from spec section on package initialization
1323                 {`package p12
1324
1325                 var (
1326                         a = c + b
1327                         b = f()
1328                         c = f()
1329                         d = 3
1330                 )
1331
1332                 func f() int {
1333                         d++
1334                         return d
1335                 }`, []string{
1336                         "d = 3", "b = f()", "c = f()", "a = c + b",
1337                 }},
1338                 // test case for go.dev/issue/7131
1339                 {`package main
1340
1341                 var counter int
1342                 func next() int { counter++; return counter }
1343
1344                 var _ = makeOrder()
1345                 func makeOrder() []int { return []int{f, b, d, e, c, a} }
1346
1347                 var a       = next()
1348                 var b, c    = next(), next()
1349                 var d, e, f = next(), next(), next()
1350                 `, []string{
1351                         "a = next()", "b = next()", "c = next()", "d = next()", "e = next()", "f = next()", "_ = makeOrder()",
1352                 }},
1353                 // test case for go.dev/issue/10709
1354                 {`package p13
1355
1356                 var (
1357                     v = t.m()
1358                     t = makeT(0)
1359                 )
1360
1361                 type T struct{}
1362
1363                 func (T) m() int { return 0 }
1364
1365                 func makeT(n int) T {
1366                     if n > 0 {
1367                         return makeT(n-1)
1368                     }
1369                     return T{}
1370                 }`, []string{
1371                         "t = makeT(0)", "v = t.m()",
1372                 }},
1373                 // test case for go.dev/issue/10709: same as test before, but variable decls swapped
1374                 {`package p14
1375
1376                 var (
1377                     t = makeT(0)
1378                     v = t.m()
1379                 )
1380
1381                 type T struct{}
1382
1383                 func (T) m() int { return 0 }
1384
1385                 func makeT(n int) T {
1386                     if n > 0 {
1387                         return makeT(n-1)
1388                     }
1389                     return T{}
1390                 }`, []string{
1391                         "t = makeT(0)", "v = t.m()",
1392                 }},
1393                 // another candidate possibly causing problems with go.dev/issue/10709
1394                 {`package p15
1395
1396                 var y1 = f1()
1397
1398                 func f1() int { return g1() }
1399                 func g1() int { f1(); return x1 }
1400
1401                 var x1 = 0
1402
1403                 var y2 = f2()
1404
1405                 func f2() int { return g2() }
1406                 func g2() int { return x2 }
1407
1408                 var x2 = 0`, []string{
1409                         "x1 = 0", "y1 = f1()", "x2 = 0", "y2 = f2()",
1410                 }},
1411         }
1412
1413         for _, test := range tests {
1414                 info := Info{}
1415                 name := mustTypecheck(test.src, nil, &info).Name()
1416
1417                 // number of initializers must match
1418                 if len(info.InitOrder) != len(test.inits) {
1419                         t.Errorf("package %s: got %d initializers; want %d", name, len(info.InitOrder), len(test.inits))
1420                         continue
1421                 }
1422
1423                 // initializers must match
1424                 for i, want := range test.inits {
1425                         got := info.InitOrder[i].String()
1426                         if got != want {
1427                                 t.Errorf("package %s, init %d: got %s; want %s", name, i, got, want)
1428                                 continue
1429                         }
1430                 }
1431         }
1432 }
1433
1434 func TestMultiFileInitOrder(t *testing.T) {
1435         fset := token.NewFileSet()
1436         fileA := mustParse(fset, `package main; var a = 1`)
1437         fileB := mustParse(fset, `package main; var b = 2`)
1438
1439         // The initialization order must not depend on the parse
1440         // order of the files, only on the presentation order to
1441         // the type-checker.
1442         for _, test := range []struct {
1443                 files []*ast.File
1444                 want  string
1445         }{
1446                 {[]*ast.File{fileA, fileB}, "[a = 1 b = 2]"},
1447                 {[]*ast.File{fileB, fileA}, "[b = 2 a = 1]"},
1448         } {
1449                 var info Info
1450                 if _, err := new(Config).Check("main", fset, test.files, &info); err != nil {
1451                         t.Fatal(err)
1452                 }
1453                 if got := fmt.Sprint(info.InitOrder); got != test.want {
1454                         t.Fatalf("got %s; want %s", got, test.want)
1455                 }
1456         }
1457 }
1458
1459 func TestFiles(t *testing.T) {
1460         var sources = []string{
1461                 "package p; type T struct{}; func (T) m1() {}",
1462                 "package p; func (T) m2() {}; var x interface{ m1(); m2() } = T{}",
1463                 "package p; func (T) m3() {}; var y interface{ m1(); m2(); m3() } = T{}",
1464                 "package p",
1465         }
1466
1467         var conf Config
1468         fset := token.NewFileSet()
1469         pkg := NewPackage("p", "p")
1470         var info Info
1471         check := NewChecker(&conf, fset, pkg, &info)
1472
1473         for _, src := range sources {
1474                 if err := check.Files([]*ast.File{mustParse(fset, src)}); err != nil {
1475                         t.Error(err)
1476                 }
1477         }
1478
1479         // check InitOrder is [x y]
1480         var vars []string
1481         for _, init := range info.InitOrder {
1482                 for _, v := range init.Lhs {
1483                         vars = append(vars, v.Name())
1484                 }
1485         }
1486         if got, want := fmt.Sprint(vars), "[x y]"; got != want {
1487                 t.Errorf("InitOrder == %s, want %s", got, want)
1488         }
1489 }
1490
1491 type testImporter map[string]*Package
1492
1493 func (m testImporter) Import(path string) (*Package, error) {
1494         if pkg := m[path]; pkg != nil {
1495                 return pkg, nil
1496         }
1497         return nil, fmt.Errorf("package %q not found", path)
1498 }
1499
1500 func TestSelection(t *testing.T) {
1501         selections := make(map[*ast.SelectorExpr]*Selection)
1502
1503         // We need a specific fileset in this test below for positions.
1504         // Cannot use typecheck helper.
1505         fset := token.NewFileSet()
1506         imports := make(testImporter)
1507         conf := Config{Importer: imports}
1508         makePkg := func(path, src string) {
1509                 pkg, err := conf.Check(path, fset, []*ast.File{mustParse(fset, src)}, &Info{Selections: selections})
1510                 if err != nil {
1511                         t.Fatal(err)
1512                 }
1513                 imports[path] = pkg
1514         }
1515
1516         const libSrc = `
1517 package lib
1518 type T float64
1519 const C T = 3
1520 var V T
1521 func F() {}
1522 func (T) M() {}
1523 `
1524         const mainSrc = `
1525 package main
1526 import "lib"
1527
1528 type A struct {
1529         *B
1530         C
1531 }
1532
1533 type B struct {
1534         b int
1535 }
1536
1537 func (B) f(int)
1538
1539 type C struct {
1540         c int
1541 }
1542
1543 type G[P any] struct {
1544         p P
1545 }
1546
1547 func (G[P]) m(P) {}
1548
1549 var Inst G[int]
1550
1551 func (C) g()
1552 func (*C) h()
1553
1554 func main() {
1555         // qualified identifiers
1556         var _ lib.T
1557         _ = lib.C
1558         _ = lib.F
1559         _ = lib.V
1560         _ = lib.T.M
1561
1562         // fields
1563         _ = A{}.B
1564         _ = new(A).B
1565
1566         _ = A{}.C
1567         _ = new(A).C
1568
1569         _ = A{}.b
1570         _ = new(A).b
1571
1572         _ = A{}.c
1573         _ = new(A).c
1574
1575         _ = Inst.p
1576         _ = G[string]{}.p
1577
1578         // methods
1579         _ = A{}.f
1580         _ = new(A).f
1581         _ = A{}.g
1582         _ = new(A).g
1583         _ = new(A).h
1584
1585         _ = B{}.f
1586         _ = new(B).f
1587
1588         _ = C{}.g
1589         _ = new(C).g
1590         _ = new(C).h
1591         _ = Inst.m
1592
1593         // method expressions
1594         _ = A.f
1595         _ = (*A).f
1596         _ = B.f
1597         _ = (*B).f
1598         _ = G[string].m
1599 }`
1600
1601         wantOut := map[string][2]string{
1602                 "lib.T.M": {"method expr (lib.T) M(lib.T)", ".[0]"},
1603
1604                 "A{}.B":    {"field (main.A) B *main.B", ".[0]"},
1605                 "new(A).B": {"field (*main.A) B *main.B", "->[0]"},
1606                 "A{}.C":    {"field (main.A) C main.C", ".[1]"},
1607                 "new(A).C": {"field (*main.A) C main.C", "->[1]"},
1608                 "A{}.b":    {"field (main.A) b int", "->[0 0]"},
1609                 "new(A).b": {"field (*main.A) b int", "->[0 0]"},
1610                 "A{}.c":    {"field (main.A) c int", ".[1 0]"},
1611                 "new(A).c": {"field (*main.A) c int", "->[1 0]"},
1612                 "Inst.p":   {"field (main.G[int]) p int", ".[0]"},
1613
1614                 "A{}.f":    {"method (main.A) f(int)", "->[0 0]"},
1615                 "new(A).f": {"method (*main.A) f(int)", "->[0 0]"},
1616                 "A{}.g":    {"method (main.A) g()", ".[1 0]"},
1617                 "new(A).g": {"method (*main.A) g()", "->[1 0]"},
1618                 "new(A).h": {"method (*main.A) h()", "->[1 1]"}, // TODO(gri) should this report .[1 1] ?
1619                 "B{}.f":    {"method (main.B) f(int)", ".[0]"},
1620                 "new(B).f": {"method (*main.B) f(int)", "->[0]"},
1621                 "C{}.g":    {"method (main.C) g()", ".[0]"},
1622                 "new(C).g": {"method (*main.C) g()", "->[0]"},
1623                 "new(C).h": {"method (*main.C) h()", "->[1]"}, // TODO(gri) should this report .[1] ?
1624                 "Inst.m":   {"method (main.G[int]) m(int)", ".[0]"},
1625
1626                 "A.f":           {"method expr (main.A) f(main.A, int)", "->[0 0]"},
1627                 "(*A).f":        {"method expr (*main.A) f(*main.A, int)", "->[0 0]"},
1628                 "B.f":           {"method expr (main.B) f(main.B, int)", ".[0]"},
1629                 "(*B).f":        {"method expr (*main.B) f(*main.B, int)", "->[0]"},
1630                 "G[string].m":   {"method expr (main.G[string]) m(main.G[string], string)", ".[0]"},
1631                 "G[string]{}.p": {"field (main.G[string]) p string", ".[0]"},
1632         }
1633
1634         makePkg("lib", libSrc)
1635         makePkg("main", mainSrc)
1636
1637         for e, sel := range selections {
1638                 _ = sel.String() // assertion: must not panic
1639
1640                 start := fset.Position(e.Pos()).Offset
1641                 end := fset.Position(e.End()).Offset
1642                 syntax := mainSrc[start:end] // (all SelectorExprs are in main, not lib)
1643
1644                 direct := "."
1645                 if sel.Indirect() {
1646                         direct = "->"
1647                 }
1648                 got := [2]string{
1649                         sel.String(),
1650                         fmt.Sprintf("%s%v", direct, sel.Index()),
1651                 }
1652                 want := wantOut[syntax]
1653                 if want != got {
1654                         t.Errorf("%s: got %q; want %q", syntax, got, want)
1655                 }
1656                 delete(wantOut, syntax)
1657
1658                 // We must explicitly assert properties of the
1659                 // Signature's receiver since it doesn't participate
1660                 // in Identical() or String().
1661                 sig, _ := sel.Type().(*Signature)
1662                 if sel.Kind() == MethodVal {
1663                         got := sig.Recv().Type()
1664                         want := sel.Recv()
1665                         if !Identical(got, want) {
1666                                 t.Errorf("%s: Recv() = %s, want %s", syntax, got, want)
1667                         }
1668                 } else if sig != nil && sig.Recv() != nil {
1669                         t.Errorf("%s: signature has receiver %s", sig, sig.Recv().Type())
1670                 }
1671         }
1672         // Assert that all wantOut entries were used exactly once.
1673         for syntax := range wantOut {
1674                 t.Errorf("no ast.Selection found with syntax %q", syntax)
1675         }
1676 }
1677
1678 func TestIssue8518(t *testing.T) {
1679         fset := token.NewFileSet()
1680         imports := make(testImporter)
1681         conf := Config{
1682                 Error:    func(err error) { t.Log(err) }, // don't exit after first error
1683                 Importer: imports,
1684         }
1685         makePkg := func(path, src string) {
1686                 imports[path], _ = conf.Check(path, fset, []*ast.File{mustParse(fset, src)}, nil) // errors logged via conf.Error
1687         }
1688
1689         const libSrc = `
1690 package a
1691 import "missing"
1692 const C1 = foo
1693 const C2 = missing.C
1694 `
1695
1696         const mainSrc = `
1697 package main
1698 import "a"
1699 var _ = a.C1
1700 var _ = a.C2
1701 `
1702
1703         makePkg("a", libSrc)
1704         makePkg("main", mainSrc) // don't crash when type-checking this package
1705 }
1706
1707 func TestIssue59603(t *testing.T) {
1708         fset := token.NewFileSet()
1709         imports := make(testImporter)
1710         conf := Config{
1711                 Error:    func(err error) { t.Log(err) }, // don't exit after first error
1712                 Importer: imports,
1713         }
1714         makePkg := func(path, src string) {
1715                 imports[path], _ = conf.Check(path, fset, []*ast.File{mustParse(fset, src)}, nil) // errors logged via conf.Error
1716         }
1717
1718         const libSrc = `
1719 package a
1720 const C = foo
1721 `
1722
1723         const mainSrc = `
1724 package main
1725 import "a"
1726 const _ = a.C
1727 `
1728
1729         makePkg("a", libSrc)
1730         makePkg("main", mainSrc) // don't crash when type-checking this package
1731 }
1732
1733 func TestLookupFieldOrMethodOnNil(t *testing.T) {
1734         // LookupFieldOrMethod on a nil type is expected to produce a run-time panic.
1735         defer func() {
1736                 const want = "LookupFieldOrMethod on nil type"
1737                 p := recover()
1738                 if s, ok := p.(string); !ok || s != want {
1739                         t.Fatalf("got %v, want %s", p, want)
1740                 }
1741         }()
1742         LookupFieldOrMethod(nil, false, nil, "")
1743 }
1744
1745 func TestLookupFieldOrMethod(t *testing.T) {
1746         // Test cases assume a lookup of the form a.f or x.f, where a stands for an
1747         // addressable value, and x for a non-addressable value (even though a variable
1748         // for ease of test case writing).
1749         //
1750         // Should be kept in sync with TestMethodSet.
1751         var tests = []struct {
1752                 src      string
1753                 found    bool
1754                 index    []int
1755                 indirect bool
1756         }{
1757                 // field lookups
1758                 {"var x T; type T struct{}", false, nil, false},
1759                 {"var x T; type T struct{ f int }", true, []int{0}, false},
1760                 {"var x T; type T struct{ a, b, f, c int }", true, []int{2}, false},
1761
1762                 // field lookups on a generic type
1763                 {"var x T[int]; type T[P any] struct{}", false, nil, false},
1764                 {"var x T[int]; type T[P any] struct{ f P }", true, []int{0}, false},
1765                 {"var x T[int]; type T[P any] struct{ a, b, f, c P }", true, []int{2}, false},
1766
1767                 // method lookups
1768                 {"var a T; type T struct{}; func (T) f() {}", true, []int{0}, false},
1769                 {"var a *T; type T struct{}; func (T) f() {}", true, []int{0}, true},
1770                 {"var a T; type T struct{}; func (*T) f() {}", true, []int{0}, false},
1771                 {"var a *T; type T struct{}; func (*T) f() {}", true, []int{0}, true}, // TODO(gri) should this report indirect = false?
1772
1773                 // method lookups on a generic type
1774                 {"var a T[int]; type T[P any] struct{}; func (T[P]) f() {}", true, []int{0}, false},
1775                 {"var a *T[int]; type T[P any] struct{}; func (T[P]) f() {}", true, []int{0}, true},
1776                 {"var a T[int]; type T[P any] struct{}; func (*T[P]) f() {}", true, []int{0}, false},
1777                 {"var a *T[int]; type T[P any] struct{}; func (*T[P]) f() {}", true, []int{0}, true}, // TODO(gri) should this report indirect = false?
1778
1779                 // collisions
1780                 {"type ( E1 struct{ f int }; E2 struct{ f int }; x struct{ E1; *E2 })", false, []int{1, 0}, false},
1781                 {"type ( E1 struct{ f int }; E2 struct{}; x struct{ E1; *E2 }); func (E2) f() {}", false, []int{1, 0}, false},
1782
1783                 // collisions on a generic type
1784                 {"type ( E1[P any] struct{ f P }; E2[P any] struct{ f P }; x struct{ E1[int]; *E2[int] })", false, []int{1, 0}, false},
1785                 {"type ( E1[P any] struct{ f P }; E2[P any] struct{}; x struct{ E1[int]; *E2[int] }); func (E2[P]) f() {}", false, []int{1, 0}, false},
1786
1787                 // outside methodset
1788                 // (*T).f method exists, but value of type T is not addressable
1789                 {"var x T; type T struct{}; func (*T) f() {}", false, nil, true},
1790
1791                 // outside method set of a generic type
1792                 {"var x T[int]; type T[P any] struct{}; func (*T[P]) f() {}", false, nil, true},
1793
1794                 // recursive generic types; see go.dev/issue/52715
1795                 {"var a T[int]; type ( T[P any] struct { *N[P] }; N[P any] struct { *T[P] } ); func (N[P]) f() {}", true, []int{0, 0}, true},
1796                 {"var a T[int]; type ( T[P any] struct { *N[P] }; N[P any] struct { *T[P] } ); func (T[P]) f() {}", true, []int{0}, false},
1797         }
1798
1799         for _, test := range tests {
1800                 pkg := mustTypecheck("package p;"+test.src, nil, nil)
1801
1802                 obj := pkg.Scope().Lookup("a")
1803                 if obj == nil {
1804                         if obj = pkg.Scope().Lookup("x"); obj == nil {
1805                                 t.Errorf("%s: incorrect test case - no object a or x", test.src)
1806                                 continue
1807                         }
1808                 }
1809
1810                 f, index, indirect := LookupFieldOrMethod(obj.Type(), obj.Name() == "a", pkg, "f")
1811                 if (f != nil) != test.found {
1812                         if f == nil {
1813                                 t.Errorf("%s: got no object; want one", test.src)
1814                         } else {
1815                                 t.Errorf("%s: got object = %v; want none", test.src, f)
1816                         }
1817                 }
1818                 if !sameSlice(index, test.index) {
1819                         t.Errorf("%s: got index = %v; want %v", test.src, index, test.index)
1820                 }
1821                 if indirect != test.indirect {
1822                         t.Errorf("%s: got indirect = %v; want %v", test.src, indirect, test.indirect)
1823                 }
1824         }
1825 }
1826
1827 // Test for go.dev/issue/52715
1828 func TestLookupFieldOrMethod_RecursiveGeneric(t *testing.T) {
1829         const src = `
1830 package pkg
1831
1832 type Tree[T any] struct {
1833         *Node[T]
1834 }
1835
1836 func (*Tree[R]) N(r R) R { return r }
1837
1838 type Node[T any] struct {
1839         *Tree[T]
1840 }
1841
1842 type Instance = *Tree[int]
1843 `
1844
1845         fset := token.NewFileSet()
1846         f := mustParse(fset, src)
1847         pkg := NewPackage("pkg", f.Name.Name)
1848         if err := NewChecker(nil, fset, pkg, nil).Files([]*ast.File{f}); err != nil {
1849                 panic(err)
1850         }
1851
1852         T := pkg.Scope().Lookup("Instance").Type()
1853         _, _, _ = LookupFieldOrMethod(T, false, pkg, "M") // verify that LookupFieldOrMethod terminates
1854 }
1855
1856 func sameSlice(a, b []int) bool {
1857         if len(a) != len(b) {
1858                 return false
1859         }
1860         for i, x := range a {
1861                 if x != b[i] {
1862                         return false
1863                 }
1864         }
1865         return true
1866 }
1867
1868 // TestScopeLookupParent ensures that (*Scope).LookupParent returns
1869 // the correct result at various positions with the source.
1870 func TestScopeLookupParent(t *testing.T) {
1871         fset := token.NewFileSet()
1872         imports := make(testImporter)
1873         conf := Config{Importer: imports}
1874         var info Info
1875         makePkg := func(path string, files ...*ast.File) {
1876                 var err error
1877                 imports[path], err = conf.Check(path, fset, files, &info)
1878                 if err != nil {
1879                         t.Fatal(err)
1880                 }
1881         }
1882
1883         makePkg("lib", mustParse(fset, "package lib; var X int"))
1884         // Each /*name=kind:line*/ comment makes the test look up the
1885         // name at that point and checks that it resolves to a decl of
1886         // the specified kind and line number.  "undef" means undefined.
1887         mainSrc := `
1888 /*lib=pkgname:5*/ /*X=var:1*/ /*Pi=const:8*/ /*T=typename:9*/ /*Y=var:10*/ /*F=func:12*/
1889 package main
1890
1891 import "lib"
1892 import . "lib"
1893
1894 const Pi = 3.1415
1895 type T struct{}
1896 var Y, _ = lib.X, X
1897
1898 func F(){
1899         const pi, e = 3.1415, /*pi=undef*/ 2.71828 /*pi=const:13*/ /*e=const:13*/
1900         type /*t=undef*/ t /*t=typename:14*/ *t
1901         print(Y) /*Y=var:10*/
1902         x, Y := Y, /*x=undef*/ /*Y=var:10*/ Pi /*x=var:16*/ /*Y=var:16*/ ; _ = x; _ = Y
1903         var F = /*F=func:12*/ F /*F=var:17*/ ; _ = F
1904
1905         var a []int
1906         for i, x := range a /*i=undef*/ /*x=var:16*/ { _ = i; _ = x }
1907
1908         var i interface{}
1909         switch y := i.(type) { /*y=undef*/
1910         case /*y=undef*/ int /*y=var:23*/ :
1911         case float32, /*y=undef*/ float64 /*y=var:23*/ :
1912         default /*y=var:23*/:
1913                 println(y)
1914         }
1915         /*y=undef*/
1916
1917         switch int := i.(type) {
1918         case /*int=typename:0*/ int /*int=var:31*/ :
1919                 println(int)
1920         default /*int=var:31*/ :
1921         }
1922 }
1923 /*main=undef*/
1924 `
1925
1926         info.Uses = make(map[*ast.Ident]Object)
1927         f := mustParse(fset, mainSrc)
1928         makePkg("main", f)
1929         mainScope := imports["main"].Scope()
1930         rx := regexp.MustCompile(`^/\*(\w*)=([\w:]*)\*/$`)
1931         for _, group := range f.Comments {
1932                 for _, comment := range group.List {
1933                         // Parse the assertion in the comment.
1934                         m := rx.FindStringSubmatch(comment.Text)
1935                         if m == nil {
1936                                 t.Errorf("%s: bad comment: %s",
1937                                         fset.Position(comment.Pos()), comment.Text)
1938                                 continue
1939                         }
1940                         name, want := m[1], m[2]
1941
1942                         // Look up the name in the innermost enclosing scope.
1943                         inner := mainScope.Innermost(comment.Pos())
1944                         if inner == nil {
1945                                 t.Errorf("%s: at %s: can't find innermost scope",
1946                                         fset.Position(comment.Pos()), comment.Text)
1947                                 continue
1948                         }
1949                         got := "undef"
1950                         if _, obj := inner.LookupParent(name, comment.Pos()); obj != nil {
1951                                 kind := strings.ToLower(strings.TrimPrefix(reflect.TypeOf(obj).String(), "*types."))
1952                                 got = fmt.Sprintf("%s:%d", kind, fset.Position(obj.Pos()).Line)
1953                         }
1954                         if got != want {
1955                                 t.Errorf("%s: at %s: %s resolved to %s, want %s",
1956                                         fset.Position(comment.Pos()), comment.Text, name, got, want)
1957                         }
1958                 }
1959         }
1960
1961         // Check that for each referring identifier,
1962         // a lookup of its name on the innermost
1963         // enclosing scope returns the correct object.
1964
1965         for id, wantObj := range info.Uses {
1966                 inner := mainScope.Innermost(id.Pos())
1967                 if inner == nil {
1968                         t.Errorf("%s: can't find innermost scope enclosing %q",
1969                                 fset.Position(id.Pos()), id.Name)
1970                         continue
1971                 }
1972
1973                 // Exclude selectors and qualified identifiers---lexical
1974                 // refs only.  (Ideally, we'd see if the AST parent is a
1975                 // SelectorExpr, but that requires PathEnclosingInterval
1976                 // from golang.org/x/tools/go/ast/astutil.)
1977                 if id.Name == "X" {
1978                         continue
1979                 }
1980
1981                 _, gotObj := inner.LookupParent(id.Name, id.Pos())
1982                 if gotObj != wantObj {
1983                         t.Errorf("%s: got %v, want %v",
1984                                 fset.Position(id.Pos()), gotObj, wantObj)
1985                         continue
1986                 }
1987         }
1988 }
1989
1990 // newDefined creates a new defined type named T with the given underlying type.
1991 // Helper function for use with TestIncompleteInterfaces only.
1992 func newDefined(underlying Type) *Named {
1993         tname := NewTypeName(nopos, nil, "T", nil)
1994         return NewNamed(tname, underlying, nil)
1995 }
1996
1997 func TestConvertibleTo(t *testing.T) {
1998         for _, test := range []struct {
1999                 v, t Type
2000                 want bool
2001         }{
2002                 {Typ[Int], Typ[Int], true},
2003                 {Typ[Int], Typ[Float32], true},
2004                 {Typ[Int], Typ[String], true},
2005                 {newDefined(Typ[Int]), Typ[Int], true},
2006                 {newDefined(new(Struct)), new(Struct), true},
2007                 {newDefined(Typ[Int]), new(Struct), false},
2008                 {Typ[UntypedInt], Typ[Int], true},
2009                 {NewSlice(Typ[Int]), NewArray(Typ[Int], 10), true},
2010                 {NewSlice(Typ[Int]), NewArray(Typ[Uint], 10), false},
2011                 {NewSlice(Typ[Int]), NewPointer(NewArray(Typ[Int], 10)), true},
2012                 {NewSlice(Typ[Int]), NewPointer(NewArray(Typ[Uint], 10)), false},
2013                 // Untyped string values are not permitted by the spec, so the behavior below is undefined.
2014                 {Typ[UntypedString], Typ[String], true},
2015         } {
2016                 if got := ConvertibleTo(test.v, test.t); got != test.want {
2017                         t.Errorf("ConvertibleTo(%v, %v) = %t, want %t", test.v, test.t, got, test.want)
2018                 }
2019         }
2020 }
2021
2022 func TestAssignableTo(t *testing.T) {
2023         for _, test := range []struct {
2024                 v, t Type
2025                 want bool
2026         }{
2027                 {Typ[Int], Typ[Int], true},
2028                 {Typ[Int], Typ[Float32], false},
2029                 {newDefined(Typ[Int]), Typ[Int], false},
2030                 {newDefined(new(Struct)), new(Struct), true},
2031                 {Typ[UntypedBool], Typ[Bool], true},
2032                 {Typ[UntypedString], Typ[Bool], false},
2033                 // Neither untyped string nor untyped numeric assignments arise during
2034                 // normal type checking, so the below behavior is technically undefined by
2035                 // the spec.
2036                 {Typ[UntypedString], Typ[String], true},
2037                 {Typ[UntypedInt], Typ[Int], true},
2038         } {
2039                 if got := AssignableTo(test.v, test.t); got != test.want {
2040                         t.Errorf("AssignableTo(%v, %v) = %t, want %t", test.v, test.t, got, test.want)
2041                 }
2042         }
2043 }
2044
2045 func TestIdentical(t *testing.T) {
2046         // For each test, we compare the types of objects X and Y in the source.
2047         tests := []struct {
2048                 src  string
2049                 want bool
2050         }{
2051                 // Basic types.
2052                 {"var X int; var Y int", true},
2053                 {"var X int; var Y string", false},
2054
2055                 // TODO: add more tests for complex types.
2056
2057                 // Named types.
2058                 {"type X int; type Y int", false},
2059
2060                 // Aliases.
2061                 {"type X = int; type Y = int", true},
2062
2063                 // Functions.
2064                 {`func X(int) string { return "" }; func Y(int) string { return "" }`, true},
2065                 {`func X() string { return "" }; func Y(int) string { return "" }`, false},
2066                 {`func X(int) string { return "" }; func Y(int) {}`, false},
2067
2068                 // Generic functions. Type parameters should be considered identical modulo
2069                 // renaming. See also go.dev/issue/49722.
2070                 {`func X[P ~int](){}; func Y[Q ~int]() {}`, true},
2071                 {`func X[P1 any, P2 ~*P1](){}; func Y[Q1 any, Q2 ~*Q1]() {}`, true},
2072                 {`func X[P1 any, P2 ~[]P1](){}; func Y[Q1 any, Q2 ~*Q1]() {}`, false},
2073                 {`func X[P ~int](P){}; func Y[Q ~int](Q) {}`, true},
2074                 {`func X[P ~string](P){}; func Y[Q ~int](Q) {}`, false},
2075                 {`func X[P ~int]([]P){}; func Y[Q ~int]([]Q) {}`, true},
2076         }
2077
2078         for _, test := range tests {
2079                 pkg := mustTypecheck("package p;"+test.src, nil, nil)
2080                 X := pkg.Scope().Lookup("X")
2081                 Y := pkg.Scope().Lookup("Y")
2082                 if X == nil || Y == nil {
2083                         t.Fatal("test must declare both X and Y")
2084                 }
2085                 if got := Identical(X.Type(), Y.Type()); got != test.want {
2086                         t.Errorf("Identical(%s, %s) = %t, want %t", X.Type(), Y.Type(), got, test.want)
2087                 }
2088         }
2089 }
2090
2091 func TestIdentical_issue15173(t *testing.T) {
2092         // Identical should allow nil arguments and be symmetric.
2093         for _, test := range []struct {
2094                 x, y Type
2095                 want bool
2096         }{
2097                 {Typ[Int], Typ[Int], true},
2098                 {Typ[Int], nil, false},
2099                 {nil, Typ[Int], false},
2100                 {nil, nil, true},
2101         } {
2102                 if got := Identical(test.x, test.y); got != test.want {
2103                         t.Errorf("Identical(%v, %v) = %t", test.x, test.y, got)
2104                 }
2105         }
2106 }
2107
2108 func TestIdenticalUnions(t *testing.T) {
2109         tname := NewTypeName(nopos, nil, "myInt", nil)
2110         myInt := NewNamed(tname, Typ[Int], nil)
2111         tmap := map[string]*Term{
2112                 "int":     NewTerm(false, Typ[Int]),
2113                 "~int":    NewTerm(true, Typ[Int]),
2114                 "string":  NewTerm(false, Typ[String]),
2115                 "~string": NewTerm(true, Typ[String]),
2116                 "myInt":   NewTerm(false, myInt),
2117         }
2118         makeUnion := func(s string) *Union {
2119                 parts := strings.Split(s, "|")
2120                 var terms []*Term
2121                 for _, p := range parts {
2122                         term := tmap[p]
2123                         if term == nil {
2124                                 t.Fatalf("missing term %q", p)
2125                         }
2126                         terms = append(terms, term)
2127                 }
2128                 return NewUnion(terms)
2129         }
2130         for _, test := range []struct {
2131                 x, y string
2132                 want bool
2133         }{
2134                 // These tests are just sanity checks. The tests for type sets and
2135                 // interfaces provide much more test coverage.
2136                 {"int|~int", "~int", true},
2137                 {"myInt|~int", "~int", true},
2138                 {"int|string", "string|int", true},
2139                 {"int|int|string", "string|int", true},
2140                 {"myInt|string", "int|string", false},
2141         } {
2142                 x := makeUnion(test.x)
2143                 y := makeUnion(test.y)
2144                 if got := Identical(x, y); got != test.want {
2145                         t.Errorf("Identical(%v, %v) = %t", test.x, test.y, got)
2146                 }
2147         }
2148 }
2149
2150 func TestIssue61737(t *testing.T) {
2151         // This test verifies that it is possible to construct invalid interfaces
2152         // containing duplicate methods using the go/types API.
2153         //
2154         // It must be possible for importers to construct such invalid interfaces.
2155         // Previously, this panicked.
2156
2157         sig1 := NewSignatureType(nil, nil, nil, NewTuple(NewParam(nopos, nil, "", Typ[Int])), nil, false)
2158         sig2 := NewSignatureType(nil, nil, nil, NewTuple(NewParam(nopos, nil, "", Typ[String])), nil, false)
2159
2160         methods := []*Func{
2161                 NewFunc(nopos, nil, "M", sig1),
2162                 NewFunc(nopos, nil, "M", sig2),
2163         }
2164
2165         embeddedMethods := []*Func{
2166                 NewFunc(nopos, nil, "M", sig2),
2167         }
2168         embedded := NewInterfaceType(embeddedMethods, nil)
2169         iface := NewInterfaceType(methods, []Type{embedded})
2170         iface.Complete()
2171 }
2172
2173 func TestIssue15305(t *testing.T) {
2174         const src = "package p; func f() int16; var _ = f(undef)"
2175         fset := token.NewFileSet()
2176         f := mustParse(fset, src)
2177         conf := Config{
2178                 Error: func(err error) {}, // allow errors
2179         }
2180         info := &Info{
2181                 Types: make(map[ast.Expr]TypeAndValue),
2182         }
2183         conf.Check("p", fset, []*ast.File{f}, info) // ignore result
2184         for e, tv := range info.Types {
2185                 if _, ok := e.(*ast.CallExpr); ok {
2186                         if tv.Type != Typ[Int16] {
2187                                 t.Errorf("CallExpr has type %v, want int16", tv.Type)
2188                         }
2189                         return
2190                 }
2191         }
2192         t.Errorf("CallExpr has no type")
2193 }
2194
2195 // TestCompositeLitTypes verifies that Info.Types registers the correct
2196 // types for composite literal expressions and composite literal type
2197 // expressions.
2198 func TestCompositeLitTypes(t *testing.T) {
2199         for i, test := range []struct {
2200                 lit, typ string
2201         }{
2202                 {`[16]byte{}`, `[16]byte`},
2203                 {`[...]byte{}`, `[0]byte`},                // test for go.dev/issue/14092
2204                 {`[...]int{1, 2, 3}`, `[3]int`},           // test for go.dev/issue/14092
2205                 {`[...]int{90: 0, 98: 1, 2}`, `[100]int`}, // test for go.dev/issue/14092
2206                 {`[]int{}`, `[]int`},
2207                 {`map[string]bool{"foo": true}`, `map[string]bool`},
2208                 {`struct{}{}`, `struct{}`},
2209                 {`struct{x, y int; z complex128}{}`, `struct{x int; y int; z complex128}`},
2210         } {
2211                 fset := token.NewFileSet()
2212                 f := mustParse(fset, fmt.Sprintf("package p%d; var _ = %s", i, test.lit))
2213                 types := make(map[ast.Expr]TypeAndValue)
2214                 if _, err := new(Config).Check("p", fset, []*ast.File{f}, &Info{Types: types}); err != nil {
2215                         t.Fatalf("%s: %v", test.lit, err)
2216                 }
2217
2218                 cmptype := func(x ast.Expr, want string) {
2219                         tv, ok := types[x]
2220                         if !ok {
2221                                 t.Errorf("%s: no Types entry found", test.lit)
2222                                 return
2223                         }
2224                         if tv.Type == nil {
2225                                 t.Errorf("%s: type is nil", test.lit)
2226                                 return
2227                         }
2228                         if got := tv.Type.String(); got != want {
2229                                 t.Errorf("%s: got %v, want %s", test.lit, got, want)
2230                         }
2231                 }
2232
2233                 // test type of composite literal expression
2234                 rhs := f.Decls[0].(*ast.GenDecl).Specs[0].(*ast.ValueSpec).Values[0]
2235                 cmptype(rhs, test.typ)
2236
2237                 // test type of composite literal type expression
2238                 cmptype(rhs.(*ast.CompositeLit).Type, test.typ)
2239         }
2240 }
2241
2242 // TestObjectParents verifies that objects have parent scopes or not
2243 // as specified by the Object interface.
2244 func TestObjectParents(t *testing.T) {
2245         const src = `
2246 package p
2247
2248 const C = 0
2249
2250 type T1 struct {
2251         a, b int
2252         T2
2253 }
2254
2255 type T2 interface {
2256         im1()
2257         im2()
2258 }
2259
2260 func (T1) m1() {}
2261 func (*T1) m2() {}
2262
2263 func f(x int) { y := x; print(y) }
2264 `
2265
2266         fset := token.NewFileSet()
2267         f := mustParse(fset, src)
2268
2269         info := &Info{
2270                 Defs: make(map[*ast.Ident]Object),
2271         }
2272         if _, err := new(Config).Check("p", fset, []*ast.File{f}, info); err != nil {
2273                 t.Fatal(err)
2274         }
2275
2276         for ident, obj := range info.Defs {
2277                 if obj == nil {
2278                         // only package names and implicit vars have a nil object
2279                         // (in this test we only need to handle the package name)
2280                         if ident.Name != "p" {
2281                                 t.Errorf("%v has nil object", ident)
2282                         }
2283                         continue
2284                 }
2285
2286                 // struct fields, type-associated and interface methods
2287                 // have no parent scope
2288                 wantParent := true
2289                 switch obj := obj.(type) {
2290                 case *Var:
2291                         if obj.IsField() {
2292                                 wantParent = false
2293                         }
2294                 case *Func:
2295                         if obj.Type().(*Signature).Recv() != nil { // method
2296                                 wantParent = false
2297                         }
2298                 }
2299
2300                 gotParent := obj.Parent() != nil
2301                 switch {
2302                 case gotParent && !wantParent:
2303                         t.Errorf("%v: want no parent, got %s", ident, obj.Parent())
2304                 case !gotParent && wantParent:
2305                         t.Errorf("%v: no parent found", ident)
2306                 }
2307         }
2308 }
2309
2310 // TestFailedImport tests that we don't get follow-on errors
2311 // elsewhere in a package due to failing to import a package.
2312 func TestFailedImport(t *testing.T) {
2313         testenv.MustHaveGoBuild(t)
2314
2315         const src = `
2316 package p
2317
2318 import foo "go/types/thisdirectorymustnotexistotherwisethistestmayfail/foo" // should only see an error here
2319
2320 const c = foo.C
2321 type T = foo.T
2322 var v T = c
2323 func f(x T) T { return foo.F(x) }
2324 `
2325         fset := token.NewFileSet()
2326         f := mustParse(fset, src)
2327         files := []*ast.File{f}
2328
2329         // type-check using all possible importers
2330         for _, compiler := range []string{"gc", "gccgo", "source"} {
2331                 errcount := 0
2332                 conf := Config{
2333                         Error: func(err error) {
2334                                 // we should only see the import error
2335                                 if errcount > 0 || !strings.Contains(err.Error(), "could not import") {
2336                                         t.Errorf("for %s importer, got unexpected error: %v", compiler, err)
2337                                 }
2338                                 errcount++
2339                         },
2340                         Importer: importer.For(compiler, nil),
2341                 }
2342
2343                 info := &Info{
2344                         Uses: make(map[*ast.Ident]Object),
2345                 }
2346                 pkg, _ := conf.Check("p", fset, files, info)
2347                 if pkg == nil {
2348                         t.Errorf("for %s importer, type-checking failed to return a package", compiler)
2349                         continue
2350                 }
2351
2352                 imports := pkg.Imports()
2353                 if len(imports) != 1 {
2354                         t.Errorf("for %s importer, got %d imports, want 1", compiler, len(imports))
2355                         continue
2356                 }
2357                 imp := imports[0]
2358                 if imp.Name() != "foo" {
2359                         t.Errorf(`for %s importer, got %q, want "foo"`, compiler, imp.Name())
2360                         continue
2361                 }
2362
2363                 // verify that all uses of foo refer to the imported package foo (imp)
2364                 for ident, obj := range info.Uses {
2365                         if ident.Name == "foo" {
2366                                 if obj, ok := obj.(*PkgName); ok {
2367                                         if obj.Imported() != imp {
2368                                                 t.Errorf("%s resolved to %v; want %v", ident, obj.Imported(), imp)
2369                                         }
2370                                 } else {
2371                                         t.Errorf("%s resolved to %v; want package name", ident, obj)
2372                                 }
2373                         }
2374                 }
2375         }
2376 }
2377
2378 func TestInstantiate(t *testing.T) {
2379         // eventually we like more tests but this is a start
2380         const src = "package p; type T[P any] *T[P]"
2381         pkg := mustTypecheck(src, nil, nil)
2382
2383         // type T should have one type parameter
2384         T := pkg.Scope().Lookup("T").Type().(*Named)
2385         if n := T.TypeParams().Len(); n != 1 {
2386                 t.Fatalf("expected 1 type parameter; found %d", n)
2387         }
2388
2389         // instantiation should succeed (no endless recursion)
2390         // even with a nil *Checker
2391         res, err := Instantiate(nil, T, []Type{Typ[Int]}, false)
2392         if err != nil {
2393                 t.Fatal(err)
2394         }
2395
2396         // instantiated type should point to itself
2397         if p := res.Underlying().(*Pointer).Elem(); p != res {
2398                 t.Fatalf("unexpected result type: %s points to %s", res, p)
2399         }
2400 }
2401
2402 func TestInstantiateConcurrent(t *testing.T) {
2403         const src = `package p
2404
2405 type I[P any] interface {
2406         m(P)
2407         n() P
2408 }
2409
2410 type J = I[int]
2411
2412 type Nested[P any] *interface{b(P)}
2413
2414 type K = Nested[string]
2415 `
2416         pkg := mustTypecheck(src, nil, nil)
2417
2418         insts := []*Interface{
2419                 pkg.Scope().Lookup("J").Type().Underlying().(*Interface),
2420                 pkg.Scope().Lookup("K").Type().Underlying().(*Pointer).Elem().(*Interface),
2421         }
2422
2423         // Use the interface instances concurrently.
2424         for _, inst := range insts {
2425                 var (
2426                         counts  [2]int      // method counts
2427                         methods [2][]string // method strings
2428                 )
2429                 var wg sync.WaitGroup
2430                 for i := 0; i < 2; i++ {
2431                         i := i
2432                         wg.Add(1)
2433                         go func() {
2434                                 defer wg.Done()
2435
2436                                 counts[i] = inst.NumMethods()
2437                                 for mi := 0; mi < counts[i]; mi++ {
2438                                         methods[i] = append(methods[i], inst.Method(mi).String())
2439                                 }
2440                         }()
2441                 }
2442                 wg.Wait()
2443
2444                 if counts[0] != counts[1] {
2445                         t.Errorf("mismatching method counts for %s: %d vs %d", inst, counts[0], counts[1])
2446                         continue
2447                 }
2448                 for i := 0; i < counts[0]; i++ {
2449                         if m0, m1 := methods[0][i], methods[1][i]; m0 != m1 {
2450                                 t.Errorf("mismatching methods for %s: %s vs %s", inst, m0, m1)
2451                         }
2452                 }
2453         }
2454 }
2455
2456 func TestInstantiateErrors(t *testing.T) {
2457         tests := []struct {
2458                 src    string // by convention, T must be the type being instantiated
2459                 targs  []Type
2460                 wantAt int // -1 indicates no error
2461         }{
2462                 {"type T[P interface{~string}] int", []Type{Typ[Int]}, 0},
2463                 {"type T[P1 interface{int}, P2 interface{~string}] int", []Type{Typ[Int], Typ[Int]}, 1},
2464                 {"type T[P1 any, P2 interface{~[]P1}] int", []Type{Typ[Int], NewSlice(Typ[String])}, 1},
2465                 {"type T[P1 interface{~[]P2}, P2 any] int", []Type{NewSlice(Typ[String]), Typ[Int]}, 0},
2466         }
2467
2468         for _, test := range tests {
2469                 src := "package p; " + test.src
2470                 pkg := mustTypecheck(src, nil, nil)
2471
2472                 T := pkg.Scope().Lookup("T").Type().(*Named)
2473
2474                 _, err := Instantiate(nil, T, test.targs, true)
2475                 if err == nil {
2476                         t.Fatalf("Instantiate(%v, %v) returned nil error, want non-nil", T, test.targs)
2477                 }
2478
2479                 var argErr *ArgumentError
2480                 if !errors.As(err, &argErr) {
2481                         t.Fatalf("Instantiate(%v, %v): error is not an *ArgumentError", T, test.targs)
2482                 }
2483
2484                 if argErr.Index != test.wantAt {
2485                         t.Errorf("Instantiate(%v, %v): error at index %d, want index %d", T, test.targs, argErr.Index, test.wantAt)
2486                 }
2487         }
2488 }
2489
2490 func TestArgumentErrorUnwrapping(t *testing.T) {
2491         var err error = &ArgumentError{
2492                 Index: 1,
2493                 Err:   Error{Msg: "test"},
2494         }
2495         var e Error
2496         if !errors.As(err, &e) {
2497                 t.Fatalf("error %v does not wrap types.Error", err)
2498         }
2499         if e.Msg != "test" {
2500                 t.Errorf("e.Msg = %q, want %q", e.Msg, "test")
2501         }
2502 }
2503
2504 func TestInstanceIdentity(t *testing.T) {
2505         imports := make(testImporter)
2506         conf := Config{Importer: imports}
2507         makePkg := func(src string) {
2508                 fset := token.NewFileSet()
2509                 f := mustParse(fset, src)
2510                 name := f.Name.Name
2511                 pkg, err := conf.Check(name, fset, []*ast.File{f}, nil)
2512                 if err != nil {
2513                         t.Fatal(err)
2514                 }
2515                 imports[name] = pkg
2516         }
2517         makePkg(`package lib; type T[P any] struct{}`)
2518         makePkg(`package a; import "lib"; var A lib.T[int]`)
2519         makePkg(`package b; import "lib"; var B lib.T[int]`)
2520         a := imports["a"].Scope().Lookup("A")
2521         b := imports["b"].Scope().Lookup("B")
2522         if !Identical(a.Type(), b.Type()) {
2523                 t.Errorf("mismatching types: a.A: %s, b.B: %s", a.Type(), b.Type())
2524         }
2525 }
2526
2527 // TestInstantiatedObjects verifies properties of instantiated objects.
2528 func TestInstantiatedObjects(t *testing.T) {
2529         const src = `
2530 package p
2531
2532 type T[P any] struct {
2533         field P
2534 }
2535
2536 func (recv *T[Q]) concreteMethod(mParam Q) (mResult Q) { return }
2537
2538 type FT[P any] func(ftParam P) (ftResult P)
2539
2540 func F[P any](fParam P) (fResult P){ return }
2541
2542 type I[P any] interface {
2543         interfaceMethod(P)
2544 }
2545
2546 type R[P any] T[P]
2547
2548 func (R[P]) m() {} // having a method triggers expansion of R
2549
2550 var (
2551         t T[int]
2552         ft FT[int]
2553         f = F[int]
2554         i I[int]
2555 )
2556
2557 func fn() {
2558         var r R[int]
2559         _ = r
2560 }
2561 `
2562         info := &Info{
2563                 Defs: make(map[*ast.Ident]Object),
2564         }
2565         fset := token.NewFileSet()
2566         f := mustParse(fset, src)
2567         conf := Config{}
2568         pkg, err := conf.Check(f.Name.Name, fset, []*ast.File{f}, info)
2569         if err != nil {
2570                 t.Fatal(err)
2571         }
2572
2573         lookup := func(name string) Type { return pkg.Scope().Lookup(name).Type() }
2574         fnScope := pkg.Scope().Lookup("fn").(*Func).Scope()
2575
2576         tests := []struct {
2577                 name string
2578                 obj  Object
2579         }{
2580                 // Struct fields
2581                 {"field", lookup("t").Underlying().(*Struct).Field(0)},
2582                 {"field", fnScope.Lookup("r").Type().Underlying().(*Struct).Field(0)},
2583
2584                 // Methods and method fields
2585                 {"concreteMethod", lookup("t").(*Named).Method(0)},
2586                 {"recv", lookup("t").(*Named).Method(0).Type().(*Signature).Recv()},
2587                 {"mParam", lookup("t").(*Named).Method(0).Type().(*Signature).Params().At(0)},
2588                 {"mResult", lookup("t").(*Named).Method(0).Type().(*Signature).Results().At(0)},
2589
2590                 // Interface methods
2591                 {"interfaceMethod", lookup("i").Underlying().(*Interface).Method(0)},
2592
2593                 // Function type fields
2594                 {"ftParam", lookup("ft").Underlying().(*Signature).Params().At(0)},
2595                 {"ftResult", lookup("ft").Underlying().(*Signature).Results().At(0)},
2596
2597                 // Function fields
2598                 {"fParam", lookup("f").(*Signature).Params().At(0)},
2599                 {"fResult", lookup("f").(*Signature).Results().At(0)},
2600         }
2601
2602         // Collect all identifiers by name.
2603         idents := make(map[string][]*ast.Ident)
2604         ast.Inspect(f, func(n ast.Node) bool {
2605                 if id, ok := n.(*ast.Ident); ok {
2606                         idents[id.Name] = append(idents[id.Name], id)
2607                 }
2608                 return true
2609         })
2610
2611         for _, test := range tests {
2612                 test := test
2613                 t.Run(test.name, func(t *testing.T) {
2614                         if got := len(idents[test.name]); got != 1 {
2615                                 t.Fatalf("found %d identifiers named %s, want 1", got, test.name)
2616                         }
2617                         ident := idents[test.name][0]
2618                         def := info.Defs[ident]
2619                         if def == test.obj {
2620                                 t.Fatalf("info.Defs[%s] contains the test object", test.name)
2621                         }
2622                         if orig := originObject(test.obj); def != orig {
2623                                 t.Errorf("info.Defs[%s] does not match obj.Origin()", test.name)
2624                         }
2625                         if def.Pkg() != test.obj.Pkg() {
2626                                 t.Errorf("Pkg() = %v, want %v", def.Pkg(), test.obj.Pkg())
2627                         }
2628                         if def.Name() != test.obj.Name() {
2629                                 t.Errorf("Name() = %v, want %v", def.Name(), test.obj.Name())
2630                         }
2631                         if def.Pos() != test.obj.Pos() {
2632                                 t.Errorf("Pos() = %v, want %v", def.Pos(), test.obj.Pos())
2633                         }
2634                         if def.Parent() != test.obj.Parent() {
2635                                 t.Fatalf("Parent() = %v, want %v", def.Parent(), test.obj.Parent())
2636                         }
2637                         if def.Exported() != test.obj.Exported() {
2638                                 t.Fatalf("Exported() = %v, want %v", def.Exported(), test.obj.Exported())
2639                         }
2640                         if def.Id() != test.obj.Id() {
2641                                 t.Fatalf("Id() = %v, want %v", def.Id(), test.obj.Id())
2642                         }
2643                         // String and Type are expected to differ.
2644                 })
2645         }
2646 }
2647
2648 func originObject(obj Object) Object {
2649         switch obj := obj.(type) {
2650         case *Var:
2651                 return obj.Origin()
2652         case *Func:
2653                 return obj.Origin()
2654         }
2655         return obj
2656 }
2657
2658 func TestImplements(t *testing.T) {
2659         const src = `
2660 package p
2661
2662 type EmptyIface interface{}
2663
2664 type I interface {
2665         m()
2666 }
2667
2668 type C interface {
2669         m()
2670         ~int
2671 }
2672
2673 type Integer interface{
2674         int8 | int16 | int32 | int64
2675 }
2676
2677 type EmptyTypeSet interface{
2678         Integer
2679         ~string
2680 }
2681
2682 type N1 int
2683 func (N1) m() {}
2684
2685 type N2 int
2686 func (*N2) m() {}
2687
2688 type N3 int
2689 func (N3) m(int) {}
2690
2691 type N4 string
2692 func (N4) m()
2693
2694 type Bad Bad // invalid type
2695 `
2696
2697         fset := token.NewFileSet()
2698         f := mustParse(fset, src)
2699         conf := Config{Error: func(error) {}}
2700         pkg, _ := conf.Check(f.Name.Name, fset, []*ast.File{f}, nil)
2701
2702         lookup := func(tname string) Type { return pkg.Scope().Lookup(tname).Type() }
2703         var (
2704                 EmptyIface   = lookup("EmptyIface").Underlying().(*Interface)
2705                 I            = lookup("I").(*Named)
2706                 II           = I.Underlying().(*Interface)
2707                 C            = lookup("C").(*Named)
2708                 CI           = C.Underlying().(*Interface)
2709                 Integer      = lookup("Integer").Underlying().(*Interface)
2710                 EmptyTypeSet = lookup("EmptyTypeSet").Underlying().(*Interface)
2711                 N1           = lookup("N1")
2712                 N1p          = NewPointer(N1)
2713                 N2           = lookup("N2")
2714                 N2p          = NewPointer(N2)
2715                 N3           = lookup("N3")
2716                 N4           = lookup("N4")
2717                 Bad          = lookup("Bad")
2718         )
2719
2720         tests := []struct {
2721                 V    Type
2722                 T    *Interface
2723                 want bool
2724         }{
2725                 {I, II, true},
2726                 {I, CI, false},
2727                 {C, II, true},
2728                 {C, CI, true},
2729                 {Typ[Int8], Integer, true},
2730                 {Typ[Int64], Integer, true},
2731                 {Typ[String], Integer, false},
2732                 {EmptyTypeSet, II, true},
2733                 {EmptyTypeSet, EmptyTypeSet, true},
2734                 {Typ[Int], EmptyTypeSet, false},
2735                 {N1, II, true},
2736                 {N1, CI, true},
2737                 {N1p, II, true},
2738                 {N1p, CI, false},
2739                 {N2, II, false},
2740                 {N2, CI, false},
2741                 {N2p, II, true},
2742                 {N2p, CI, false},
2743                 {N3, II, false},
2744                 {N3, CI, false},
2745                 {N4, II, true},
2746                 {N4, CI, false},
2747                 {Bad, II, false},
2748                 {Bad, CI, false},
2749                 {Bad, EmptyIface, true},
2750         }
2751
2752         for _, test := range tests {
2753                 if got := Implements(test.V, test.T); got != test.want {
2754                         t.Errorf("Implements(%s, %s) = %t, want %t", test.V, test.T, got, test.want)
2755                 }
2756
2757                 // The type assertion x.(T) is valid if T is an interface or if T implements the type of x.
2758                 // The assertion is never valid if T is a bad type.
2759                 V := test.T
2760                 T := test.V
2761                 want := false
2762                 if _, ok := T.Underlying().(*Interface); (ok || Implements(T, V)) && T != Bad {
2763                         want = true
2764                 }
2765                 if got := AssertableTo(V, T); got != want {
2766                         t.Errorf("AssertableTo(%s, %s) = %t, want %t", V, T, got, want)
2767                 }
2768         }
2769 }
2770
2771 func TestMissingMethodAlternative(t *testing.T) {
2772         const src = `
2773 package p
2774 type T interface {
2775         m()
2776 }
2777
2778 type V0 struct{}
2779 func (V0) m() {}
2780
2781 type V1 struct{}
2782
2783 type V2 struct{}
2784 func (V2) m() int
2785
2786 type V3 struct{}
2787 func (*V3) m()
2788
2789 type V4 struct{}
2790 func (V4) M()
2791 `
2792
2793         pkg := mustTypecheck(src, nil, nil)
2794
2795         T := pkg.Scope().Lookup("T").Type().Underlying().(*Interface)
2796         lookup := func(name string) (*Func, bool) {
2797                 return MissingMethod(pkg.Scope().Lookup(name).Type(), T, true)
2798         }
2799
2800         // V0 has method m with correct signature. Should not report wrongType.
2801         method, wrongType := lookup("V0")
2802         if method != nil || wrongType {
2803                 t.Fatalf("V0: got method = %v, wrongType = %v", method, wrongType)
2804         }
2805
2806         checkMissingMethod := func(tname string, reportWrongType bool) {
2807                 method, wrongType := lookup(tname)
2808                 if method == nil || method.Name() != "m" || wrongType != reportWrongType {
2809                         t.Fatalf("%s: got method = %v, wrongType = %v", tname, method, wrongType)
2810                 }
2811         }
2812
2813         // V1 has no method m. Should not report wrongType.
2814         checkMissingMethod("V1", false)
2815
2816         // V2 has method m with wrong signature type (ignoring receiver). Should report wrongType.
2817         checkMissingMethod("V2", true)
2818
2819         // V3 has no method m but it exists on *V3. Should report wrongType.
2820         checkMissingMethod("V3", true)
2821
2822         // V4 has no method m but has M. Should not report wrongType.
2823         checkMissingMethod("V4", false)
2824 }
2825
2826 func TestErrorURL(t *testing.T) {
2827         var conf Config
2828         *stringFieldAddr(&conf, "_ErrorURL") = " [go.dev/e/%s]"
2829
2830         // test case for a one-line error
2831         const src1 = `
2832 package p
2833 var _ T
2834 `
2835         _, err := typecheck(src1, &conf, nil)
2836         if err == nil || !strings.HasSuffix(err.Error(), " [go.dev/e/UndeclaredName]") {
2837                 t.Errorf("src1: unexpected error: got %v", err)
2838         }
2839
2840         // test case for a multi-line error
2841         const src2 = `
2842 package p
2843 func f() int { return 0 }
2844 var _ = f(1, 2)
2845 `
2846         _, err = typecheck(src2, &conf, nil)
2847         if err == nil || !strings.Contains(err.Error(), " [go.dev/e/WrongArgCount]\n") {
2848                 t.Errorf("src1: unexpected error: got %v", err)
2849         }
2850 }
2851
2852 func TestFileVersions(t *testing.T) {
2853         for _, test := range []struct {
2854                 moduleVersion string
2855                 fileVersion   string
2856                 wantVersion   string
2857         }{
2858                 {"", "", ""},                   // no versions specified
2859                 {"go1.19", "", "go1.19"},       // module version specified
2860                 {"", "go1.20", ""},             // file upgrade ignored
2861                 {"go1.19", "go1.20", "go1.20"}, // file upgrade permitted
2862                 {"go1.20", "go1.19", "go1.20"}, // file downgrade not permitted
2863                 {"go1.21", "go1.19", "go1.19"}, // file downgrade permitted (module version is >= go1.21)
2864         } {
2865                 var src string
2866                 if test.fileVersion != "" {
2867                         src = "//go:build " + test.fileVersion + "\n"
2868                 }
2869                 src += "package p"
2870
2871                 conf := Config{GoVersion: test.moduleVersion}
2872                 versions := make(map[*ast.File]string)
2873                 var info Info
2874                 info.FileVersions = versions
2875                 mustTypecheck(src, &conf, &info)
2876
2877                 n := 0
2878                 for _, v := range versions {
2879                         want := test.wantVersion
2880                         if v != want {
2881                                 t.Errorf("%q: unexpected file version: got %q, want %q", src, v, want)
2882                         }
2883                         n++
2884                 }
2885                 if n != 1 {
2886                         t.Errorf("%q: incorrect number of map entries: got %d", src, n)
2887                 }
2888         }
2889 }