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