1
2
3
4
5 package modindex
6
7 import (
8 "bytes"
9 "encoding/binary"
10 "errors"
11 "fmt"
12 "go/build"
13 "go/build/constraint"
14 "go/token"
15 "internal/godebug"
16 "internal/goroot"
17 "path"
18 "path/filepath"
19 "runtime"
20 "runtime/debug"
21 "sort"
22 "strings"
23 "sync"
24 "time"
25 "unsafe"
26
27 "cmd/go/internal/base"
28 "cmd/go/internal/cache"
29 "cmd/go/internal/cfg"
30 "cmd/go/internal/fsys"
31 "cmd/go/internal/imports"
32 "cmd/go/internal/str"
33 "cmd/internal/par"
34 )
35
36
37 var enabled = godebug.New("#goindex").Value() != "0"
38
39
40
41
42 type Module struct {
43 modroot string
44 d *decoder
45 n int
46 }
47
48
49
50 func moduleHash(modroot string, ismodcache bool) (cache.ActionID, error) {
51
52
53
54 if !ismodcache {
55
56
57
58
59
60
61
62
63
64
65
66 return cache.ActionID{}, ErrNotIndexed
67 }
68
69 h := cache.NewHash("moduleIndex")
70
71
72
73
74 fmt.Fprintf(h, "module index %s %s %v\n", runtime.Version(), indexVersion, modroot)
75 return h.Sum(), nil
76 }
77
78 const modTimeCutoff = 2 * time.Second
79
80
81
82 func dirHash(modroot, pkgdir string) (cache.ActionID, error) {
83 h := cache.NewHash("moduleIndex")
84 fmt.Fprintf(h, "modroot %s\n", modroot)
85 fmt.Fprintf(h, "package %s %s %v\n", runtime.Version(), indexVersion, pkgdir)
86 dirs, err := fsys.ReadDir(pkgdir)
87 if err != nil {
88
89 return cache.ActionID{}, ErrNotIndexed
90 }
91 cutoff := time.Now().Add(-modTimeCutoff)
92 for _, d := range dirs {
93 if d.IsDir() {
94 continue
95 }
96
97 if !d.Type().IsRegular() {
98 return cache.ActionID{}, ErrNotIndexed
99 }
100
101
102
103
104
105
106
107
108 info, err := d.Info()
109 if err != nil {
110 return cache.ActionID{}, ErrNotIndexed
111 }
112 if info.ModTime().After(cutoff) {
113 return cache.ActionID{}, ErrNotIndexed
114 }
115
116 fmt.Fprintf(h, "file %v %v %v\n", info.Name(), info.ModTime(), info.Size())
117 }
118 return h.Sum(), nil
119 }
120
121 var ErrNotIndexed = errors.New("not in module index")
122
123 var (
124 errDisabled = fmt.Errorf("%w: module indexing disabled", ErrNotIndexed)
125 errNotFromModuleCache = fmt.Errorf("%w: not from module cache", ErrNotIndexed)
126 errFIPS140 = fmt.Errorf("%w: fips140 snapshots not indexed", ErrNotIndexed)
127 )
128
129
130
131
132
133 func GetPackage(modroot, pkgdir string) (*IndexPackage, error) {
134 mi, err := GetModule(modroot)
135 if err == nil {
136 return mi.Package(relPath(pkgdir, modroot)), nil
137 }
138 if !errors.Is(err, errNotFromModuleCache) {
139 return nil, err
140 }
141 if cfg.BuildContext.Compiler == "gccgo" && str.HasPathPrefix(modroot, cfg.GOROOTsrc) {
142 return nil, err
143 }
144
145
146 if strings.Contains(filepath.ToSlash(pkgdir), "internal/fips140/v") {
147 return nil, errFIPS140
148 }
149 return openIndexPackage(modroot, pkgdir)
150 }
151
152
153
154
155
156 func GetModule(modroot string) (*Module, error) {
157 dir, _ := cache.DefaultDir()
158 if !enabled || dir == "off" {
159 return nil, errDisabled
160 }
161 if modroot == "" {
162 panic("modindex.GetPackage called with empty modroot")
163 }
164 if cfg.BuildMod == "vendor" {
165
166
167
168 return nil, errNotFromModuleCache
169 }
170 modroot = filepath.Clean(modroot)
171 if str.HasFilePathPrefix(modroot, cfg.GOROOTsrc) || !str.HasFilePathPrefix(modroot, cfg.GOMODCACHE) {
172 return nil, errNotFromModuleCache
173 }
174 return openIndexModule(modroot, true)
175 }
176
177 var mcache par.ErrCache[string, *Module]
178
179
180
181
182 func openIndexModule(modroot string, ismodcache bool) (*Module, error) {
183 return mcache.Do(modroot, func() (*Module, error) {
184 fsys.Trace("openIndexModule", modroot)
185 id, err := moduleHash(modroot, ismodcache)
186 if err != nil {
187 return nil, err
188 }
189 data, _, opened, err := cache.GetMmap(cache.Default(), id)
190 if err != nil {
191
192
193
194
195
196 data, err = indexModule(modroot)
197 if err != nil {
198 return nil, err
199 }
200 if runtime.GOOS != "windows" || !opened {
201 if err = cache.PutBytes(cache.Default(), id, data); err != nil {
202 return nil, err
203 }
204 }
205 }
206 mi, err := fromBytes(modroot, data)
207 if err != nil {
208 return nil, err
209 }
210 return mi, nil
211 })
212 }
213
214 var pcache par.ErrCache[[2]string, *IndexPackage]
215
216 func openIndexPackage(modroot, pkgdir string) (*IndexPackage, error) {
217 return pcache.Do([2]string{modroot, pkgdir}, func() (*IndexPackage, error) {
218 fsys.Trace("openIndexPackage", pkgdir)
219 id, err := dirHash(modroot, pkgdir)
220 if err != nil {
221 return nil, err
222 }
223 data, _, opened, err := cache.GetMmap(cache.Default(), id)
224 if err != nil {
225
226
227
228
229
230 data = indexPackage(modroot, pkgdir)
231 if runtime.GOOS != "windows" || !opened {
232 if err = cache.PutBytes(cache.Default(), id, data); err != nil {
233 return nil, err
234 }
235 }
236 }
237 pkg, err := packageFromBytes(modroot, data)
238 if err != nil {
239 return nil, err
240 }
241 return pkg, nil
242 })
243 }
244
245 var errCorrupt = errors.New("corrupt index")
246
247
248
249
250
251
252
253
254 func protect() bool {
255 return debug.SetPanicOnFault(true)
256 }
257
258 var isTest = false
259
260
261
262
263
264
265
266
267
268 func unprotect(old bool, errp *error) {
269
270
271
272 type addrer interface {
273 Addr() uintptr
274 }
275
276 debug.SetPanicOnFault(old)
277
278 if e := recover(); e != nil {
279 if _, ok := e.(addrer); ok || e == errCorrupt {
280
281 err := fmt.Errorf("error reading module index: %v", e)
282 if errp != nil {
283 *errp = err
284 return
285 }
286 if isTest {
287 panic(err)
288 }
289 base.Fatalf("%v", err)
290 }
291
292 panic(e)
293 }
294 }
295
296
297 func fromBytes(moddir string, data []byte) (m *Module, err error) {
298 if !enabled {
299 panic("use of index")
300 }
301
302 defer unprotect(protect(), &err)
303
304 if !bytes.HasPrefix(data, []byte(indexVersion+"\n")) {
305 return nil, errCorrupt
306 }
307
308 const hdr = len(indexVersion + "\n")
309 d := &decoder{data: data}
310 str := d.intAt(hdr)
311 if str < hdr+8 || len(d.data) < str {
312 return nil, errCorrupt
313 }
314 d.data, d.str = data[:str], d.data[str:]
315
316
317
318
319 if len(d.str) == 0 || d.str[0] != 0 || d.str[len(d.str)-1] != 0xFF {
320 return nil, errCorrupt
321 }
322
323 n := d.intAt(hdr + 4)
324 if n < 0 || n > (len(d.data)-8)/8 {
325 return nil, errCorrupt
326 }
327
328 m = &Module{
329 moddir,
330 d,
331 n,
332 }
333 return m, nil
334 }
335
336
337 func packageFromBytes(modroot string, data []byte) (p *IndexPackage, err error) {
338 m, err := fromBytes(modroot, data)
339 if err != nil {
340 return nil, err
341 }
342 if m.n != 1 {
343 return nil, fmt.Errorf("corrupt single-package index")
344 }
345 return m.pkg(0), nil
346 }
347
348
349 func (m *Module) pkgDir(i int) string {
350 if i < 0 || i >= m.n {
351 panic(errCorrupt)
352 }
353 return m.d.stringAt(12 + 8 + 8*i)
354 }
355
356
357 func (m *Module) pkgOff(i int) int {
358 if i < 0 || i >= m.n {
359 panic(errCorrupt)
360 }
361 return m.d.intAt(12 + 8 + 8*i + 4)
362 }
363
364
365 func (m *Module) Walk(f func(path string)) {
366 defer unprotect(protect(), nil)
367 for i := 0; i < m.n; i++ {
368 f(m.pkgDir(i))
369 }
370 }
371
372
373 func relPath(path, modroot string) string {
374 return str.TrimFilePathPrefix(filepath.Clean(path), filepath.Clean(modroot))
375 }
376
377 var installgorootAll = godebug.New("installgoroot").Value() == "all"
378
379
380 func (rp *IndexPackage) Import(bctxt build.Context, mode build.ImportMode) (p *build.Package, err error) {
381 defer unprotect(protect(), &err)
382
383 ctxt := (*Context)(&bctxt)
384
385 p = &build.Package{}
386
387 p.ImportPath = "."
388 p.Dir = filepath.Join(rp.modroot, rp.dir)
389
390 var pkgerr error
391 switch ctxt.Compiler {
392 case "gccgo", "gc":
393 default:
394
395 pkgerr = fmt.Errorf("import %q: unknown compiler %q", p.Dir, ctxt.Compiler)
396 }
397
398 if p.Dir == "" {
399 return p, fmt.Errorf("import %q: import of unknown directory", p.Dir)
400 }
401
402
403 inTestdata := func(sub string) bool {
404 return strings.Contains(sub, "/testdata/") || strings.HasSuffix(sub, "/testdata") || str.HasPathPrefix(sub, "testdata")
405 }
406 var pkga string
407 if !inTestdata(rp.dir) {
408
409
410
411
412 if ctxt.GOROOT != "" && str.HasFilePathPrefix(p.Dir, cfg.GOROOTsrc) && p.Dir != cfg.GOROOTsrc {
413 p.Root = ctxt.GOROOT
414 p.Goroot = true
415 modprefix := str.TrimFilePathPrefix(rp.modroot, cfg.GOROOTsrc)
416 p.ImportPath = rp.dir
417 if modprefix != "" {
418 p.ImportPath = filepath.Join(modprefix, p.ImportPath)
419 }
420
421
422
423
424 var pkgtargetroot string
425 suffix := ""
426 if ctxt.InstallSuffix != "" {
427 suffix = "_" + ctxt.InstallSuffix
428 }
429 switch ctxt.Compiler {
430 case "gccgo":
431 pkgtargetroot = "pkg/gccgo_" + ctxt.GOOS + "_" + ctxt.GOARCH + suffix
432 dir, elem := path.Split(p.ImportPath)
433 pkga = pkgtargetroot + "/" + dir + "lib" + elem + ".a"
434 case "gc":
435 pkgtargetroot = "pkg/" + ctxt.GOOS + "_" + ctxt.GOARCH + suffix
436 pkga = pkgtargetroot + "/" + p.ImportPath + ".a"
437 }
438 p.SrcRoot = ctxt.joinPath(p.Root, "src")
439 p.PkgRoot = ctxt.joinPath(p.Root, "pkg")
440 p.BinDir = ctxt.joinPath(p.Root, "bin")
441 if pkga != "" {
442
443
444 p.PkgTargetRoot = ctxt.joinPath(p.Root, pkgtargetroot)
445
446
447 if !p.Goroot || (installgorootAll && p.ImportPath != "unsafe" && p.ImportPath != "builtin") {
448 p.PkgObj = ctxt.joinPath(p.Root, pkga)
449 }
450 }
451 }
452 }
453
454 if rp.error != nil {
455 if errors.Is(rp.error, errCannotFindPackage) && ctxt.Compiler == "gccgo" && p.Goroot {
456 return p, nil
457 }
458 return p, rp.error
459 }
460
461 if mode&build.FindOnly != 0 {
462 return p, pkgerr
463 }
464
465
466 var badGoError error
467 badGoFiles := make(map[string]bool)
468 badGoFile := func(name string, err error) {
469 if badGoError == nil {
470 badGoError = err
471 }
472 if !badGoFiles[name] {
473 p.InvalidGoFiles = append(p.InvalidGoFiles, name)
474 badGoFiles[name] = true
475 }
476 }
477
478 var Sfiles []string
479 var firstFile string
480 embedPos := make(map[string][]token.Position)
481 testEmbedPos := make(map[string][]token.Position)
482 xTestEmbedPos := make(map[string][]token.Position)
483 importPos := make(map[string][]token.Position)
484 testImportPos := make(map[string][]token.Position)
485 xTestImportPos := make(map[string][]token.Position)
486 allTags := make(map[string]bool)
487 for _, tf := range rp.sourceFiles {
488 name := tf.name()
489
490
491 if strings.HasSuffix(name, ".go") {
492 if error := tf.error(); error != "" {
493 badGoFile(name, errors.New(tf.error()))
494 continue
495 } else if parseError := tf.parseError(); parseError != "" {
496 badGoFile(name, parseErrorFromString(tf.parseError()))
497
498 }
499 }
500
501 var shouldBuild = true
502 if !ctxt.goodOSArchFile(name, allTags) && !ctxt.UseAllFiles {
503 shouldBuild = false
504 } else if goBuildConstraint := tf.goBuildConstraint(); goBuildConstraint != "" {
505 x, err := constraint.Parse(goBuildConstraint)
506 if err != nil {
507 return p, fmt.Errorf("%s: parsing //go:build line: %v", name, err)
508 }
509 shouldBuild = ctxt.eval(x, allTags)
510 } else if plusBuildConstraints := tf.plusBuildConstraints(); len(plusBuildConstraints) > 0 {
511 for _, text := range plusBuildConstraints {
512 if x, err := constraint.Parse(text); err == nil {
513 if !ctxt.eval(x, allTags) {
514 shouldBuild = false
515 }
516 }
517 }
518 }
519
520 ext := nameExt(name)
521 if !shouldBuild || tf.ignoreFile() {
522 if ext == ".go" {
523 p.IgnoredGoFiles = append(p.IgnoredGoFiles, name)
524 } else if fileListForExt(p, ext) != nil {
525 p.IgnoredOtherFiles = append(p.IgnoredOtherFiles, name)
526 }
527 continue
528 }
529
530
531 switch ext {
532 case ".go":
533
534 case ".S", ".sx":
535
536 Sfiles = append(Sfiles, name)
537 continue
538 default:
539 if list := fileListForExt(p, ext); list != nil {
540 *list = append(*list, name)
541 }
542 continue
543 }
544
545 pkg := tf.pkgName()
546 if pkg == "documentation" {
547 p.IgnoredGoFiles = append(p.IgnoredGoFiles, name)
548 continue
549 }
550 isTest := strings.HasSuffix(name, "_test.go")
551 isXTest := false
552 if isTest && strings.HasSuffix(tf.pkgName(), "_test") && p.Name != tf.pkgName() {
553 isXTest = true
554 pkg = pkg[:len(pkg)-len("_test")]
555 }
556
557 if !isTest && tf.binaryOnly() {
558 p.BinaryOnly = true
559 }
560
561 if p.Name == "" {
562 p.Name = pkg
563 firstFile = name
564 } else if pkg != p.Name {
565
566
567
568 badGoFile(name, &MultiplePackageError{
569 Dir: p.Dir,
570 Packages: []string{p.Name, pkg},
571 Files: []string{firstFile, name},
572 })
573 }
574
575 if p.Doc == "" && !isTest && !isXTest {
576 if synopsis := tf.synopsis(); synopsis != "" {
577 p.Doc = synopsis
578 }
579 }
580
581
582 isCgo := false
583 imports := tf.imports()
584 for _, imp := range imports {
585 if imp.path == "C" {
586 if isTest {
587 badGoFile(name, fmt.Errorf("use of cgo in test %s not supported", name))
588 continue
589 }
590 isCgo = true
591 }
592 }
593 if directives := tf.cgoDirectives(); directives != "" {
594 if err := ctxt.saveCgo(name, p, directives); err != nil {
595 badGoFile(name, err)
596 }
597 }
598
599 var fileList *[]string
600 var importMap, embedMap map[string][]token.Position
601 var directives *[]build.Directive
602 switch {
603 case isCgo:
604 allTags["cgo"] = true
605 if ctxt.CgoEnabled {
606 fileList = &p.CgoFiles
607 importMap = importPos
608 embedMap = embedPos
609 directives = &p.Directives
610 } else {
611
612 fileList = &p.IgnoredGoFiles
613 }
614 case isXTest:
615 fileList = &p.XTestGoFiles
616 importMap = xTestImportPos
617 embedMap = xTestEmbedPos
618 directives = &p.XTestDirectives
619 case isTest:
620 fileList = &p.TestGoFiles
621 importMap = testImportPos
622 embedMap = testEmbedPos
623 directives = &p.TestDirectives
624 default:
625 fileList = &p.GoFiles
626 importMap = importPos
627 embedMap = embedPos
628 directives = &p.Directives
629 }
630 *fileList = append(*fileList, name)
631 if importMap != nil {
632 for _, imp := range imports {
633 importMap[imp.path] = append(importMap[imp.path], imp.position)
634 }
635 }
636 if embedMap != nil {
637 for _, e := range tf.embeds() {
638 embedMap[e.pattern] = append(embedMap[e.pattern], e.position)
639 }
640 }
641 if directives != nil {
642 *directives = append(*directives, tf.directives()...)
643 }
644 }
645
646 p.EmbedPatterns, p.EmbedPatternPos = cleanDecls(embedPos)
647 p.TestEmbedPatterns, p.TestEmbedPatternPos = cleanDecls(testEmbedPos)
648 p.XTestEmbedPatterns, p.XTestEmbedPatternPos = cleanDecls(xTestEmbedPos)
649
650 p.Imports, p.ImportPos = cleanDecls(importPos)
651 p.TestImports, p.TestImportPos = cleanDecls(testImportPos)
652 p.XTestImports, p.XTestImportPos = cleanDecls(xTestImportPos)
653
654 for tag := range allTags {
655 p.AllTags = append(p.AllTags, tag)
656 }
657 sort.Strings(p.AllTags)
658
659 if len(p.CgoFiles) > 0 {
660 p.SFiles = append(p.SFiles, Sfiles...)
661 sort.Strings(p.SFiles)
662 } else {
663 p.IgnoredOtherFiles = append(p.IgnoredOtherFiles, Sfiles...)
664 sort.Strings(p.IgnoredOtherFiles)
665 }
666
667 if badGoError != nil {
668 return p, badGoError
669 }
670 if len(p.GoFiles)+len(p.CgoFiles)+len(p.TestGoFiles)+len(p.XTestGoFiles) == 0 {
671 return p, &build.NoGoError{Dir: p.Dir}
672 }
673 return p, pkgerr
674 }
675
676
677
678
679 func IsStandardPackage(goroot_, compiler, path string) bool {
680 if !enabled || compiler != "gc" {
681 return goroot.IsStandardPackage(goroot_, compiler, path)
682 }
683
684 reldir := filepath.FromSlash(path)
685 modroot := filepath.Join(goroot_, "src")
686 if str.HasFilePathPrefix(reldir, "cmd") {
687 reldir = str.TrimFilePathPrefix(reldir, "cmd")
688 modroot = filepath.Join(modroot, "cmd")
689 }
690 if pkg, err := GetPackage(modroot, filepath.Join(modroot, reldir)); err == nil {
691 hasGo, err := pkg.IsGoDir()
692 return err == nil && hasGo
693 } else if errors.Is(err, ErrNotIndexed) {
694
695
696 return goroot.IsStandardPackage(goroot_, compiler, path)
697 }
698 return false
699 }
700
701
702 func (rp *IndexPackage) IsGoDir() (_ bool, err error) {
703 defer func() {
704 if e := recover(); e != nil {
705 err = fmt.Errorf("error reading module index: %v", e)
706 }
707 }()
708 for _, sf := range rp.sourceFiles {
709 if strings.HasSuffix(sf.name(), ".go") {
710 return true, nil
711 }
712 }
713 return false, nil
714 }
715
716
717 func (rp *IndexPackage) ScanDir(tags map[string]bool) (sortedImports []string, sortedTestImports []string, err error) {
718
719
720
721 defer func() {
722 if e := recover(); e != nil {
723 err = fmt.Errorf("error reading module index: %v", e)
724 }
725 }()
726
727 imports_ := make(map[string]bool)
728 testImports := make(map[string]bool)
729 numFiles := 0
730
731 Files:
732 for _, sf := range rp.sourceFiles {
733 name := sf.name()
734 if strings.HasPrefix(name, "_") || strings.HasPrefix(name, ".") || !strings.HasSuffix(name, ".go") || !imports.MatchFile(name, tags) {
735 continue
736 }
737
738
739
740
741
742
743
744
745
746
747
748
749 imps := sf.imports()
750 for _, imp := range imps {
751 if imp.path == "C" && !tags["cgo"] && !tags["*"] {
752 continue Files
753 }
754 }
755
756 if !shouldBuild(sf, tags) {
757 continue
758 }
759 numFiles++
760 m := imports_
761 if strings.HasSuffix(name, "_test.go") {
762 m = testImports
763 }
764 for _, p := range imps {
765 m[p.path] = true
766 }
767 }
768 if numFiles == 0 {
769 return nil, nil, imports.ErrNoGo
770 }
771 return keys(imports_), keys(testImports), nil
772 }
773
774 func keys(m map[string]bool) []string {
775 list := make([]string, 0, len(m))
776 for k := range m {
777 list = append(list, k)
778 }
779 sort.Strings(list)
780 return list
781 }
782
783
784 func shouldBuild(sf *sourceFile, tags map[string]bool) bool {
785 if goBuildConstraint := sf.goBuildConstraint(); goBuildConstraint != "" {
786 x, err := constraint.Parse(goBuildConstraint)
787 if err != nil {
788 return false
789 }
790 return imports.Eval(x, tags, true)
791 }
792
793 plusBuildConstraints := sf.plusBuildConstraints()
794 for _, text := range plusBuildConstraints {
795 if x, err := constraint.Parse(text); err == nil {
796 if !imports.Eval(x, tags, true) {
797 return false
798 }
799 }
800 }
801
802 return true
803 }
804
805
806
807 type IndexPackage struct {
808 error error
809 dir string
810
811 modroot string
812
813
814 sourceFiles []*sourceFile
815 }
816
817 var errCannotFindPackage = errors.New("cannot find package")
818
819
820
821
822 func (m *Module) Package(path string) *IndexPackage {
823 defer unprotect(protect(), nil)
824
825 i, ok := sort.Find(m.n, func(i int) int {
826 return strings.Compare(path, m.pkgDir(i))
827 })
828 if !ok {
829 return &IndexPackage{error: fmt.Errorf("%w %q in:\n\t%s", errCannotFindPackage, path, filepath.Join(m.modroot, path))}
830 }
831 return m.pkg(i)
832 }
833
834
835 func (m *Module) pkg(i int) *IndexPackage {
836 r := m.d.readAt(m.pkgOff(i))
837 p := new(IndexPackage)
838 if errstr := r.string(); errstr != "" {
839 p.error = errors.New(errstr)
840 }
841 p.dir = r.string()
842 p.sourceFiles = make([]*sourceFile, r.int())
843 for i := range p.sourceFiles {
844 p.sourceFiles[i] = &sourceFile{
845 d: m.d,
846 pos: r.int(),
847 }
848 }
849 p.modroot = m.modroot
850 return p
851 }
852
853
854 type sourceFile struct {
855 d *decoder
856 pos int
857 onceReadImports sync.Once
858 savedImports []rawImport
859 }
860
861
862 const (
863 sourceFileError = 4 * iota
864 sourceFileParseError
865 sourceFileSynopsis
866 sourceFileName
867 sourceFilePkgName
868 sourceFileIgnoreFile
869 sourceFileBinaryOnly
870 sourceFileCgoDirectives
871 sourceFileGoBuildConstraint
872 sourceFileNumPlusBuildConstraints
873 )
874
875 func (sf *sourceFile) error() string {
876 return sf.d.stringAt(sf.pos + sourceFileError)
877 }
878 func (sf *sourceFile) parseError() string {
879 return sf.d.stringAt(sf.pos + sourceFileParseError)
880 }
881 func (sf *sourceFile) synopsis() string {
882 return sf.d.stringAt(sf.pos + sourceFileSynopsis)
883 }
884 func (sf *sourceFile) name() string {
885 return sf.d.stringAt(sf.pos + sourceFileName)
886 }
887 func (sf *sourceFile) pkgName() string {
888 return sf.d.stringAt(sf.pos + sourceFilePkgName)
889 }
890 func (sf *sourceFile) ignoreFile() bool {
891 return sf.d.boolAt(sf.pos + sourceFileIgnoreFile)
892 }
893 func (sf *sourceFile) binaryOnly() bool {
894 return sf.d.boolAt(sf.pos + sourceFileBinaryOnly)
895 }
896 func (sf *sourceFile) cgoDirectives() string {
897 return sf.d.stringAt(sf.pos + sourceFileCgoDirectives)
898 }
899 func (sf *sourceFile) goBuildConstraint() string {
900 return sf.d.stringAt(sf.pos + sourceFileGoBuildConstraint)
901 }
902
903 func (sf *sourceFile) plusBuildConstraints() []string {
904 pos := sf.pos + sourceFileNumPlusBuildConstraints
905 n := sf.d.intAt(pos)
906 pos += 4
907 ret := make([]string, n)
908 for i := 0; i < n; i++ {
909 ret[i] = sf.d.stringAt(pos)
910 pos += 4
911 }
912 return ret
913 }
914
915 func (sf *sourceFile) importsOffset() int {
916 pos := sf.pos + sourceFileNumPlusBuildConstraints
917 n := sf.d.intAt(pos)
918
919 return pos + 4 + n*4
920 }
921
922 func (sf *sourceFile) embedsOffset() int {
923 pos := sf.importsOffset()
924 n := sf.d.intAt(pos)
925
926 return pos + 4 + n*(4*5)
927 }
928
929 func (sf *sourceFile) directivesOffset() int {
930 pos := sf.embedsOffset()
931 n := sf.d.intAt(pos)
932
933 return pos + 4 + n*(4*5)
934 }
935
936 func (sf *sourceFile) imports() []rawImport {
937 sf.onceReadImports.Do(func() {
938 importsOffset := sf.importsOffset()
939 r := sf.d.readAt(importsOffset)
940 numImports := r.int()
941 ret := make([]rawImport, numImports)
942 for i := 0; i < numImports; i++ {
943 ret[i] = rawImport{r.string(), r.tokpos()}
944 }
945 sf.savedImports = ret
946 })
947 return sf.savedImports
948 }
949
950 func (sf *sourceFile) embeds() []embed {
951 embedsOffset := sf.embedsOffset()
952 r := sf.d.readAt(embedsOffset)
953 numEmbeds := r.int()
954 ret := make([]embed, numEmbeds)
955 for i := range ret {
956 ret[i] = embed{r.string(), r.tokpos()}
957 }
958 return ret
959 }
960
961 func (sf *sourceFile) directives() []build.Directive {
962 directivesOffset := sf.directivesOffset()
963 r := sf.d.readAt(directivesOffset)
964 numDirectives := r.int()
965 ret := make([]build.Directive, numDirectives)
966 for i := range ret {
967 ret[i] = build.Directive{Text: r.string(), Pos: r.tokpos()}
968 }
969 return ret
970 }
971
972 func asString(b []byte) string {
973 return unsafe.String(unsafe.SliceData(b), len(b))
974 }
975
976
977 type decoder struct {
978 data []byte
979 str []byte
980 }
981
982
983 func (d *decoder) intAt(off int) int {
984 if off < 0 || len(d.data)-off < 4 {
985 panic(errCorrupt)
986 }
987 i := binary.LittleEndian.Uint32(d.data[off : off+4])
988 if int32(i)>>31 != 0 {
989 panic(errCorrupt)
990 }
991 return int(i)
992 }
993
994
995 func (d *decoder) boolAt(off int) bool {
996 return d.intAt(off) != 0
997 }
998
999
1000 func (d *decoder) stringAt(off int) string {
1001 return d.stringTableAt(d.intAt(off))
1002 }
1003
1004
1005 func (d *decoder) stringTableAt(off int) string {
1006 if off < 0 || off >= len(d.str) {
1007 panic(errCorrupt)
1008 }
1009 s := d.str[off:]
1010 v, n := binary.Uvarint(s)
1011 if n <= 0 || v > uint64(len(s[n:])) {
1012 panic(errCorrupt)
1013 }
1014 return asString(s[n : n+int(v)])
1015 }
1016
1017
1018 type reader struct {
1019 d *decoder
1020 pos int
1021 }
1022
1023
1024 func (d *decoder) readAt(pos int) *reader {
1025 return &reader{d, pos}
1026 }
1027
1028
1029 func (r *reader) int() int {
1030 i := r.d.intAt(r.pos)
1031 r.pos += 4
1032 return i
1033 }
1034
1035
1036 func (r *reader) string() string {
1037 return r.d.stringTableAt(r.int())
1038 }
1039
1040
1041 func (r *reader) bool() bool {
1042 return r.int() != 0
1043 }
1044
1045
1046 func (r *reader) tokpos() token.Position {
1047 return token.Position{
1048 Filename: r.string(),
1049 Offset: r.int(),
1050 Line: r.int(),
1051 Column: r.int(),
1052 }
1053 }
1054
View as plain text