blob: 8e64cf644fce2bac5528dc87533355ca59ccc4a6 [file] [log] [blame]
Rebecca Stambler6e0e2182018-04-26 13:58:52 -04001// Copyright 2018 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// Indexed package import.
6// See cmd/compile/internal/gc/iexport.go for the export data format.
7
8// This file is a copy of $GOROOT/src/go/internal/gcimporter/iimport.go.
9
10package gcimporter
11
12import (
13 "bytes"
14 "encoding/binary"
Robert Griesemer9a70f1f2018-06-12 22:33:41 -070015 "fmt"
Rebecca Stambler6e0e2182018-04-26 13:58:52 -040016 "go/constant"
17 "go/token"
18 "go/types"
19 "io"
Robert Findley32129bf2022-07-14 19:30:14 -040020 "math/big"
Rebecca Stambler6e0e2182018-04-26 13:58:52 -040021 "sort"
Robert Findley3883e4a2021-09-30 22:45:40 -040022 "strings"
Robert Findley0cffec92021-09-14 13:07:03 -040023
Rob Findley89d9fae2023-06-15 17:10:58 -040024 "golang.org/x/tools/go/types/objectpath"
Robert Findley0cffec92021-09-14 13:07:03 -040025 "golang.org/x/tools/internal/typeparams"
Rebecca Stambler6e0e2182018-04-26 13:58:52 -040026)
27
28type intReader struct {
29 *bytes.Reader
30 path string
31}
32
33func (r *intReader) int64() int64 {
34 i, err := binary.ReadVarint(r.Reader)
35 if err != nil {
36 errorf("import %q: read varint error: %v", r.path, err)
37 }
38 return i
39}
40
41func (r *intReader) uint64() uint64 {
42 i, err := binary.ReadUvarint(r.Reader)
43 if err != nil {
44 errorf("import %q: read varint error: %v", r.path, err)
45 }
46 return i
47}
48
Robert Findley0cffec92021-09-14 13:07:03 -040049// Keep this in sync with constants in iexport.go.
50const (
Robert Findley52e95272022-01-10 18:46:59 -050051 iexportVersionGo1_11 = 0
52 iexportVersionPosCol = 1
53 iexportVersionGo1_18 = 2
54 iexportVersionGenerics = 2
Alan Donovan207f4562022-10-20 14:03:47 -040055
56 iexportVersionCurrent = 2
Robert Findley0cffec92021-09-14 13:07:03 -040057)
58
59type ident struct {
Robert Findleyb4aba4b2022-04-14 15:47:16 -040060 pkg *types.Package
Robert Findley0cffec92021-09-14 13:07:03 -040061 name string
62}
63
Rebecca Stambler6e0e2182018-04-26 13:58:52 -040064const predeclReserved = 32
65
66type itag uint64
67
68const (
69 // Types
70 definedType itag = iota
71 pointerType
72 sliceType
73 arrayType
74 chanType
75 mapType
76 signatureType
77 structType
78 interfaceType
Robert Findley0cffec92021-09-14 13:07:03 -040079 typeParamType
Robert Findley02e52382021-09-14 20:46:30 -040080 instanceType
Robert Findley0cffec92021-09-14 13:07:03 -040081 unionType
Rebecca Stambler6e0e2182018-04-26 13:58:52 -040082)
83
Robert Griesemer9a70f1f2018-06-12 22:33:41 -070084// IImportData imports a package from the serialized package data
Matthew Dempskya1db63c2021-02-15 22:17:43 -080085// and returns 0 and a reference to the package.
Rebecca Stambler6e0e2182018-04-26 13:58:52 -040086// If the export data version is not recognized or the format is otherwise
87// compromised, an error is returned.
Matthew Dempskya1db63c2021-02-15 22:17:43 -080088func IImportData(fset *token.FileSet, imports map[string]*types.Package, data []byte, path string) (int, *types.Package, error) {
Rob Findley89d9fae2023-06-15 17:10:58 -040089 pkgs, err := iimportCommon(fset, GetPackagesFromMap(imports), data, false, path, false, nil)
Matthew Dempskya1db63c2021-02-15 22:17:43 -080090 if err != nil {
91 return 0, nil, err
92 }
93 return 0, pkgs[0], nil
94}
95
96// IImportBundle imports a set of packages from the serialized package bundle.
97func IImportBundle(fset *token.FileSet, imports map[string]*types.Package, data []byte) ([]*types.Package, error) {
Rob Findley89d9fae2023-06-15 17:10:58 -040098 return iimportCommon(fset, GetPackagesFromMap(imports), data, true, "", false, nil)
Matthew Dempskya1db63c2021-02-15 22:17:43 -080099}
100
Alan Donovanb71392a2023-06-13 11:47:20 -0400101// A GetPackagesFunc function obtains the non-nil symbols for a set of
102// packages, creating and recursively importing them as needed. An
103// implementation should store each package symbol is in the Pkg
104// field of the items array.
Robert Findleyb6dbcf82023-03-15 10:27:49 -0400105//
Alan Donovanb71392a2023-06-13 11:47:20 -0400106// Any error causes importing to fail. This can be used to quickly read
107// the import manifest of an export data file without fully decoding it.
108type GetPackagesFunc = func(items []GetPackagesItem) error
Robert Findleyb6dbcf82023-03-15 10:27:49 -0400109
Alan Donovanb71392a2023-06-13 11:47:20 -0400110// A GetPackagesItem is a request from the importer for the package
111// symbol of the specified name and path.
112type GetPackagesItem struct {
113 Name, Path string
114 Pkg *types.Package // to be filled in by GetPackagesFunc call
115
116 // private importer state
117 pathOffset uint64
118 nameIndex map[string]uint64
119}
120
121// GetPackagesFromMap returns a GetPackagesFunc that retrieves
122// packages from the given map of package path to package.
Robert Findleyb6dbcf82023-03-15 10:27:49 -0400123//
Alan Donovanb71392a2023-06-13 11:47:20 -0400124// The returned function may mutate m: each requested package that is not
125// found is created with types.NewPackage and inserted into m.
126func GetPackagesFromMap(m map[string]*types.Package) GetPackagesFunc {
127 return func(items []GetPackagesItem) error {
128 for i, item := range items {
129 pkg, ok := m[item.Path]
130 if !ok {
131 pkg = types.NewPackage(item.Path, item.Name)
132 m[item.Path] = pkg
133 }
134 items[i].Pkg = pkg
Robert Findleyb6dbcf82023-03-15 10:27:49 -0400135 }
Alan Donovanb71392a2023-06-13 11:47:20 -0400136 return nil
Robert Findleyb6dbcf82023-03-15 10:27:49 -0400137 }
138}
139
Rob Findley89d9fae2023-06-15 17:10:58 -0400140func iimportCommon(fset *token.FileSet, getPackages GetPackagesFunc, data []byte, bundle bool, path string, shallow bool, reportf ReportFunc) (pkgs []*types.Package, err error) {
Alan Donovan207f4562022-10-20 14:03:47 -0400141 const currentVersion = iexportVersionCurrent
Matthew Dempskydb0687c2019-09-26 17:38:16 -0700142 version := int64(-1)
Robert Findley91c880c2021-09-20 10:42:55 -0400143 if !debug {
144 defer func() {
145 if e := recover(); e != nil {
Russ Coxe693fb42021-04-15 12:49:06 -0400146 if bundle {
147 err = fmt.Errorf("%v", e)
148 } else if version > currentVersion {
Robert Findley91c880c2021-09-20 10:42:55 -0400149 err = fmt.Errorf("cannot import %q (%v), export data is newer version - update tool", path, e)
150 } else {
Alan Donovan12a05172023-05-12 15:32:35 -0400151 err = fmt.Errorf("internal error while importing %q (%v); please report an issue", path, e)
Robert Findley91c880c2021-09-20 10:42:55 -0400152 }
Robert Griesemer9a70f1f2018-06-12 22:33:41 -0700153 }
Robert Findley91c880c2021-09-20 10:42:55 -0400154 }()
155 }
Robert Griesemer9a70f1f2018-06-12 22:33:41 -0700156
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400157 r := &intReader{bytes.NewReader(data), path}
158
Matthew Dempskya1db63c2021-02-15 22:17:43 -0800159 if bundle {
Alan Donovan12a05172023-05-12 15:32:35 -0400160 if v := r.uint64(); v != bundleVersion {
161 errorf("unknown bundle format version %d", v)
Matthew Dempskya1db63c2021-02-15 22:17:43 -0800162 }
163 }
164
Matthew Dempskydb0687c2019-09-26 17:38:16 -0700165 version = int64(r.uint64())
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400166 switch version {
Robert Findley18096c52021-10-22 11:02:26 -0400167 case iexportVersionGo1_18, iexportVersionPosCol, iexportVersionGo1_11:
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400168 default:
Robert Findley18096c52021-10-22 11:02:26 -0400169 if version > iexportVersionGo1_18 {
Robert Findley0cffec92021-09-14 13:07:03 -0400170 errorf("unstable iexport format version %d, just rebuild compiler and std library", version)
171 } else {
172 errorf("unknown iexport format version %d", version)
173 }
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400174 }
175
176 sLen := int64(r.uint64())
Alan Donovan8aba49b2023-01-09 13:44:29 -0500177 var fLen int64
Alan Donovand958e852023-01-13 11:44:12 -0500178 var fileOffset []uint64
Alan Donovanb71392a2023-06-13 11:47:20 -0400179 if shallow {
Alan Donovand958e852023-01-13 11:44:12 -0500180 // Shallow mode uses a different position encoding.
Alan Donovan8aba49b2023-01-09 13:44:29 -0500181 fLen = int64(r.uint64())
Alan Donovand958e852023-01-13 11:44:12 -0500182 fileOffset = make([]uint64, r.uint64())
183 for i := range fileOffset {
184 fileOffset[i] = r.uint64()
185 }
Alan Donovan8aba49b2023-01-09 13:44:29 -0500186 }
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400187 dLen := int64(r.uint64())
188
189 whence, _ := r.Seek(0, io.SeekCurrent)
190 stringData := data[whence : whence+sLen]
Alan Donovan8aba49b2023-01-09 13:44:29 -0500191 fileData := data[whence+sLen : whence+sLen+fLen]
192 declData := data[whence+sLen+fLen : whence+sLen+fLen+dLen]
193 r.Seek(sLen+fLen+dLen, io.SeekCurrent)
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400194
195 p := iimporter{
Rob Findley89d9fae2023-06-15 17:10:58 -0400196 version: int(version),
197 ipath: path,
198 shallow: shallow,
199 reportf: reportf,
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400200
201 stringData: stringData,
202 stringCache: make(map[uint64]string),
Alan Donovand958e852023-01-13 11:44:12 -0500203 fileOffset: fileOffset,
Alan Donovan8aba49b2023-01-09 13:44:29 -0500204 fileData: fileData,
Alan Donovand958e852023-01-13 11:44:12 -0500205 fileCache: make([]*token.File, len(fileOffset)),
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400206 pkgCache: make(map[uint64]*types.Package),
207
208 declData: declData,
209 pkgIndex: make(map[*types.Package]map[string]uint64),
210 typCache: make(map[uint64]types.Type),
Robert Findley0cffec92021-09-14 13:07:03 -0400211 // Separate map for typeparams, keyed by their package and unique
Robert Findley81f084e2021-10-18 12:23:03 -0400212 // name.
Robert Findley0cffec92021-09-14 13:07:03 -0400213 tparamIndex: make(map[ident]types.Type),
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400214
215 fake: fakeFileSet{
216 fset: fset,
Robert Findleycbf1d012021-10-20 11:02:53 -0400217 files: make(map[string]*fileInfo),
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400218 },
219 }
Robert Findleycbf1d012021-10-20 11:02:53 -0400220 defer p.fake.setLines() // set lines for files in fset
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400221
Rebecca Stambler58ecf642019-01-07 14:50:49 -0500222 for i, pt := range predeclared() {
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400223 p.typCache[uint64(i)] = pt
224 }
225
Alan Donovanb71392a2023-06-13 11:47:20 -0400226 // Gather the relevant packages from the manifest.
227 items := make([]GetPackagesItem, r.uint64())
228 for i := range items {
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400229 pkgPathOff := r.uint64()
230 pkgPath := p.stringAt(pkgPathOff)
231 pkgName := p.stringAt(r.uint64())
232 _ = r.uint64() // package height; unused by go/types
233
234 if pkgPath == "" {
235 pkgPath = path
236 }
Alan Donovanb71392a2023-06-13 11:47:20 -0400237 items[i].Name = pkgName
238 items[i].Path = pkgPath
239 items[i].pathOffset = pkgPathOff
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400240
Alan Donovan2b29c662022-11-03 14:55:29 -0400241 // Read index for package.
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400242 nameIndex := make(map[string]uint64)
Alan Donovan2b29c662022-11-03 14:55:29 -0400243 nSyms := r.uint64()
Alan Donovanb71392a2023-06-13 11:47:20 -0400244 // In shallow mode, only the current package (i=0) has an index.
245 assert(!(shallow && i > 0 && nSyms != 0))
Alan Donovan2b29c662022-11-03 14:55:29 -0400246 for ; nSyms > 0; nSyms-- {
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400247 name := p.stringAt(r.uint64())
248 nameIndex[name] = r.uint64()
249 }
250
Alan Donovanb71392a2023-06-13 11:47:20 -0400251 items[i].nameIndex = nameIndex
252 }
253
254 // Request packages all at once from the client,
255 // enabling a parallel implementation.
256 if err := getPackages(items); err != nil {
257 return nil, err // don't wrap this error
258 }
259
260 // Check the results and complete the index.
261 pkgList := make([]*types.Package, len(items))
262 for i, item := range items {
263 pkg := item.Pkg
264 if pkg == nil {
265 errorf("internal error: getPackages returned nil package for %q", item.Path)
266 } else if pkg.Path() != item.Path {
267 errorf("internal error: getPackages returned wrong path %q, want %q", pkg.Path(), item.Path)
268 } else if pkg.Name() != item.Name {
269 errorf("internal error: getPackages returned wrong name %s for package %q, want %s", pkg.Name(), item.Path, item.Name)
270 }
271 p.pkgCache[item.pathOffset] = pkg
272 p.pkgIndex[pkg] = item.nameIndex
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400273 pkgList[i] = pkg
274 }
Matthew Dempskya1db63c2021-02-15 22:17:43 -0800275
276 if bundle {
277 pkgs = make([]*types.Package, r.uint64())
278 for i := range pkgs {
279 pkg := p.pkgAt(r.uint64())
280 imps := make([]*types.Package, r.uint64())
281 for j := range imps {
282 imps[j] = p.pkgAt(r.uint64())
283 }
284 pkg.SetImports(imps)
285 pkgs[i] = pkg
286 }
287 } else {
288 if len(pkgList) == 0 {
289 errorf("no packages found for %s", path)
290 panic("unreachable")
291 }
292 pkgs = pkgList[:1]
293
294 // record all referenced packages as imports
295 list := append(([]*types.Package)(nil), pkgList[1:]...)
296 sort.Sort(byPath(list))
297 pkgs[0].SetImports(list)
Rebecca Stambler246a69f2019-10-03 17:28:33 -0400298 }
Matthew Dempskya1db63c2021-02-15 22:17:43 -0800299
300 for _, pkg := range pkgs {
301 if pkg.Complete() {
302 continue
303 }
304
305 names := make([]string, 0, len(p.pkgIndex[pkg]))
306 for name := range p.pkgIndex[pkg] {
307 names = append(names, name)
308 }
309 sort.Strings(names)
310 for _, name := range names {
311 p.doDecl(pkg, name)
312 }
313
314 // package was imported completely and without errors
315 pkg.MarkComplete()
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400316 }
317
Robert Findleydff7c5f2022-02-22 09:47:31 -0500318 // SetConstraint can't be called if the constraint type is not yet complete.
319 // When type params are created in the 'P' case of (*importReader).obj(),
320 // the associated constraint type may not be complete due to recursion.
321 // Therefore, we defer calling SetConstraint there, and call it here instead
322 // after all types are complete.
323 for _, d := range p.later {
324 typeparams.SetTypeParamConstraint(d.t, d.constraint)
325 }
326
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400327 for _, typ := range p.interfaceList {
328 typ.Complete()
329 }
330
Rob Findley07bfcd42023-07-25 10:44:06 -0400331 // Workaround for golang/go#61561. See the doc for instanceList for details.
332 for _, typ := range p.instanceList {
333 if iface, _ := typ.Underlying().(*types.Interface); iface != nil {
334 iface.Complete()
335 }
336 }
337
Matthew Dempskya1db63c2021-02-15 22:17:43 -0800338 return pkgs, nil
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400339}
340
Robert Findleydff7c5f2022-02-22 09:47:31 -0500341type setConstraintArgs struct {
342 t *typeparams.TypeParam
343 constraint types.Type
344}
345
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400346type iimporter struct {
Robert Findleyfc8b4ca2021-10-22 11:32:16 -0400347 version int
348 ipath string
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400349
Rob Findley89d9fae2023-06-15 17:10:58 -0400350 shallow bool
351 reportf ReportFunc // if non-nil, used to report bugs
Alan Donovan2b29c662022-11-03 14:55:29 -0400352
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400353 stringData []byte
354 stringCache map[uint64]string
Alan Donovand958e852023-01-13 11:44:12 -0500355 fileOffset []uint64 // fileOffset[i] is offset in fileData for info about file encoded as i
Alan Donovan8aba49b2023-01-09 13:44:29 -0500356 fileData []byte
Alan Donovand958e852023-01-13 11:44:12 -0500357 fileCache []*token.File // memoized decoding of file encoded as i
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400358 pkgCache map[uint64]*types.Package
359
Robert Findley0cffec92021-09-14 13:07:03 -0400360 declData []byte
361 pkgIndex map[*types.Package]map[string]uint64
362 typCache map[uint64]types.Type
363 tparamIndex map[ident]types.Type
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400364
365 fake fakeFileSet
366 interfaceList []*types.Interface
Robert Findley81f084e2021-10-18 12:23:03 -0400367
Rob Findley07bfcd42023-07-25 10:44:06 -0400368 // Workaround for the go/types bug golang/go#61561: instances produced during
369 // instantiation may contain incomplete interfaces. Here we only complete the
370 // underlying type of the instance, which is the most common case but doesn't
371 // handle parameterized interface literals defined deeper in the type.
372 instanceList []types.Type // instances for later completion (see golang/go#61561)
373
Robert Findleydff7c5f2022-02-22 09:47:31 -0500374 // Arguments for calls to SetConstraint that are deferred due to recursive types
375 later []setConstraintArgs
376
Robert Findley81f084e2021-10-18 12:23:03 -0400377 indent int // for tracing support
378}
379
380func (p *iimporter) trace(format string, args ...interface{}) {
381 if !trace {
382 // Call sites should also be guarded, but having this check here allows
383 // easily enabling/disabling debug trace statements.
384 return
385 }
386 fmt.Printf(strings.Repeat("..", p.indent)+format+"\n", args...)
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400387}
388
389func (p *iimporter) doDecl(pkg *types.Package, name string) {
Robert Findley81f084e2021-10-18 12:23:03 -0400390 if debug {
391 p.trace("import decl %s", name)
392 p.indent++
393 defer func() {
394 p.indent--
395 p.trace("=> %s", name)
396 }()
397 }
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400398 // See if we've already imported this declaration.
399 if obj := pkg.Scope().Lookup(name); obj != nil {
400 return
401 }
402
403 off, ok := p.pkgIndex[pkg][name]
404 if !ok {
Alan Donovanb71392a2023-06-13 11:47:20 -0400405 // In deep mode, the index should be complete. In shallow
406 // mode, we should have already recursively loaded necessary
407 // dependencies so the above Lookup succeeds.
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400408 errorf("%v.%v not in index", pkg, name)
409 }
410
411 r := &importReader{p: p, currPkg: pkg}
412 r.declReader.Reset(p.declData[off:])
413
414 r.obj(name)
415}
416
417func (p *iimporter) stringAt(off uint64) string {
418 if s, ok := p.stringCache[off]; ok {
419 return s
420 }
421
422 slen, n := binary.Uvarint(p.stringData[off:])
423 if n <= 0 {
424 errorf("varint failed")
425 }
426 spos := off + uint64(n)
427 s := string(p.stringData[spos : spos+slen])
428 p.stringCache[off] = s
429 return s
430}
431
Alan Donovand958e852023-01-13 11:44:12 -0500432func (p *iimporter) fileAt(index uint64) *token.File {
433 file := p.fileCache[index]
434 if file == nil {
435 off := p.fileOffset[index]
Alan Donovanf0e2d5c2023-01-13 15:12:19 -0500436 file = p.decodeFile(intReader{bytes.NewReader(p.fileData[off:]), p.ipath})
Alan Donovand958e852023-01-13 11:44:12 -0500437 p.fileCache[index] = file
Alan Donovan8aba49b2023-01-09 13:44:29 -0500438 }
439 return file
440}
441
Alan Donovanf0e2d5c2023-01-13 15:12:19 -0500442func (p *iimporter) decodeFile(rd intReader) *token.File {
443 filename := p.stringAt(rd.uint64())
444 size := int(rd.uint64())
445 file := p.fake.fset.AddFile(filename, -1, size)
446
447 // SetLines requires a nondecreasing sequence.
448 // Because it is common for clients to derive the interval
449 // [start, start+len(name)] from a start position, and we
450 // want to ensure that the end offset is on the same line,
451 // we fill in the gaps of the sparse encoding with values
452 // that strictly increase by the largest possible amount.
453 // This allows us to avoid having to record the actual end
454 // offset of each needed line.
455
456 lines := make([]int, int(rd.uint64()))
457 var index, offset int
458 for i, n := 0, int(rd.uint64()); i < n; i++ {
459 index += int(rd.uint64())
460 offset += int(rd.uint64())
461 lines[index] = offset
462
463 // Ensure monotonicity between points.
464 for j := index - 1; j > 0 && lines[j] == 0; j-- {
465 lines[j] = lines[j+1] - 1
466 }
467 }
468
469 // Ensure monotonicity after last point.
470 for j := len(lines) - 1; j > 0 && lines[j] == 0; j-- {
471 size--
472 lines[j] = size
473 }
474
475 if !file.SetLines(lines) {
476 errorf("SetLines failed: %d", lines) // can't happen
477 }
478 return file
479}
480
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400481func (p *iimporter) pkgAt(off uint64) *types.Package {
482 if pkg, ok := p.pkgCache[off]; ok {
483 return pkg
484 }
485 path := p.stringAt(off)
486 errorf("missing package %q in %q", path, p.ipath)
487 return nil
488}
489
490func (p *iimporter) typAt(off uint64, base *types.Named) types.Type {
Robert Findleydf480292021-12-01 13:55:45 -0500491 if t, ok := p.typCache[off]; ok && canReuse(base, t) {
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400492 return t
493 }
494
495 if off < predeclReserved {
496 errorf("predeclared type missing from cache: %v", off)
497 }
498
499 r := &importReader{p: p}
500 r.declReader.Reset(p.declData[off-predeclReserved:])
501 t := r.doType(base)
502
Robert Findleydf480292021-12-01 13:55:45 -0500503 if canReuse(base, t) {
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400504 p.typCache[off] = t
505 }
506 return t
507}
508
Robert Findleydf480292021-12-01 13:55:45 -0500509// canReuse reports whether the type rhs on the RHS of the declaration for def
510// may be re-used.
511//
512// Specifically, if def is non-nil and rhs is an interface type with methods, it
513// may not be re-used because we have a convention of setting the receiver type
514// for interface methods to def.
515func canReuse(def *types.Named, rhs types.Type) bool {
516 if def == nil {
517 return true
518 }
519 iface, _ := rhs.(*types.Interface)
520 if iface == nil {
521 return true
522 }
523 // Don't use iface.Empty() here as iface may not be complete.
524 return iface.NumEmbeddeds() == 0 && iface.NumExplicitMethods() == 0
525}
526
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400527type importReader struct {
528 p *iimporter
529 declReader bytes.Reader
530 currPkg *types.Package
531 prevFile string
532 prevLine int64
Matthew Dempskydb0687c2019-09-26 17:38:16 -0700533 prevColumn int64
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400534}
535
536func (r *importReader) obj(name string) {
537 tag := r.byte()
538 pos := r.pos()
539
540 switch tag {
541 case 'A':
542 typ := r.typ()
543
544 r.declare(types.NewTypeName(pos, r.currPkg, name, typ))
545
546 case 'C':
547 typ, val := r.value()
548
549 r.declare(types.NewConst(pos, r.currPkg, name, typ, val))
550
Robert Findley0cffec92021-09-14 13:07:03 -0400551 case 'F', 'G':
552 var tparams []*typeparams.TypeParam
553 if tag == 'G' {
554 tparams = r.tparamList()
555 }
Robert Findley21896842021-09-28 15:04:48 -0400556 sig := r.signature(nil, nil, tparams)
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400557 r.declare(types.NewFunc(pos, r.currPkg, name, sig))
558
Robert Findley0cffec92021-09-14 13:07:03 -0400559 case 'T', 'U':
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400560 // Types can be recursive. We need to setup a stub
561 // declaration before recursing.
562 obj := types.NewTypeName(pos, r.currPkg, name, nil)
563 named := types.NewNamed(obj, nil, nil)
Robert Findley0cffec92021-09-14 13:07:03 -0400564 // Declare obj before calling r.tparamList, so the new type name is recognized
565 // if used in the constraint of one of its own typeparams (see #48280).
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400566 r.declare(obj)
Robert Findley0cffec92021-09-14 13:07:03 -0400567 if tag == 'U' {
568 tparams := r.tparamList()
569 typeparams.SetForNamed(named, tparams)
570 }
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400571
572 underlying := r.p.typAt(r.uint64(), named).Underlying()
573 named.SetUnderlying(underlying)
574
575 if !isInterface(underlying) {
576 for n := r.uint64(); n > 0; n-- {
577 mpos := r.pos()
578 mname := r.ident()
579 recv := r.param()
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400580
Robert Findley0cffec92021-09-14 13:07:03 -0400581 // If the receiver has any targs, set those as the
582 // rparams of the method (since those are the
583 // typeparams being used in the method sig/body).
Robert Findley81f084e2021-10-18 12:23:03 -0400584 base := baseType(recv.Type())
585 assert(base != nil)
586 targs := typeparams.NamedTypeArgs(base)
Robert Findley21896842021-09-28 15:04:48 -0400587 var rparams []*typeparams.TypeParam
Robert Findley91c880c2021-09-20 10:42:55 -0400588 if targs.Len() > 0 {
Robert Findley81f084e2021-10-18 12:23:03 -0400589 rparams = make([]*typeparams.TypeParam, targs.Len())
Robert Findley0cffec92021-09-14 13:07:03 -0400590 for i := range rparams {
Robert Findley91c880c2021-09-20 10:42:55 -0400591 rparams[i] = targs.At(i).(*typeparams.TypeParam)
Robert Findley0cffec92021-09-14 13:07:03 -0400592 }
Robert Findley0cffec92021-09-14 13:07:03 -0400593 }
Robert Findley21896842021-09-28 15:04:48 -0400594 msig := r.signature(recv, rparams, nil)
Robert Findley0cffec92021-09-14 13:07:03 -0400595
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400596 named.AddMethod(types.NewFunc(mpos, r.currPkg, mname, msig))
597 }
598 }
599
Robert Findley0cffec92021-09-14 13:07:03 -0400600 case 'P':
601 // We need to "declare" a typeparam in order to have a name that
602 // can be referenced recursively (if needed) in the type param's
603 // bound.
Robert Findleyfc8b4ca2021-10-22 11:32:16 -0400604 if r.p.version < iexportVersionGenerics {
Robert Findley0cffec92021-09-14 13:07:03 -0400605 errorf("unexpected type param type")
606 }
Robert Findley80963bc2022-01-20 11:16:42 -0500607 name0 := tparamName(name)
Robert Findley0cffec92021-09-14 13:07:03 -0400608 tn := types.NewTypeName(pos, r.currPkg, name0, nil)
609 t := typeparams.NewTypeParam(tn, nil)
Robert Findley3883e4a2021-09-30 22:45:40 -0400610
Robert Findley0cffec92021-09-14 13:07:03 -0400611 // To handle recursive references to the typeparam within its
612 // bound, save the partial type in tparamIndex before reading the bounds.
Robert Findleyb4aba4b2022-04-14 15:47:16 -0400613 id := ident{r.currPkg, name}
Robert Findley0cffec92021-09-14 13:07:03 -0400614 r.p.tparamIndex[id] = t
Robert Findley18096c52021-10-22 11:02:26 -0400615 var implicit bool
Robert Findleyfc8b4ca2021-10-22 11:32:16 -0400616 if r.p.version >= iexportVersionGo1_18 {
Robert Findley18096c52021-10-22 11:02:26 -0400617 implicit = r.bool()
618 }
619 constraint := r.typ()
620 if implicit {
621 iface, _ := constraint.(*types.Interface)
622 if iface == nil {
623 errorf("non-interface constraint marked implicit")
624 }
625 typeparams.MarkImplicit(iface)
626 }
Robert Findleydff7c5f2022-02-22 09:47:31 -0500627 // The constraint type may not be complete, if we
628 // are in the middle of a type recursion involving type
629 // constraints. So, we defer SetConstraint until we have
630 // completely set up all types in ImportData.
631 r.p.later = append(r.p.later, setConstraintArgs{t: t, constraint: constraint})
Robert Findley0cffec92021-09-14 13:07:03 -0400632
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400633 case 'V':
634 typ := r.typ()
635
636 r.declare(types.NewVar(pos, r.currPkg, name, typ))
637
638 default:
639 errorf("unexpected tag: %v", tag)
640 }
641}
642
643func (r *importReader) declare(obj types.Object) {
644 obj.Pkg().Scope().Insert(obj)
645}
646
647func (r *importReader) value() (typ types.Type, val constant.Value) {
648 typ = r.typ()
Robert Findleyfc8b4ca2021-10-22 11:32:16 -0400649 if r.p.version >= iexportVersionGo1_18 {
650 // TODO: add support for using the kind.
651 _ = constant.Kind(r.int64())
652 }
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400653
654 switch b := typ.Underlying().(*types.Basic); b.Info() & types.IsConstType {
655 case types.IsBoolean:
656 val = constant.MakeBool(r.bool())
657
658 case types.IsString:
659 val = constant.MakeString(r.string())
660
661 case types.IsInteger:
Robert Findley32129bf2022-07-14 19:30:14 -0400662 var x big.Int
663 r.mpint(&x, b)
664 val = constant.Make(&x)
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400665
666 case types.IsFloat:
667 val = r.mpfloat(b)
668
669 case types.IsComplex:
670 re := r.mpfloat(b)
671 im := r.mpfloat(b)
672 val = constant.BinaryOp(re, token.ADD, constant.MakeImag(im))
673
674 default:
Rebecca Stambler58ecf642019-01-07 14:50:49 -0500675 if b.Kind() == types.Invalid {
676 val = constant.MakeUnknown()
677 return
678 }
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400679 errorf("unexpected type %v", typ) // panics
680 panic("unreachable")
681 }
682
683 return
684}
685
686func intSize(b *types.Basic) (signed bool, maxBytes uint) {
687 if (b.Info() & types.IsUntyped) != 0 {
688 return true, 64
689 }
690
691 switch b.Kind() {
692 case types.Float32, types.Complex64:
693 return true, 3
694 case types.Float64, types.Complex128:
695 return true, 7
696 }
697
698 signed = (b.Info() & types.IsUnsigned) == 0
699 switch b.Kind() {
700 case types.Int8, types.Uint8:
701 maxBytes = 1
702 case types.Int16, types.Uint16:
703 maxBytes = 2
704 case types.Int32, types.Uint32:
705 maxBytes = 4
706 default:
707 maxBytes = 8
708 }
709
710 return
711}
712
Robert Findley32129bf2022-07-14 19:30:14 -0400713func (r *importReader) mpint(x *big.Int, typ *types.Basic) {
714 signed, maxBytes := intSize(typ)
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400715
716 maxSmall := 256 - maxBytes
717 if signed {
718 maxSmall = 256 - 2*maxBytes
719 }
720 if maxBytes == 1 {
721 maxSmall = 256
722 }
723
724 n, _ := r.declReader.ReadByte()
725 if uint(n) < maxSmall {
726 v := int64(n)
727 if signed {
728 v >>= 1
729 if n&1 != 0 {
730 v = ^v
731 }
732 }
Robert Findley32129bf2022-07-14 19:30:14 -0400733 x.SetInt64(v)
734 return
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400735 }
736
737 v := -n
738 if signed {
739 v = -(n &^ 1) >> 1
740 }
741 if v < 1 || uint(v) > maxBytes {
742 errorf("weird decoding: %v, %v => %v", n, signed, v)
743 }
Robert Findley32129bf2022-07-14 19:30:14 -0400744 b := make([]byte, v)
745 io.ReadFull(&r.declReader, b)
746 x.SetBytes(b)
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400747 if signed && n&1 != 0 {
Robert Findley32129bf2022-07-14 19:30:14 -0400748 x.Neg(x)
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400749 }
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400750}
751
Robert Findley32129bf2022-07-14 19:30:14 -0400752func (r *importReader) mpfloat(typ *types.Basic) constant.Value {
753 var mant big.Int
754 r.mpint(&mant, typ)
755 var f big.Float
756 f.SetInt(&mant)
757 if f.Sign() != 0 {
758 f.SetMantExp(&f, int(r.int64()))
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400759 }
Robert Findley32129bf2022-07-14 19:30:14 -0400760 return constant.Make(&f)
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400761}
762
763func (r *importReader) ident() string {
764 return r.string()
765}
766
767func (r *importReader) qualifiedIdent() (*types.Package, string) {
768 name := r.string()
769 pkg := r.pkg()
770 return pkg, name
771}
772
773func (r *importReader) pos() token.Pos {
Rob Findley89d9fae2023-06-15 17:10:58 -0400774 if r.p.shallow {
775 // precise offsets are encoded only in shallow mode
Alan Donovan8aba49b2023-01-09 13:44:29 -0500776 return r.posv2()
777 }
Robert Findleyfc8b4ca2021-10-22 11:32:16 -0400778 if r.p.version >= iexportVersionPosCol {
Matthew Dempskydb0687c2019-09-26 17:38:16 -0700779 r.posv1()
780 } else {
781 r.posv0()
782 }
783
784 if r.prevFile == "" && r.prevLine == 0 && r.prevColumn == 0 {
785 return token.NoPos
786 }
787 return r.p.fake.pos(r.prevFile, int(r.prevLine), int(r.prevColumn))
788}
789
790func (r *importReader) posv0() {
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400791 delta := r.int64()
792 if delta != deltaNewFile {
793 r.prevLine += delta
794 } else if l := r.int64(); l == -1 {
795 r.prevLine += deltaNewFile
796 } else {
797 r.prevFile = r.string()
798 r.prevLine = l
799 }
Matthew Dempskydb0687c2019-09-26 17:38:16 -0700800}
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400801
Matthew Dempskydb0687c2019-09-26 17:38:16 -0700802func (r *importReader) posv1() {
803 delta := r.int64()
804 r.prevColumn += delta >> 1
805 if delta&1 != 0 {
806 delta = r.int64()
807 r.prevLine += delta >> 1
808 if delta&1 != 0 {
809 r.prevFile = r.string()
810 }
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400811 }
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400812}
813
Alan Donovan8aba49b2023-01-09 13:44:29 -0500814func (r *importReader) posv2() token.Pos {
815 file := r.uint64()
816 if file == 0 {
817 return token.NoPos
818 }
819 tf := r.p.fileAt(file - 1)
820 return tf.Pos(int(r.uint64()))
821}
822
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400823func (r *importReader) typ() types.Type {
824 return r.p.typAt(r.uint64(), nil)
825}
826
827func isInterface(t types.Type) bool {
828 _, ok := t.(*types.Interface)
829 return ok
830}
831
832func (r *importReader) pkg() *types.Package { return r.p.pkgAt(r.uint64()) }
833func (r *importReader) string() string { return r.p.stringAt(r.uint64()) }
834
Robert Findley81f084e2021-10-18 12:23:03 -0400835func (r *importReader) doType(base *types.Named) (res types.Type) {
836 k := r.kind()
837 if debug {
838 r.p.trace("importing type %d (base: %s)", k, base)
839 r.p.indent++
840 defer func() {
841 r.p.indent--
842 r.p.trace("=> %s", res)
843 }()
844 }
845 switch k {
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400846 default:
847 errorf("unexpected kind tag in %q: %v", r.p.ipath, k)
848 return nil
849
850 case definedType:
851 pkg, name := r.qualifiedIdent()
852 r.p.doDecl(pkg, name)
853 return pkg.Scope().Lookup(name).(*types.TypeName).Type()
854 case pointerType:
855 return types.NewPointer(r.typ())
856 case sliceType:
857 return types.NewSlice(r.typ())
858 case arrayType:
859 n := r.uint64()
860 return types.NewArray(r.typ(), int64(n))
861 case chanType:
862 dir := chanDir(int(r.uint64()))
863 return types.NewChan(dir, r.typ())
864 case mapType:
865 return types.NewMap(r.typ(), r.typ())
866 case signatureType:
867 r.currPkg = r.pkg()
Robert Findley21896842021-09-28 15:04:48 -0400868 return r.signature(nil, nil, nil)
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400869
870 case structType:
871 r.currPkg = r.pkg()
872
873 fields := make([]*types.Var, r.uint64())
874 tags := make([]string, len(fields))
875 for i := range fields {
Rob Findley89d9fae2023-06-15 17:10:58 -0400876 var field *types.Var
877 if r.p.shallow {
878 field, _ = r.objectPathObject().(*types.Var)
879 }
880
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400881 fpos := r.pos()
882 fname := r.ident()
883 ftyp := r.typ()
884 emb := r.bool()
885 tag := r.string()
886
Rob Findley89d9fae2023-06-15 17:10:58 -0400887 // Either this is not a shallow import, the field is local, or the
888 // encoded objectPath failed to produce an object (a bug).
889 //
890 // Even in this last, buggy case, fall back on creating a new field. As
891 // discussed in iexport.go, this is not correct, but mostly works and is
892 // preferable to failing (for now at least).
893 if field == nil {
894 field = types.NewField(fpos, r.currPkg, fname, ftyp, emb)
895 }
896
897 fields[i] = field
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400898 tags[i] = tag
899 }
900 return types.NewStruct(fields, tags)
901
902 case interfaceType:
903 r.currPkg = r.pkg()
904
Robert Griesemer9a70f1f2018-06-12 22:33:41 -0700905 embeddeds := make([]types.Type, r.uint64())
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400906 for i := range embeddeds {
907 _ = r.pos()
Robert Griesemer9a70f1f2018-06-12 22:33:41 -0700908 embeddeds[i] = r.typ()
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400909 }
910
911 methods := make([]*types.Func, r.uint64())
912 for i := range methods {
Rob Findley89d9fae2023-06-15 17:10:58 -0400913 var method *types.Func
914 if r.p.shallow {
915 method, _ = r.objectPathObject().(*types.Func)
916 }
917
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400918 mpos := r.pos()
919 mname := r.ident()
920
921 // TODO(mdempsky): Matches bimport.go, but I
922 // don't agree with this.
923 var recv *types.Var
924 if base != nil {
925 recv = types.NewVar(token.NoPos, r.currPkg, "", base)
926 }
Robert Findley21896842021-09-28 15:04:48 -0400927 msig := r.signature(recv, nil, nil)
Rob Findley89d9fae2023-06-15 17:10:58 -0400928
929 if method == nil {
930 method = types.NewFunc(mpos, r.currPkg, mname, msig)
931 }
932 methods[i] = method
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400933 }
934
Robert Griesemer9d855102018-06-13 10:56:57 -0700935 typ := newInterface(methods, embeddeds)
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400936 r.p.interfaceList = append(r.p.interfaceList, typ)
937 return typ
Robert Findley0cffec92021-09-14 13:07:03 -0400938
939 case typeParamType:
Robert Findleyfc8b4ca2021-10-22 11:32:16 -0400940 if r.p.version < iexportVersionGenerics {
Robert Findley0cffec92021-09-14 13:07:03 -0400941 errorf("unexpected type param type")
942 }
943 pkg, name := r.qualifiedIdent()
Robert Findleyb4aba4b2022-04-14 15:47:16 -0400944 id := ident{pkg, name}
Robert Findley0cffec92021-09-14 13:07:03 -0400945 if t, ok := r.p.tparamIndex[id]; ok {
946 // We're already in the process of importing this typeparam.
947 return t
948 }
949 // Otherwise, import the definition of the typeparam now.
950 r.p.doDecl(pkg, name)
951 return r.p.tparamIndex[id]
952
Robert Findley02e52382021-09-14 20:46:30 -0400953 case instanceType:
Robert Findleyfc8b4ca2021-10-22 11:32:16 -0400954 if r.p.version < iexportVersionGenerics {
Robert Findley0cffec92021-09-14 13:07:03 -0400955 errorf("unexpected instantiation type")
956 }
957 // pos does not matter for instances: they are positioned on the original
958 // type.
959 _ = r.pos()
960 len := r.uint64()
961 targs := make([]types.Type, len)
962 for i := range targs {
963 targs[i] = r.typ()
964 }
965 baseType := r.typ()
966 // The imported instantiated type doesn't include any methods, so
967 // we must always use the methods of the base (orig) type.
968 // TODO provide a non-nil *Environment
969 t, _ := typeparams.Instantiate(nil, baseType, targs, false)
Rob Findley07bfcd42023-07-25 10:44:06 -0400970
971 // Workaround for golang/go#61561. See the doc for instanceList for details.
972 r.p.instanceList = append(r.p.instanceList, t)
Robert Findley0cffec92021-09-14 13:07:03 -0400973 return t
974
975 case unionType:
Robert Findleyfc8b4ca2021-10-22 11:32:16 -0400976 if r.p.version < iexportVersionGenerics {
Robert Findley0cffec92021-09-14 13:07:03 -0400977 errorf("unexpected instantiation type")
978 }
979 terms := make([]*typeparams.Term, r.uint64())
980 for i := range terms {
981 terms[i] = typeparams.NewTerm(r.bool(), r.typ())
982 }
983 return typeparams.NewUnion(terms)
Rebecca Stambler6e0e2182018-04-26 13:58:52 -0400984 }
985}
986
987func (r *importReader) kind() itag {
988 return itag(r.uint64())
989}
990
Rob Findley89d9fae2023-06-15 17:10:58 -0400991// objectPathObject is the inverse of exportWriter.objectPath.
992//
993// In shallow mode, certain fields and methods may need to be looked up in an
994// imported package. See the doc for exportWriter.objectPath for a full
995// explanation.
996func (r *importReader) objectPathObject() types.Object {
Rob Findley89d9fae2023-06-15 17:10:58 -0400997 objPath := objectpath.Path(r.string())
998 if objPath == "" {
999 return nil
1000 }
Rob Findley48026e12023-07-17 18:01:44 -04001001 pkg := r.pkg()
Rob Findley89d9fae2023-06-15 17:10:58 -04001002 obj, err := objectpath.Object(pkg, objPath)
1003 if err != nil {
1004 if r.p.reportf != nil {
1005 r.p.reportf("failed to find object for objectPath %q: %v", objPath, err)
1006 }
1007 }
1008 return obj
1009}
1010
Robert Findley21896842021-09-28 15:04:48 -04001011func (r *importReader) signature(recv *types.Var, rparams []*typeparams.TypeParam, tparams []*typeparams.TypeParam) *types.Signature {
Rebecca Stambler6e0e2182018-04-26 13:58:52 -04001012 params := r.paramList()
1013 results := r.paramList()
1014 variadic := params.Len() > 0 && r.bool()
Robert Findley21896842021-09-28 15:04:48 -04001015 return typeparams.NewSignatureType(recv, rparams, tparams, params, results, variadic)
Rebecca Stambler6e0e2182018-04-26 13:58:52 -04001016}
1017
Robert Findley0cffec92021-09-14 13:07:03 -04001018func (r *importReader) tparamList() []*typeparams.TypeParam {
1019 n := r.uint64()
1020 if n == 0 {
1021 return nil
1022 }
1023 xs := make([]*typeparams.TypeParam, n)
1024 for i := range xs {
1025 // Note: the standard library importer is tolerant of nil types here,
1026 // though would panic in SetTypeParams.
1027 xs[i] = r.typ().(*typeparams.TypeParam)
1028 }
1029 return xs
1030}
1031
Rebecca Stambler6e0e2182018-04-26 13:58:52 -04001032func (r *importReader) paramList() *types.Tuple {
1033 xs := make([]*types.Var, r.uint64())
1034 for i := range xs {
1035 xs[i] = r.param()
1036 }
1037 return types.NewTuple(xs...)
1038}
1039
1040func (r *importReader) param() *types.Var {
1041 pos := r.pos()
1042 name := r.ident()
1043 typ := r.typ()
1044 return types.NewParam(pos, r.currPkg, name, typ)
1045}
1046
1047func (r *importReader) bool() bool {
1048 return r.uint64() != 0
1049}
1050
1051func (r *importReader) int64() int64 {
1052 n, err := binary.ReadVarint(&r.declReader)
1053 if err != nil {
1054 errorf("readVarint: %v", err)
1055 }
1056 return n
1057}
1058
1059func (r *importReader) uint64() uint64 {
1060 n, err := binary.ReadUvarint(&r.declReader)
1061 if err != nil {
1062 errorf("readUvarint: %v", err)
1063 }
1064 return n
1065}
1066
1067func (r *importReader) byte() byte {
1068 x, err := r.declReader.ReadByte()
1069 if err != nil {
1070 errorf("declReader.ReadByte: %v", err)
1071 }
1072 return x
1073}
Robert Findley0cffec92021-09-14 13:07:03 -04001074
1075func baseType(typ types.Type) *types.Named {
1076 // pointer receivers are never types.Named types
1077 if p, _ := typ.(*types.Pointer); p != nil {
1078 typ = p.Elem()
1079 }
1080 // receiver base types are always (possibly generic) types.Named types
1081 n, _ := typ.(*types.Named)
1082 return n
1083}