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