Source file src/cmd/go/internal/modindex/read.go

     1  // Copyright 2022 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 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  // enabled is used to flag off the behavior of the module index on tip, for debugging.
    37  var enabled = godebug.New("#goindex").Value() != "0"
    38  
    39  // Module represents and encoded module index file. It is used to
    40  // do the equivalent of build.Import of packages in the module and answer other
    41  // questions based on the index file's data.
    42  type Module struct {
    43  	modroot string
    44  	d       *decoder
    45  	n       int // number of packages
    46  }
    47  
    48  // moduleHash returns an ActionID corresponding to the state of the module
    49  // located at filesystem path modroot.
    50  func moduleHash(modroot string, ismodcache bool) (cache.ActionID, error) {
    51  	// We expect modules stored within the module cache to be checksummed and
    52  	// immutable, and we expect released modules within GOROOT to change only
    53  	// infrequently (when the Go version changes).
    54  	if !ismodcache {
    55  		// The contents of this module may change over time. We don't want to pay
    56  		// the cost to detect changes and re-index whenever they occur, so just
    57  		// don't index it at all.
    58  		//
    59  		// Note that this is true even for modules in GOROOT/src: non-release builds
    60  		// of the Go toolchain may have arbitrary development changes on top of the
    61  		// commit reported by runtime.Version, or could be completely artificial due
    62  		// to lacking a `git` binary (like "devel gomote.XXXXX", as synthesized by
    63  		// "gomote push" as of 2022-06-15). (Release builds shouldn't have
    64  		// modifications, but we don't want to use a behavior for releases that we
    65  		// haven't tested during development.)
    66  		return cache.ActionID{}, ErrNotIndexed
    67  	}
    68  
    69  	h := cache.NewHash("moduleIndex")
    70  	// TODO(bcmills): Since modules in the index are checksummed, we could
    71  	// probably improve the cache hit rate by keying off of the module
    72  	// path@version (perhaps including the checksum?) instead of the module root
    73  	// directory.
    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  // dirHash returns an ActionID corresponding to the state of the package
    81  // located at filesystem path pkgdir.
    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  		// pkgdir might not be a directory. give up on hashing.
    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  		// To avoid problems for very recent files where a new
   101  		// write might not change the mtime due to file system
   102  		// mtime precision, reject caching if a file was read that
   103  		// is less than modTimeCutoff old.
   104  		//
   105  		// This is the same strategy used for hashing test inputs.
   106  		// See hashOpen in cmd/go/internal/test/test.go for the
   107  		// corresponding code.
   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  // GetPackage returns the IndexPackage for the directory at the given path.
   130  // It will return ErrNotIndexed if the directory should be read without
   131  // using the index, for instance because the index is disabled, or the package
   132  // is not in a module.
   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 // gccgo has no sources for GOROOT packages.
   143  	}
   144  	// The pkgdir for fips140 has been replaced in the fsys overlay,
   145  	// but the module index does not see that. Do not try to use the module index.
   146  	if strings.Contains(filepath.ToSlash(pkgdir), "internal/fips140/v") {
   147  		return nil, errFIPS140
   148  	}
   149  	return openIndexPackage(modroot, pkgdir)
   150  }
   151  
   152  // GetModule returns the Module for the given modroot.
   153  // It will return ErrNotIndexed if the directory should be read without
   154  // using the index, for instance because the index is disabled, or the package
   155  // is not in a module.
   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  		// Even if the main module is in the module cache,
   166  		// its vendored dependencies are not loaded from their
   167  		// usual cached locations.
   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  // openIndexModule returns the module index for modPath.
   180  // It will return ErrNotIndexed if the module can not be read
   181  // using the index because it contains symlinks.
   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  			// Couldn't read from modindex. Assume we couldn't read from
   192  			// the index because the module hasn't been indexed yet.
   193  			// But double check on Windows that we haven't opened the file yet,
   194  			// because once mmap opens the file, we can't close it, and
   195  			// Windows won't let us open an already opened file.
   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  			// Couldn't read from index. Assume we couldn't read from
   226  			// the index because the package hasn't been indexed yet.
   227  			// But double check on Windows that we haven't opened the file yet,
   228  			// because once mmap opens the file, we can't close it, and
   229  			// Windows won't let us open an already opened file.
   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  // protect marks the start of a large section of code that accesses the index.
   248  // It should be used as:
   249  //
   250  //	defer unprotect(protect, &err)
   251  //
   252  // It should not be used for trivial accesses which would be
   253  // dwarfed by the overhead of the defer.
   254  func protect() bool {
   255  	return debug.SetPanicOnFault(true)
   256  }
   257  
   258  var isTest = false
   259  
   260  // unprotect marks the end of a large section of code that accesses the index.
   261  // It should be used as:
   262  //
   263  //	defer unprotect(protect, &err)
   264  //
   265  // end looks for panics due to errCorrupt or bad mmap accesses.
   266  // When it finds them, it adds explanatory text, consumes the panic, and sets *errp instead.
   267  // If errp is nil, end adds the explanatory text but then calls base.Fatalf.
   268  func unprotect(old bool, errp *error) {
   269  	// SetPanicOnFault's errors _may_ satisfy this interface. Even though it's not guaranteed
   270  	// that all its errors satisfy this interface, we'll only check for these errors so that
   271  	// we don't suppress panics that could have been produced from other sources.
   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  			// This panic was almost certainly caused by SetPanicOnFault or our panic(errCorrupt).
   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  		// The panic was likely not caused by SetPanicOnFault.
   292  		panic(e)
   293  	}
   294  }
   295  
   296  // fromBytes returns a *Module given the encoded representation.
   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  	// Check that string table looks valid.
   316  	// First string is empty string (length 0),
   317  	// and we leave a marker byte 0xFF at the end
   318  	// just to make sure that the file is not truncated.
   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  // packageFromBytes returns a *IndexPackage given the encoded representation.
   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  // pkgDir returns the dir string of the i'th package in the index.
   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  // pkgOff returns the offset of the data for the i'th package in the index.
   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  // Walk calls f for each package in the index, passing the path to that package relative to the module root.
   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  // relPath returns the path relative to the module's root.
   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  // Import is the equivalent of build.Import given the information in Module.
   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  		// Save error for end of function.
   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  	// goroot and gopath
   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  		// In build.go, p.Root should only be set in the non-local-import case, or in
   409  		// GOROOT or GOPATH. Since module mode only calls Import with path set to "."
   410  		// and the module index doesn't apply outside modules, the GOROOT case is
   411  		// the only case where p.Root needs to be set.
   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  			// Set GOROOT-specific fields (sometimes for modules in a GOPATH directory).
   422  			// The fields set below (SrcRoot, PkgRoot, BinDir, PkgTargetRoot, and PkgObj)
   423  			// are only set in build.Import if p.Root != "".
   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  				// Always set PkgTargetRoot. It might be used when building in shared
   443  				// mode.
   444  				p.PkgTargetRoot = ctxt.joinPath(p.Root, pkgtargetroot)
   445  
   446  				// Set the install target if applicable.
   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  	// We need to do a second round of bad file processing.
   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 // files with ".S"(capital S)/.sx(capital s equivalent for case insensitive filesystems)
   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  		// Check errors for go files and call badGoFiles to put them in
   490  		// InvalidGoFiles if they do have an error.
   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  				// Fall through: we still want to list files with parse errors.
   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  		// Going to save the file. For non-Go files, can stop here.
   531  		switch ext {
   532  		case ".go":
   533  			// keep going
   534  		case ".S", ".sx":
   535  			// special case for cgo, handled at end
   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  			// TODO(#45999): The choice of p.Name is arbitrary based on file iteration
   566  			// order. Instead of resolving p.Name arbitrarily, we should clear out the
   567  			// existing Name and mark the existing files as also invalid.
   568  			badGoFile(name, &MultiplePackageError{
   569  				Dir:      p.Dir,
   570  				Packages: []string{p.Name, pkg},
   571  				Files:    []string{firstFile, name},
   572  			})
   573  		}
   574  		// Grab the first package comment as docs, provided it is not from a test file.
   575  		if p.Doc == "" && !isTest && !isXTest {
   576  			if synopsis := tf.synopsis(); synopsis != "" {
   577  				p.Doc = synopsis
   578  			}
   579  		}
   580  
   581  		// Record Imports and information about cgo.
   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  				// Ignore Imports and Embeds from cgo files if cgo is disabled.
   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  // IsStandardPackage reports whether path is a standard package
   677  // for the goroot and compiler using the module index if possible,
   678  // and otherwise falling back to internal/goroot.IsStandardPackage
   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) // relative dir path in module index for package
   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  		// Fall back because package isn't indexable. (Probably because
   695  		// a file was modified recently)
   696  		return goroot.IsStandardPackage(goroot_, compiler, path)
   697  	}
   698  	return false
   699  }
   700  
   701  // IsGoDir is the equivalent of fsys.IsGoDir using the information in the index.
   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  // ScanDir implements imports.ScanDir using the information in the index.
   717  func (rp *IndexPackage) ScanDir(tags map[string]bool) (sortedImports []string, sortedTestImports []string, err error) {
   718  	// TODO(matloob) dir should eventually be relative to indexed directory
   719  	// TODO(matloob): skip reading raw package and jump straight to data we need?
   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  		// The following section exists for backwards compatibility reasons:
   739  		// scanDir ignores files with import "C" when collecting the list
   740  		// of imports unless the "cgo" tag is provided. The following comment
   741  		// is copied from the original.
   742  		//
   743  		// import "C" is implicit requirement of cgo tag.
   744  		// When listing files on the command line (explicitFiles=true)
   745  		// we do not apply build tag filtering but we still do apply
   746  		// cgo filtering, so no explicitFiles check here.
   747  		// Why? Because we always have, and it's not worth breaking
   748  		// that behavior now.
   749  		imps := sf.imports() // TODO(matloob): directly read import paths to avoid the extra strings?
   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  // implements imports.ShouldBuild in terms of an index sourcefile.
   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  // IndexPackage holds the information in the index
   806  // needed to load a package in a specific directory.
   807  type IndexPackage struct {
   808  	error error
   809  	dir   string // directory of the package relative to the modroot
   810  
   811  	modroot string
   812  
   813  	// Source files
   814  	sourceFiles []*sourceFile
   815  }
   816  
   817  var errCannotFindPackage = errors.New("cannot find package")
   818  
   819  // Package and returns finds the package with the given path (relative to the module root).
   820  // If the package does not exist, Package returns an IndexPackage that will return an
   821  // appropriate error from its methods.
   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  // pkg returns the i'th IndexPackage in m.
   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  // sourceFile represents the information of a given source file in the module index.
   854  type sourceFile struct {
   855  	d               *decoder // encoding of this source file
   856  	pos             int      // start of sourceFile encoding in d
   857  	onceReadImports sync.Once
   858  	savedImports    []rawImport // saved imports so that they're only read once
   859  }
   860  
   861  // Offsets for fields in the sourceFile.
   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  	// each build constraint is 1 uint32
   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  	// each import is 5 uint32s (string + tokpos)
   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  	// each embed is 5 uint32s (string + tokpos)
   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  // A decoder helps decode the index format.
   977  type decoder struct {
   978  	data []byte // data after header
   979  	str  []byte // string table
   980  }
   981  
   982  // intAt returns the int at the given offset in d.data.
   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  // boolAt returns the bool at the given offset in d.data.
   995  func (d *decoder) boolAt(off int) bool {
   996  	return d.intAt(off) != 0
   997  }
   998  
   999  // stringAt returns the string pointed at by the int at the given offset in d.data.
  1000  func (d *decoder) stringAt(off int) string {
  1001  	return d.stringTableAt(d.intAt(off))
  1002  }
  1003  
  1004  // stringTableAt returns the string at the given offset in the string table d.str.
  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  // A reader reads sequential fields from a section of the index format.
  1018  type reader struct {
  1019  	d   *decoder
  1020  	pos int
  1021  }
  1022  
  1023  // readAt returns a reader starting at the given position in d.
  1024  func (d *decoder) readAt(pos int) *reader {
  1025  	return &reader{d, pos}
  1026  }
  1027  
  1028  // int reads the next int.
  1029  func (r *reader) int() int {
  1030  	i := r.d.intAt(r.pos)
  1031  	r.pos += 4
  1032  	return i
  1033  }
  1034  
  1035  // string reads the next string.
  1036  func (r *reader) string() string {
  1037  	return r.d.stringTableAt(r.int())
  1038  }
  1039  
  1040  // bool reads the next bool.
  1041  func (r *reader) bool() bool {
  1042  	return r.int() != 0
  1043  }
  1044  
  1045  // tokpos reads the next token.Position.
  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