Source file src/cmd/go/internal/modget/get.go

     1  // 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  // Package modget implements the module-aware “go get” command.
     6  package modget
     7  
     8  // The arguments to 'go get' are patterns with optional version queries, with
     9  // the version queries defaulting to "upgrade".
    10  //
    11  // The patterns are normally interpreted as package patterns. However, if a
    12  // pattern cannot match a package, it is instead interpreted as a *module*
    13  // pattern. For version queries such as "upgrade" and "patch" that depend on the
    14  // selected version of a module (or of the module containing a package),
    15  // whether a pattern denotes a package or module may change as updates are
    16  // applied (see the example in mod_get_patchmod.txt).
    17  //
    18  // There are a few other ambiguous cases to resolve, too. A package can exist in
    19  // two different modules at the same version: for example, the package
    20  // example.com/foo might be found in module example.com and also in module
    21  // example.com/foo, and those modules may have independent v0.1.0 tags — so the
    22  // input 'example.com/foo@v0.1.0' could syntactically refer to the variant of
    23  // the package loaded from either module! (See mod_get_ambiguous_pkg.txt.)
    24  // If the argument is ambiguous, the user can often disambiguate by specifying
    25  // explicit versions for *all* of the potential module paths involved.
    26  
    27  import (
    28  	"context"
    29  	"errors"
    30  	"fmt"
    31  	"os"
    32  	"path/filepath"
    33  	"runtime"
    34  	"sort"
    35  	"strconv"
    36  	"strings"
    37  	"sync"
    38  
    39  	"cmd/go/internal/base"
    40  	"cmd/go/internal/cfg"
    41  	"cmd/go/internal/gover"
    42  	"cmd/go/internal/imports"
    43  	"cmd/go/internal/modfetch"
    44  	"cmd/go/internal/modload"
    45  	"cmd/go/internal/search"
    46  	"cmd/go/internal/toolchain"
    47  	"cmd/go/internal/work"
    48  	"cmd/internal/par"
    49  
    50  	"golang.org/x/mod/modfile"
    51  	"golang.org/x/mod/module"
    52  )
    53  
    54  var CmdGet = &base.Command{
    55  	// Note: flags below are listed explicitly because they're the most common.
    56  	// Do not send CLs removing them because they're covered by [get flags].
    57  	UsageLine: "go get [-t] [-u] [-tool] [build flags] [packages]",
    58  	Short:     "add dependencies to current module and install them",
    59  	Long: `
    60  Get resolves its command-line arguments to packages at specific module versions,
    61  updates go.mod to require those versions, and downloads source code into the
    62  module cache.
    63  
    64  To add a dependency for a package or upgrade it to its latest version:
    65  
    66  	go get example.com/pkg
    67  
    68  To upgrade or downgrade a package to a specific version:
    69  
    70  	go get example.com/pkg@v1.2.3
    71  
    72  To remove a dependency on a module and downgrade modules that require it:
    73  
    74  	go get example.com/mod@none
    75  
    76  To upgrade the minimum required Go version to the latest released Go version:
    77  
    78  	go get go@latest
    79  
    80  To upgrade the Go toolchain to the latest patch release of the current Go toolchain:
    81  
    82  	go get toolchain@patch
    83  
    84  See https://golang.org/ref/mod#go-get for details.
    85  
    86  In earlier versions of Go, 'go get' was used to build and install packages.
    87  Now, 'go get' is dedicated to adjusting dependencies in go.mod. 'go install'
    88  may be used to build and install commands instead. When a version is specified,
    89  'go install' runs in module-aware mode and ignores the go.mod file in the
    90  current directory. For example:
    91  
    92  	go install example.com/pkg@v1.2.3
    93  	go install example.com/pkg@latest
    94  
    95  See 'go help install' or https://golang.org/ref/mod#go-install for details.
    96  
    97  'go get' accepts the following flags.
    98  
    99  The -t flag instructs get to consider modules needed to build tests of
   100  packages specified on the command line.
   101  
   102  The -u flag instructs get to update modules providing dependencies
   103  of packages named on the command line to use newer minor or patch
   104  releases when available.
   105  
   106  The -u=patch flag (not -u patch) also instructs get to update dependencies,
   107  but changes the default to select patch releases.
   108  
   109  When the -t and -u flags are used together, get will update
   110  test dependencies as well.
   111  
   112  The -tool flag instructs go to add a matching tool line to go.mod for each
   113  listed package. If -tool is used with @none, the line will be removed.
   114  
   115  The -x flag prints commands as they are executed. This is useful for
   116  debugging version control commands when a module is downloaded directly
   117  from a repository.
   118  
   119  For more about build flags, see 'go help build'.
   120  
   121  For more about modules, see https://golang.org/ref/mod.
   122  
   123  For more about using 'go get' to update the minimum Go version and
   124  suggested Go toolchain, see https://go.dev/doc/toolchain.
   125  
   126  For more about specifying packages, see 'go help packages'.
   127  
   128  See also: go build, go install, go clean, go mod.
   129  	`,
   130  }
   131  
   132  var HelpVCS = &base.Command{
   133  	UsageLine: "vcs",
   134  	Short:     "controlling version control with GOVCS",
   135  	Long: `
   136  The 'go get' command can run version control commands like git
   137  to download imported code. This functionality is critical to the decentralized
   138  Go package ecosystem, in which code can be imported from any server,
   139  but it is also a potential security problem, if a malicious server finds a
   140  way to cause the invoked version control command to run unintended code.
   141  
   142  To balance the functionality and security concerns, the 'go get' command
   143  by default will only use git and hg to download code from public servers.
   144  But it will use any known version control system (bzr, fossil, git, hg, svn)
   145  to download code from private servers, defined as those hosting packages
   146  matching the GOPRIVATE variable (see 'go help private'). The rationale behind
   147  allowing only Git and Mercurial is that these two systems have had the most
   148  attention to issues of being run as clients of untrusted servers. In contrast,
   149  Bazaar, Fossil, and Subversion have primarily been used in trusted,
   150  authenticated environments and are not as well scrutinized as attack surfaces.
   151  
   152  The version control command restrictions only apply when using direct version
   153  control access to download code. When downloading modules from a proxy,
   154  'go get' uses the proxy protocol instead, which is always permitted.
   155  By default, the 'go get' command uses the Go module mirror (proxy.golang.org)
   156  for public packages and only falls back to version control for private
   157  packages or when the mirror refuses to serve a public package (typically for
   158  legal reasons). Therefore, clients can still access public code served from
   159  Bazaar, Fossil, or Subversion repositories by default, because those downloads
   160  use the Go module mirror, which takes on the security risk of running the
   161  version control commands using a custom sandbox.
   162  
   163  The GOVCS variable can be used to change the allowed version control systems
   164  for specific packages (identified by a module or import path).
   165  The GOVCS variable applies when building package in both module-aware mode
   166  and GOPATH mode. When using modules, the patterns match against the module path.
   167  When using GOPATH, the patterns match against the import path corresponding to
   168  the root of the version control repository.
   169  
   170  The general form of the GOVCS setting is a comma-separated list of
   171  pattern:vcslist rules. The pattern is a glob pattern that must match
   172  one or more leading elements of the module or import path. The vcslist
   173  is a pipe-separated list of allowed version control commands, or "all"
   174  to allow use of any known command, or "off" to disallow all commands.
   175  Note that if a module matches a pattern with vcslist "off", it may still be
   176  downloaded if the origin server uses the "mod" scheme, which instructs the
   177  go command to download the module using the GOPROXY protocol.
   178  The earliest matching pattern in the list applies, even if later patterns
   179  might also match.
   180  
   181  For example, consider:
   182  
   183  	GOVCS=github.com:git,evil.com:off,*:git|hg
   184  
   185  With this setting, code with a module or import path beginning with
   186  github.com/ can only use git; paths on evil.com cannot use any version
   187  control command, and all other paths (* matches everything) can use
   188  only git or hg.
   189  
   190  The special patterns "public" and "private" match public and private
   191  module or import paths. A path is private if it matches the GOPRIVATE
   192  variable; otherwise it is public.
   193  
   194  If no rules in the GOVCS variable match a particular module or import path,
   195  the 'go get' command applies its default rule, which can now be summarized
   196  in GOVCS notation as 'public:git|hg,private:all'.
   197  
   198  To allow unfettered use of any version control system for any package, use:
   199  
   200  	GOVCS=*:all
   201  
   202  To disable all use of version control, use:
   203  
   204  	GOVCS=*:off
   205  
   206  The 'go env -w' command (see 'go help env') can be used to set the GOVCS
   207  variable for future go command invocations.
   208  `,
   209  }
   210  
   211  var (
   212  	getD        dFlag
   213  	getF        = CmdGet.Flag.Bool("f", false, "")
   214  	getFix      = CmdGet.Flag.Bool("fix", false, "")
   215  	getM        = CmdGet.Flag.Bool("m", false, "")
   216  	getT        = CmdGet.Flag.Bool("t", false, "")
   217  	getU        upgradeFlag
   218  	getTool     = CmdGet.Flag.Bool("tool", false, "")
   219  	getInsecure = CmdGet.Flag.Bool("insecure", false, "")
   220  )
   221  
   222  // upgradeFlag is a custom flag.Value for -u.
   223  type upgradeFlag struct {
   224  	rawVersion string
   225  	version    string
   226  }
   227  
   228  func (*upgradeFlag) IsBoolFlag() bool { return true } // allow -u
   229  
   230  func (v *upgradeFlag) Set(s string) error {
   231  	if s == "false" {
   232  		v.version = ""
   233  		v.rawVersion = ""
   234  	} else if s == "true" {
   235  		v.version = "upgrade"
   236  		v.rawVersion = ""
   237  	} else {
   238  		v.version = s
   239  		v.rawVersion = s
   240  	}
   241  	return nil
   242  }
   243  
   244  func (v *upgradeFlag) String() string { return "" }
   245  
   246  // dFlag is a custom flag.Value for the deprecated -d flag
   247  // which will be used to provide warnings or errors if -d
   248  // is provided.
   249  type dFlag struct {
   250  	value bool
   251  	set   bool
   252  }
   253  
   254  func (v *dFlag) IsBoolFlag() bool { return true }
   255  
   256  func (v *dFlag) Set(s string) error {
   257  	v.set = true
   258  	value, err := strconv.ParseBool(s)
   259  	if err != nil {
   260  		err = errors.New("parse error")
   261  	}
   262  	v.value = value
   263  	return err
   264  }
   265  
   266  func (b *dFlag) String() string { return "" }
   267  
   268  func init() {
   269  	work.AddBuildFlags(CmdGet, work.OmitModFlag)
   270  	CmdGet.Run = runGet // break init loop
   271  	CmdGet.Flag.Var(&getD, "d", "")
   272  	CmdGet.Flag.Var(&getU, "u", "")
   273  }
   274  
   275  func runGet(ctx context.Context, cmd *base.Command, args []string) {
   276  	switch getU.version {
   277  	case "", "upgrade", "patch":
   278  		// ok
   279  	default:
   280  		base.Fatalf("go: unknown upgrade flag -u=%s", getU.rawVersion)
   281  	}
   282  	if getD.set {
   283  		if !getD.value {
   284  			base.Fatalf("go: -d flag may not be set to false")
   285  		}
   286  		fmt.Fprintf(os.Stderr, "go: -d flag is deprecated. -d=true is a no-op\n")
   287  	}
   288  	if *getF {
   289  		fmt.Fprintf(os.Stderr, "go: -f flag is a no-op\n")
   290  	}
   291  	if *getFix {
   292  		fmt.Fprintf(os.Stderr, "go: -fix flag is a no-op\n")
   293  	}
   294  	if *getM {
   295  		base.Fatalf("go: -m flag is no longer supported")
   296  	}
   297  	if *getInsecure {
   298  		base.Fatalf("go: -insecure flag is no longer supported; use GOINSECURE instead")
   299  	}
   300  
   301  	modload.ForceUseModules = true
   302  
   303  	// Do not allow any updating of go.mod until we've applied
   304  	// all the requested changes and checked that the result matches
   305  	// what was requested.
   306  	modload.ExplicitWriteGoMod = true
   307  
   308  	// Allow looking up modules for import paths when outside of a module.
   309  	// 'go get' is expected to do this, unlike other commands.
   310  	modload.AllowMissingModuleImports()
   311  
   312  	// 'go get' no longer builds or installs packages, so there's nothing to do
   313  	// if there's no go.mod file.
   314  	// TODO(#40775): make modload.Init return ErrNoModRoot instead of exiting.
   315  	// We could handle that here by printing a different message.
   316  	modload.Init()
   317  	if !modload.HasModRoot() {
   318  		base.Fatalf("go: go.mod file not found in current directory or any parent directory.\n" +
   319  			"\t'go get' is no longer supported outside a module.\n" +
   320  			"\tTo build and install a command, use 'go install' with a version,\n" +
   321  			"\tlike 'go install example.com/cmd@latest'\n" +
   322  			"\tFor more information, see https://golang.org/doc/go-get-install-deprecation\n" +
   323  			"\tor run 'go help get' or 'go help install'.")
   324  	}
   325  
   326  	dropToolchain, queries := parseArgs(ctx, args)
   327  	opts := modload.WriteOpts{
   328  		DropToolchain: dropToolchain,
   329  	}
   330  	for _, q := range queries {
   331  		if q.pattern == "toolchain" {
   332  			opts.ExplicitToolchain = true
   333  		}
   334  	}
   335  
   336  	r := newResolver(ctx, queries)
   337  	r.performLocalQueries(ctx)
   338  	r.performPathQueries(ctx)
   339  	r.performToolQueries(ctx)
   340  
   341  	for {
   342  		r.performWildcardQueries(ctx)
   343  		r.performPatternAllQueries(ctx)
   344  
   345  		if changed := r.resolveQueries(ctx, queries); changed {
   346  			// 'go get' arguments can be (and often are) package patterns rather than
   347  			// (just) modules. A package can be provided by any module with a prefix
   348  			// of its import path, and a wildcard can even match packages in modules
   349  			// with totally different paths. Because of these effects, and because any
   350  			// change to the selected version of a module can bring in entirely new
   351  			// module paths as dependencies, we need to reissue queries whenever we
   352  			// change the build list.
   353  			//
   354  			// The result of any version query for a given module — even "upgrade" or
   355  			// "patch" — is always relative to the build list at the start of
   356  			// the 'go get' command, not an intermediate state, and is therefore
   357  			// deterministic and therefore cacheable, and the constraints on the
   358  			// selected version of each module can only narrow as we iterate.
   359  			//
   360  			// "all" is functionally very similar to a wildcard pattern. The set of
   361  			// packages imported by the main module does not change, and the query
   362  			// result for the module containing each such package also does not change
   363  			// (it is always relative to the initial build list, before applying
   364  			// queries). So the only way that the result of an "all" query can change
   365  			// is if some matching package moves from one module in the build list
   366  			// to another, which should not happen very often.
   367  			continue
   368  		}
   369  
   370  		// When we load imports, we detect the following conditions:
   371  		//
   372  		// - missing transitive dependencies that need to be resolved from outside the
   373  		//   current build list (note that these may add new matches for existing
   374  		//   pattern queries!)
   375  		//
   376  		// - transitive dependencies that didn't match any other query,
   377  		//   but need to be upgraded due to the -u flag
   378  		//
   379  		// - ambiguous import errors.
   380  		//   TODO(#27899): Try to resolve ambiguous import errors automatically.
   381  		upgrades := r.findAndUpgradeImports(ctx, queries)
   382  		if changed := r.applyUpgrades(ctx, upgrades); changed {
   383  			continue
   384  		}
   385  
   386  		r.findMissingWildcards(ctx)
   387  		if changed := r.resolveQueries(ctx, r.wildcardQueries); changed {
   388  			continue
   389  		}
   390  
   391  		break
   392  	}
   393  
   394  	r.checkWildcardVersions(ctx)
   395  
   396  	var pkgPatterns []string
   397  	for _, q := range queries {
   398  		if q.matchesPackages {
   399  			pkgPatterns = append(pkgPatterns, q.pattern)
   400  		}
   401  	}
   402  	r.checkPackageProblems(ctx, pkgPatterns)
   403  
   404  	if *getTool {
   405  		updateTools(ctx, queries, &opts)
   406  	}
   407  
   408  	// Everything succeeded. Update go.mod.
   409  	oldReqs := reqsFromGoMod(modload.ModFile())
   410  
   411  	if err := modload.WriteGoMod(ctx, opts); err != nil {
   412  		// A TooNewError can happen for 'go get go@newversion'
   413  		// when all the required modules are old enough
   414  		// but the command line is not.
   415  		// TODO(bcmills): modload.EditBuildList should catch this instead,
   416  		// and then this can be changed to base.Fatal(err).
   417  		toolchain.SwitchOrFatal(ctx, err)
   418  	}
   419  
   420  	newReqs := reqsFromGoMod(modload.ModFile())
   421  	r.reportChanges(oldReqs, newReqs)
   422  
   423  	if gowork := modload.FindGoWork(base.Cwd()); gowork != "" {
   424  		wf, err := modload.ReadWorkFile(gowork)
   425  		if err == nil && modload.UpdateWorkGoVersion(wf, modload.MainModules.GoVersion()) {
   426  			modload.WriteWorkFile(gowork, wf)
   427  		}
   428  	}
   429  }
   430  
   431  func updateTools(ctx context.Context, queries []*query, opts *modload.WriteOpts) {
   432  	pkgOpts := modload.PackageOpts{
   433  		VendorModulesInGOROOTSrc: true,
   434  		LoadTests:                *getT,
   435  		ResolveMissingImports:    false,
   436  		AllowErrors:              true,
   437  		SilenceNoGoErrors:        true,
   438  	}
   439  	patterns := []string{}
   440  	for _, q := range queries {
   441  		if search.IsMetaPackage(q.pattern) || q.pattern == "toolchain" {
   442  			base.Fatalf("go: go get -tool does not work with \"%s\".", q.pattern)
   443  		}
   444  		patterns = append(patterns, q.pattern)
   445  	}
   446  
   447  	matches, _ := modload.LoadPackages(ctx, pkgOpts, patterns...)
   448  	for i, m := range matches {
   449  		if queries[i].version == "none" {
   450  			opts.DropTools = append(opts.DropTools, m.Pkgs...)
   451  		} else {
   452  			opts.AddTools = append(opts.DropTools, m.Pkgs...)
   453  		}
   454  	}
   455  }
   456  
   457  // parseArgs parses command-line arguments and reports errors.
   458  //
   459  // The command-line arguments are of the form path@version or simply path, with
   460  // implicit @upgrade. path@none is "downgrade away".
   461  func parseArgs(ctx context.Context, rawArgs []string) (dropToolchain bool, queries []*query) {
   462  	defer base.ExitIfErrors()
   463  
   464  	for _, arg := range search.CleanPatterns(rawArgs) {
   465  		q, err := newQuery(arg)
   466  		if err != nil {
   467  			base.Error(err)
   468  			continue
   469  		}
   470  
   471  		if q.version == "none" {
   472  			switch q.pattern {
   473  			case "go":
   474  				base.Errorf("go: cannot use go@none")
   475  				continue
   476  			case "toolchain":
   477  				dropToolchain = true
   478  				continue
   479  			}
   480  		}
   481  
   482  		// If there were no arguments, CleanPatterns returns ".". Set the raw
   483  		// string back to "" for better errors.
   484  		if len(rawArgs) == 0 {
   485  			q.raw = ""
   486  		}
   487  
   488  		// Guard against 'go get x.go', a common mistake.
   489  		// Note that package and module paths may end with '.go', so only print an error
   490  		// if the argument has no version and either has no slash or refers to an existing file.
   491  		if strings.HasSuffix(q.raw, ".go") && q.rawVersion == "" {
   492  			if !strings.Contains(q.raw, "/") {
   493  				base.Errorf("go: %s: arguments must be package or module paths", q.raw)
   494  				continue
   495  			}
   496  			if fi, err := os.Stat(q.raw); err == nil && !fi.IsDir() {
   497  				base.Errorf("go: %s exists as a file, but 'go get' requires package arguments", q.raw)
   498  				continue
   499  			}
   500  		}
   501  
   502  		queries = append(queries, q)
   503  	}
   504  
   505  	return dropToolchain, queries
   506  }
   507  
   508  type resolver struct {
   509  	localQueries      []*query // queries for absolute or relative paths
   510  	pathQueries       []*query // package path literal queries in original order
   511  	wildcardQueries   []*query // path wildcard queries in original order
   512  	patternAllQueries []*query // queries with the pattern "all"
   513  	toolQueries       []*query // queries with the pattern "tool"
   514  
   515  	// Indexed "none" queries. These are also included in the slices above;
   516  	// they are indexed here to speed up noneForPath.
   517  	nonesByPath   map[string]*query // path-literal "@none" queries indexed by path
   518  	wildcardNones []*query          // wildcard "@none" queries
   519  
   520  	// resolvedVersion maps each module path to the version of that module that
   521  	// must be selected in the final build list, along with the first query
   522  	// that resolved the module to that version (the “reason”).
   523  	resolvedVersion map[string]versionReason
   524  
   525  	buildList        []module.Version
   526  	buildListVersion map[string]string // index of buildList (module path → version)
   527  
   528  	initialVersion map[string]string // index of the initial build list at the start of 'go get'
   529  
   530  	missing []pathSet // candidates for missing transitive dependencies
   531  
   532  	work *par.Queue
   533  
   534  	matchInModuleCache par.ErrCache[matchInModuleKey, []string]
   535  }
   536  
   537  type versionReason struct {
   538  	version string
   539  	reason  *query
   540  }
   541  
   542  type matchInModuleKey struct {
   543  	pattern string
   544  	m       module.Version
   545  }
   546  
   547  func newResolver(ctx context.Context, queries []*query) *resolver {
   548  	// LoadModGraph also sets modload.Target, which is needed by various resolver
   549  	// methods.
   550  	mg, err := modload.LoadModGraph(ctx, "")
   551  	if err != nil {
   552  		toolchain.SwitchOrFatal(ctx, err)
   553  	}
   554  
   555  	buildList := mg.BuildList()
   556  	initialVersion := make(map[string]string, len(buildList))
   557  	for _, m := range buildList {
   558  		initialVersion[m.Path] = m.Version
   559  	}
   560  
   561  	r := &resolver{
   562  		work:             par.NewQueue(runtime.GOMAXPROCS(0)),
   563  		resolvedVersion:  map[string]versionReason{},
   564  		buildList:        buildList,
   565  		buildListVersion: initialVersion,
   566  		initialVersion:   initialVersion,
   567  		nonesByPath:      map[string]*query{},
   568  	}
   569  
   570  	for _, q := range queries {
   571  		if q.pattern == "all" {
   572  			r.patternAllQueries = append(r.patternAllQueries, q)
   573  		} else if q.pattern == "tool" {
   574  			r.toolQueries = append(r.toolQueries, q)
   575  		} else if q.patternIsLocal {
   576  			r.localQueries = append(r.localQueries, q)
   577  		} else if q.isWildcard() {
   578  			r.wildcardQueries = append(r.wildcardQueries, q)
   579  		} else {
   580  			r.pathQueries = append(r.pathQueries, q)
   581  		}
   582  
   583  		if q.version == "none" {
   584  			// Index "none" queries to make noneForPath more efficient.
   585  			if q.isWildcard() {
   586  				r.wildcardNones = append(r.wildcardNones, q)
   587  			} else {
   588  				// All "<path>@none" queries for the same path are identical; we only
   589  				// need to index one copy.
   590  				r.nonesByPath[q.pattern] = q
   591  			}
   592  		}
   593  	}
   594  
   595  	return r
   596  }
   597  
   598  // initialSelected returns the version of the module with the given path that
   599  // was selected at the start of this 'go get' invocation.
   600  func (r *resolver) initialSelected(mPath string) (version string) {
   601  	v, ok := r.initialVersion[mPath]
   602  	if !ok {
   603  		return "none"
   604  	}
   605  	return v
   606  }
   607  
   608  // selected returns the version of the module with the given path that is
   609  // selected in the resolver's current build list.
   610  func (r *resolver) selected(mPath string) (version string) {
   611  	v, ok := r.buildListVersion[mPath]
   612  	if !ok {
   613  		return "none"
   614  	}
   615  	return v
   616  }
   617  
   618  // noneForPath returns a "none" query matching the given module path,
   619  // or found == false if no such query exists.
   620  func (r *resolver) noneForPath(mPath string) (nq *query, found bool) {
   621  	if nq = r.nonesByPath[mPath]; nq != nil {
   622  		return nq, true
   623  	}
   624  	for _, nq := range r.wildcardNones {
   625  		if nq.matchesPath(mPath) {
   626  			return nq, true
   627  		}
   628  	}
   629  	return nil, false
   630  }
   631  
   632  // queryModule wraps modload.Query, substituting r.checkAllowedOr to decide
   633  // allowed versions.
   634  func (r *resolver) queryModule(ctx context.Context, mPath, query string, selected func(string) string) (module.Version, error) {
   635  	current := r.initialSelected(mPath)
   636  	rev, err := modload.Query(ctx, mPath, query, current, r.checkAllowedOr(query, selected))
   637  	if err != nil {
   638  		return module.Version{}, err
   639  	}
   640  	return module.Version{Path: mPath, Version: rev.Version}, nil
   641  }
   642  
   643  // queryPackages wraps modload.QueryPackage, substituting r.checkAllowedOr to
   644  // decide allowed versions.
   645  func (r *resolver) queryPackages(ctx context.Context, pattern, query string, selected func(string) string) (pkgMods []module.Version, err error) {
   646  	results, err := modload.QueryPackages(ctx, pattern, query, selected, r.checkAllowedOr(query, selected))
   647  	if len(results) > 0 {
   648  		pkgMods = make([]module.Version, 0, len(results))
   649  		for _, qr := range results {
   650  			pkgMods = append(pkgMods, qr.Mod)
   651  		}
   652  	}
   653  	return pkgMods, err
   654  }
   655  
   656  // queryPattern wraps modload.QueryPattern, substituting r.checkAllowedOr to
   657  // decide allowed versions.
   658  func (r *resolver) queryPattern(ctx context.Context, pattern, query string, selected func(string) string) (pkgMods []module.Version, mod module.Version, err error) {
   659  	results, modOnly, err := modload.QueryPattern(ctx, pattern, query, selected, r.checkAllowedOr(query, selected))
   660  	if len(results) > 0 {
   661  		pkgMods = make([]module.Version, 0, len(results))
   662  		for _, qr := range results {
   663  			pkgMods = append(pkgMods, qr.Mod)
   664  		}
   665  	}
   666  	if modOnly != nil {
   667  		mod = modOnly.Mod
   668  	}
   669  	return pkgMods, mod, err
   670  }
   671  
   672  // checkAllowedOr is like modload.CheckAllowed, but it always allows the requested
   673  // and current versions (even if they are retracted or otherwise excluded).
   674  func (r *resolver) checkAllowedOr(requested string, selected func(string) string) modload.AllowedFunc {
   675  	return func(ctx context.Context, m module.Version) error {
   676  		if m.Version == requested {
   677  			return modload.CheckExclusions(ctx, m)
   678  		}
   679  		if (requested == "upgrade" || requested == "patch") && m.Version == selected(m.Path) {
   680  			return nil
   681  		}
   682  		return modload.CheckAllowed(ctx, m)
   683  	}
   684  }
   685  
   686  // matchInModule is a caching wrapper around modload.MatchInModule.
   687  func (r *resolver) matchInModule(ctx context.Context, pattern string, m module.Version) (packages []string, err error) {
   688  	return r.matchInModuleCache.Do(matchInModuleKey{pattern, m}, func() ([]string, error) {
   689  		match := modload.MatchInModule(ctx, pattern, m, imports.AnyTags())
   690  		if len(match.Errs) > 0 {
   691  			return match.Pkgs, match.Errs[0]
   692  		}
   693  		return match.Pkgs, nil
   694  	})
   695  }
   696  
   697  // queryNone adds a candidate set to q for each module matching q.pattern.
   698  // Each candidate set has only one possible module version: the matched
   699  // module at version "none".
   700  //
   701  // We interpret arguments to 'go get' as packages first, and fall back to
   702  // modules second. However, no module exists at version "none", and therefore no
   703  // package exists at that version either: we know that the argument cannot match
   704  // any packages, and thus it must match modules instead.
   705  func (r *resolver) queryNone(ctx context.Context, q *query) {
   706  	if search.IsMetaPackage(q.pattern) {
   707  		panic(fmt.Sprintf("internal error: queryNone called with pattern %q", q.pattern))
   708  	}
   709  
   710  	if !q.isWildcard() {
   711  		q.pathOnce(q.pattern, func() pathSet {
   712  			hasModRoot := modload.HasModRoot()
   713  			if hasModRoot && modload.MainModules.Contains(q.pattern) {
   714  				v := module.Version{Path: q.pattern}
   715  				// The user has explicitly requested to downgrade their own module to
   716  				// version "none". This is not an entirely unreasonable request: it
   717  				// could plausibly mean “downgrade away everything that depends on any
   718  				// explicit version of the main module”, or “downgrade away the
   719  				// package with the same path as the main module, found in a module
   720  				// with a prefix of the main module's path”.
   721  				//
   722  				// However, neither of those behaviors would be consistent with the
   723  				// plain meaning of the query. To try to reduce confusion, reject the
   724  				// query explicitly.
   725  				return errSet(&modload.QueryMatchesMainModulesError{MainModules: []module.Version{v}, Pattern: q.pattern, Query: q.version})
   726  			}
   727  
   728  			return pathSet{mod: module.Version{Path: q.pattern, Version: "none"}}
   729  		})
   730  	}
   731  
   732  	for _, curM := range r.buildList {
   733  		if !q.matchesPath(curM.Path) {
   734  			continue
   735  		}
   736  		q.pathOnce(curM.Path, func() pathSet {
   737  			if modload.HasModRoot() && curM.Version == "" && modload.MainModules.Contains(curM.Path) {
   738  				return errSet(&modload.QueryMatchesMainModulesError{MainModules: []module.Version{curM}, Pattern: q.pattern, Query: q.version})
   739  			}
   740  			return pathSet{mod: module.Version{Path: curM.Path, Version: "none"}}
   741  		})
   742  	}
   743  }
   744  
   745  func (r *resolver) performLocalQueries(ctx context.Context) {
   746  	for _, q := range r.localQueries {
   747  		q.pathOnce(q.pattern, func() pathSet {
   748  			absDetail := ""
   749  			if !filepath.IsAbs(q.pattern) {
   750  				if absPath, err := filepath.Abs(q.pattern); err == nil {
   751  					absDetail = fmt.Sprintf(" (%s)", absPath)
   752  				}
   753  			}
   754  
   755  			// Absolute paths like C:\foo and relative paths like ../foo... are
   756  			// restricted to matching packages in the main module.
   757  			pkgPattern, mainModule := modload.MainModules.DirImportPath(ctx, q.pattern)
   758  			if pkgPattern == "." {
   759  				modload.MustHaveModRoot()
   760  				versions := modload.MainModules.Versions()
   761  				modRoots := make([]string, 0, len(versions))
   762  				for _, m := range versions {
   763  					modRoots = append(modRoots, modload.MainModules.ModRoot(m))
   764  				}
   765  				var plural string
   766  				if len(modRoots) != 1 {
   767  					plural = "s"
   768  				}
   769  				return errSet(fmt.Errorf("%s%s is not within module%s rooted at %s", q.pattern, absDetail, plural, strings.Join(modRoots, ", ")))
   770  			}
   771  
   772  			match := modload.MatchInModule(ctx, pkgPattern, mainModule, imports.AnyTags())
   773  			if len(match.Errs) > 0 {
   774  				return pathSet{err: match.Errs[0]}
   775  			}
   776  
   777  			if len(match.Pkgs) == 0 {
   778  				if q.raw == "" || q.raw == "." {
   779  					return errSet(fmt.Errorf("no package to get in current directory"))
   780  				}
   781  				if !q.isWildcard() {
   782  					modload.MustHaveModRoot()
   783  					return errSet(fmt.Errorf("%s%s is not a package in module rooted at %s", q.pattern, absDetail, modload.MainModules.ModRoot(mainModule)))
   784  				}
   785  				search.WarnUnmatched([]*search.Match{match})
   786  				return pathSet{}
   787  			}
   788  
   789  			return pathSet{pkgMods: []module.Version{mainModule}}
   790  		})
   791  	}
   792  }
   793  
   794  // performWildcardQueries populates the candidates for each query whose pattern
   795  // is a wildcard.
   796  //
   797  // The candidates for a given module path matching (or containing a package
   798  // matching) a wildcard query depend only on the initial build list, but the set
   799  // of modules may be expanded by other queries, so wildcard queries need to be
   800  // re-evaluated whenever a potentially-matching module path is added to the
   801  // build list.
   802  func (r *resolver) performWildcardQueries(ctx context.Context) {
   803  	for _, q := range r.wildcardQueries {
   804  		q := q
   805  		r.work.Add(func() {
   806  			if q.version == "none" {
   807  				r.queryNone(ctx, q)
   808  			} else {
   809  				r.queryWildcard(ctx, q)
   810  			}
   811  		})
   812  	}
   813  	<-r.work.Idle()
   814  }
   815  
   816  // queryWildcard adds a candidate set to q for each module for which:
   817  //   - some version of the module is already in the build list, and
   818  //   - that module exists at some version matching q.version, and
   819  //   - either the module path itself matches q.pattern, or some package within
   820  //     the module at q.version matches q.pattern.
   821  func (r *resolver) queryWildcard(ctx context.Context, q *query) {
   822  	// For wildcard patterns, modload.QueryPattern only identifies modules
   823  	// matching the prefix of the path before the wildcard. However, the build
   824  	// list may already contain other modules with matching packages, and we
   825  	// should consider those modules to satisfy the query too.
   826  	// We want to match any packages in existing dependencies, but we only want to
   827  	// resolve new dependencies if nothing else turns up.
   828  	for _, curM := range r.buildList {
   829  		if !q.canMatchInModule(curM.Path) {
   830  			continue
   831  		}
   832  		q.pathOnce(curM.Path, func() pathSet {
   833  			if _, hit := r.noneForPath(curM.Path); hit {
   834  				// This module is being removed, so it will no longer be in the build list
   835  				// (and thus will no longer match the pattern).
   836  				return pathSet{}
   837  			}
   838  
   839  			if modload.MainModules.Contains(curM.Path) && !versionOkForMainModule(q.version) {
   840  				if q.matchesPath(curM.Path) {
   841  					return errSet(&modload.QueryMatchesMainModulesError{
   842  						MainModules: []module.Version{curM},
   843  						Pattern:     q.pattern,
   844  						Query:       q.version,
   845  					})
   846  				}
   847  
   848  				packages, err := r.matchInModule(ctx, q.pattern, curM)
   849  				if err != nil {
   850  					return errSet(err)
   851  				}
   852  				if len(packages) > 0 {
   853  					return errSet(&modload.QueryMatchesPackagesInMainModuleError{
   854  						Pattern:  q.pattern,
   855  						Query:    q.version,
   856  						Packages: packages,
   857  					})
   858  				}
   859  
   860  				return r.tryWildcard(ctx, q, curM)
   861  			}
   862  
   863  			m, err := r.queryModule(ctx, curM.Path, q.version, r.initialSelected)
   864  			if err != nil {
   865  				if !isNoSuchModuleVersion(err) {
   866  					// We can't tell whether a matching version exists.
   867  					return errSet(err)
   868  				}
   869  				// There is no version of curM.Path matching the query.
   870  
   871  				// We haven't checked whether curM contains any matching packages at its
   872  				// currently-selected version, or whether curM.Path itself matches q. If
   873  				// either of those conditions holds, *and* no other query changes the
   874  				// selected version of curM, then we will fail in checkWildcardVersions.
   875  				// (This could be an error, but it's too soon to tell.)
   876  				//
   877  				// However, even then the transitive requirements of some other query
   878  				// may downgrade this module out of the build list entirely, in which
   879  				// case the pattern will no longer include it and it won't be an error.
   880  				//
   881  				// Either way, punt on the query rather than erroring out just yet.
   882  				return pathSet{}
   883  			}
   884  
   885  			return r.tryWildcard(ctx, q, m)
   886  		})
   887  	}
   888  
   889  	// Even if no modules matched, we shouldn't query for a new module to provide
   890  	// the pattern yet: some other query may yet induce a new requirement that
   891  	// will match the wildcard. Instead, we'll check in findMissingWildcards.
   892  }
   893  
   894  // tryWildcard returns a pathSet for module m matching query q.
   895  // If m does not actually match q, tryWildcard returns an empty pathSet.
   896  func (r *resolver) tryWildcard(ctx context.Context, q *query, m module.Version) pathSet {
   897  	mMatches := q.matchesPath(m.Path)
   898  	packages, err := r.matchInModule(ctx, q.pattern, m)
   899  	if err != nil {
   900  		return errSet(err)
   901  	}
   902  	if len(packages) > 0 {
   903  		return pathSet{pkgMods: []module.Version{m}}
   904  	}
   905  	if mMatches {
   906  		return pathSet{mod: m}
   907  	}
   908  	return pathSet{}
   909  }
   910  
   911  // findMissingWildcards adds a candidate set for each query in r.wildcardQueries
   912  // that has not yet resolved to any version containing packages.
   913  func (r *resolver) findMissingWildcards(ctx context.Context) {
   914  	for _, q := range r.wildcardQueries {
   915  		if q.version == "none" || q.matchesPackages {
   916  			continue // q is not “missing”
   917  		}
   918  		r.work.Add(func() {
   919  			q.pathOnce(q.pattern, func() pathSet {
   920  				pkgMods, mod, err := r.queryPattern(ctx, q.pattern, q.version, r.initialSelected)
   921  				if err != nil {
   922  					if isNoSuchPackageVersion(err) && len(q.resolved) > 0 {
   923  						// q already resolved one or more modules but matches no packages.
   924  						// That's ok: this pattern is just a module pattern, and we don't
   925  						// need to add any more modules to satisfy it.
   926  						return pathSet{}
   927  					}
   928  					return errSet(err)
   929  				}
   930  
   931  				return pathSet{pkgMods: pkgMods, mod: mod}
   932  			})
   933  		})
   934  	}
   935  	<-r.work.Idle()
   936  }
   937  
   938  // checkWildcardVersions reports an error if any module in the build list has a
   939  // path (or contains a package) matching a query with a wildcard pattern, but
   940  // has a selected version that does *not* match the query.
   941  func (r *resolver) checkWildcardVersions(ctx context.Context) {
   942  	defer base.ExitIfErrors()
   943  
   944  	for _, q := range r.wildcardQueries {
   945  		for _, curM := range r.buildList {
   946  			if !q.canMatchInModule(curM.Path) {
   947  				continue
   948  			}
   949  			if !q.matchesPath(curM.Path) {
   950  				packages, err := r.matchInModule(ctx, q.pattern, curM)
   951  				if len(packages) == 0 {
   952  					if err != nil {
   953  						reportError(q, err)
   954  					}
   955  					continue // curM is not relevant to q.
   956  				}
   957  			}
   958  
   959  			rev, err := r.queryModule(ctx, curM.Path, q.version, r.initialSelected)
   960  			if err != nil {
   961  				reportError(q, err)
   962  				continue
   963  			}
   964  			if rev.Version == curM.Version {
   965  				continue // curM already matches q.
   966  			}
   967  
   968  			if !q.matchesPath(curM.Path) {
   969  				m := module.Version{Path: curM.Path, Version: rev.Version}
   970  				packages, err := r.matchInModule(ctx, q.pattern, m)
   971  				if err != nil {
   972  					reportError(q, err)
   973  					continue
   974  				}
   975  				if len(packages) == 0 {
   976  					// curM at its original version contains a path matching q.pattern,
   977  					// but at rev.Version it does not, so (somewhat paradoxically) if
   978  					// we changed the version of curM it would no longer match the query.
   979  					var version any = m
   980  					if rev.Version != q.version {
   981  						version = fmt.Sprintf("%s@%s (%s)", m.Path, q.version, m.Version)
   982  					}
   983  					reportError(q, fmt.Errorf("%v matches packages in %v but not %v: specify a different version for module %s", q, curM, version, m.Path))
   984  					continue
   985  				}
   986  			}
   987  
   988  			// Since queryModule succeeded and either curM or one of the packages it
   989  			// contains matches q.pattern, we should have either selected the version
   990  			// of curM matching q, or reported a conflict error (and exited).
   991  			// If we're still here and the version doesn't match,
   992  			// something has gone very wrong.
   993  			reportError(q, fmt.Errorf("internal error: selected %v instead of %v", curM, rev.Version))
   994  		}
   995  	}
   996  }
   997  
   998  // performPathQueries populates the candidates for each query whose pattern is
   999  // a path literal.
  1000  //
  1001  // The candidate packages and modules for path literals depend only on the
  1002  // initial build list, not the current build list, so we only need to query path
  1003  // literals once.
  1004  func (r *resolver) performPathQueries(ctx context.Context) {
  1005  	for _, q := range r.pathQueries {
  1006  		q := q
  1007  		r.work.Add(func() {
  1008  			if q.version == "none" {
  1009  				r.queryNone(ctx, q)
  1010  			} else {
  1011  				r.queryPath(ctx, q)
  1012  			}
  1013  		})
  1014  	}
  1015  	<-r.work.Idle()
  1016  }
  1017  
  1018  // queryPath adds a candidate set to q for the package with path q.pattern.
  1019  // The candidate set consists of all modules that could provide q.pattern
  1020  // and have a version matching q, plus (if it exists) the module whose path
  1021  // is itself q.pattern (at a matching version).
  1022  func (r *resolver) queryPath(ctx context.Context, q *query) {
  1023  	q.pathOnce(q.pattern, func() pathSet {
  1024  		if search.IsMetaPackage(q.pattern) || q.isWildcard() {
  1025  			panic(fmt.Sprintf("internal error: queryPath called with pattern %q", q.pattern))
  1026  		}
  1027  		if q.version == "none" {
  1028  			panic(`internal error: queryPath called with version "none"`)
  1029  		}
  1030  
  1031  		if search.IsStandardImportPath(q.pattern) {
  1032  			stdOnly := module.Version{}
  1033  			packages, _ := r.matchInModule(ctx, q.pattern, stdOnly)
  1034  			if len(packages) > 0 {
  1035  				if q.rawVersion != "" {
  1036  					return errSet(fmt.Errorf("can't request explicit version %q of standard library package %s", q.version, q.pattern))
  1037  				}
  1038  
  1039  				q.matchesPackages = true
  1040  				return pathSet{} // No module needed for standard library.
  1041  			}
  1042  		}
  1043  
  1044  		pkgMods, mod, err := r.queryPattern(ctx, q.pattern, q.version, r.initialSelected)
  1045  		if err != nil {
  1046  			return errSet(err)
  1047  		}
  1048  		return pathSet{pkgMods: pkgMods, mod: mod}
  1049  	})
  1050  }
  1051  
  1052  // performToolQueries populates the candidates for each query whose
  1053  // pattern is "tool".
  1054  func (r *resolver) performToolQueries(ctx context.Context) {
  1055  	for _, q := range r.toolQueries {
  1056  		for tool := range modload.MainModules.Tools() {
  1057  			q.pathOnce(tool, func() pathSet {
  1058  				pkgMods, err := r.queryPackages(ctx, tool, q.version, r.initialSelected)
  1059  				return pathSet{pkgMods: pkgMods, err: err}
  1060  			})
  1061  		}
  1062  	}
  1063  }
  1064  
  1065  // performPatternAllQueries populates the candidates for each query whose
  1066  // pattern is "all".
  1067  //
  1068  // The candidate modules for a given package in "all" depend only on the initial
  1069  // build list, but we cannot follow the dependencies of a given package until we
  1070  // know which candidate is selected — and that selection may depend on the
  1071  // results of other queries. We need to re-evaluate the "all" queries whenever
  1072  // the module for one or more packages in "all" are resolved.
  1073  func (r *resolver) performPatternAllQueries(ctx context.Context) {
  1074  	if len(r.patternAllQueries) == 0 {
  1075  		return
  1076  	}
  1077  
  1078  	findPackage := func(ctx context.Context, path string, m module.Version) (versionOk bool) {
  1079  		versionOk = true
  1080  		for _, q := range r.patternAllQueries {
  1081  			q.pathOnce(path, func() pathSet {
  1082  				pkgMods, err := r.queryPackages(ctx, path, q.version, r.initialSelected)
  1083  				if len(pkgMods) != 1 || pkgMods[0] != m {
  1084  					// There are candidates other than m for the given path, so we can't
  1085  					// be certain that m will actually be the module selected to provide
  1086  					// the package. Don't load its dependencies just yet, because they
  1087  					// might no longer be dependencies after we resolve the correct
  1088  					// version.
  1089  					versionOk = false
  1090  				}
  1091  				return pathSet{pkgMods: pkgMods, err: err}
  1092  			})
  1093  		}
  1094  		return versionOk
  1095  	}
  1096  
  1097  	r.loadPackages(ctx, []string{"all"}, findPackage)
  1098  
  1099  	// Since we built up the candidate lists concurrently, they may be in a
  1100  	// nondeterministic order. We want 'go get' to be fully deterministic,
  1101  	// including in which errors it chooses to report, so sort the candidates
  1102  	// into a deterministic-but-arbitrary order.
  1103  	for _, q := range r.patternAllQueries {
  1104  		sort.Slice(q.candidates, func(i, j int) bool {
  1105  			return q.candidates[i].path < q.candidates[j].path
  1106  		})
  1107  	}
  1108  }
  1109  
  1110  // findAndUpgradeImports returns a pathSet for each package that is not yet
  1111  // in the build list but is transitively imported by the packages matching the
  1112  // given queries (which must already have been resolved).
  1113  //
  1114  // If the getU flag ("-u") is set, findAndUpgradeImports also returns a
  1115  // pathSet for each module that is not constrained by any other
  1116  // command-line argument and has an available matching upgrade.
  1117  func (r *resolver) findAndUpgradeImports(ctx context.Context, queries []*query) (upgrades []pathSet) {
  1118  	patterns := make([]string, 0, len(queries))
  1119  	for _, q := range queries {
  1120  		if q.matchesPackages {
  1121  			patterns = append(patterns, q.pattern)
  1122  		}
  1123  	}
  1124  	if len(patterns) == 0 {
  1125  		return nil
  1126  	}
  1127  
  1128  	// mu guards concurrent writes to upgrades, which will be sorted
  1129  	// (to restore determinism) after loading.
  1130  	var mu sync.Mutex
  1131  
  1132  	findPackage := func(ctx context.Context, path string, m module.Version) (versionOk bool) {
  1133  		version := "latest"
  1134  		if m.Path != "" {
  1135  			if getU.version == "" {
  1136  				// The user did not request that we upgrade transitive dependencies.
  1137  				return true
  1138  			}
  1139  			if _, ok := r.resolvedVersion[m.Path]; ok {
  1140  				// We cannot upgrade m implicitly because its version is determined by
  1141  				// an explicit pattern argument.
  1142  				return true
  1143  			}
  1144  			version = getU.version
  1145  		}
  1146  
  1147  		// Unlike other queries, the "-u" flag upgrades relative to the build list
  1148  		// after applying changes so far, not the initial build list.
  1149  		// This is for two reasons:
  1150  		//
  1151  		// 	- The "-u" flag intentionally applies to transitive dependencies,
  1152  		// 	  which may not be known or even resolved in advance of applying
  1153  		// 	  other version changes.
  1154  		//
  1155  		// 	- The "-u" flag, unlike other arguments, does not cause version
  1156  		// 	  conflicts with other queries. (The other query always wins.)
  1157  
  1158  		pkgMods, err := r.queryPackages(ctx, path, version, r.selected)
  1159  		for _, u := range pkgMods {
  1160  			if u == m {
  1161  				// The selected package version is already upgraded appropriately; there
  1162  				// is no need to change it.
  1163  				return true
  1164  			}
  1165  		}
  1166  
  1167  		if err != nil {
  1168  			if isNoSuchPackageVersion(err) || (m.Path == "" && module.CheckPath(path) != nil) {
  1169  				// We can't find the package because it doesn't — or can't — even exist
  1170  				// in any module at the latest version. (Note that invalid module paths
  1171  				// could in general exist due to replacements, so we at least need to
  1172  				// run the query to check those.)
  1173  				//
  1174  				// There is no version change we can make to fix the package, so leave
  1175  				// it unresolved. Either some other query (perhaps a wildcard matching a
  1176  				// newly-added dependency for some other missing package) will fill in
  1177  				// the gaps, or we will report an error (with a better import stack) in
  1178  				// the final LoadPackages call.
  1179  				return true
  1180  			}
  1181  		}
  1182  
  1183  		mu.Lock()
  1184  		upgrades = append(upgrades, pathSet{path: path, pkgMods: pkgMods, err: err})
  1185  		mu.Unlock()
  1186  		return false
  1187  	}
  1188  
  1189  	r.loadPackages(ctx, patterns, findPackage)
  1190  
  1191  	// Since we built up the candidate lists concurrently, they may be in a
  1192  	// nondeterministic order. We want 'go get' to be fully deterministic,
  1193  	// including in which errors it chooses to report, so sort the candidates
  1194  	// into a deterministic-but-arbitrary order.
  1195  	sort.Slice(upgrades, func(i, j int) bool {
  1196  		return upgrades[i].path < upgrades[j].path
  1197  	})
  1198  	return upgrades
  1199  }
  1200  
  1201  // loadPackages loads the packages matching the given patterns, invoking the
  1202  // findPackage function for each package that may require a change to the
  1203  // build list.
  1204  //
  1205  // loadPackages invokes the findPackage function for each package loaded from a
  1206  // module outside the main module. If the module or version that supplies that
  1207  // package needs to be changed due to a query, findPackage may return false
  1208  // and the imports of that package will not be loaded.
  1209  //
  1210  // loadPackages also invokes the findPackage function for each imported package
  1211  // that is neither present in the standard library nor in any module in the
  1212  // build list.
  1213  func (r *resolver) loadPackages(ctx context.Context, patterns []string, findPackage func(ctx context.Context, path string, m module.Version) (versionOk bool)) {
  1214  	opts := modload.PackageOpts{
  1215  		Tags:                     imports.AnyTags(),
  1216  		VendorModulesInGOROOTSrc: true,
  1217  		LoadTests:                *getT,
  1218  		AssumeRootsImported:      true, // After 'go get foo', imports of foo should build.
  1219  		SilencePackageErrors:     true, // May be fixed by subsequent upgrades or downgrades.
  1220  		Switcher:                 new(toolchain.Switcher),
  1221  	}
  1222  
  1223  	opts.AllowPackage = func(ctx context.Context, path string, m module.Version) error {
  1224  		if m.Path == "" || m.Version == "" {
  1225  			// Packages in the standard library and main modules are already at their
  1226  			// latest (and only) available versions.
  1227  			return nil
  1228  		}
  1229  		if ok := findPackage(ctx, path, m); !ok {
  1230  			return errVersionChange
  1231  		}
  1232  		return nil
  1233  	}
  1234  
  1235  	_, pkgs := modload.LoadPackages(ctx, opts, patterns...)
  1236  	for _, path := range pkgs {
  1237  		const (
  1238  			parentPath  = ""
  1239  			parentIsStd = false
  1240  		)
  1241  		_, _, err := modload.Lookup(parentPath, parentIsStd, path)
  1242  		if err == nil {
  1243  			continue
  1244  		}
  1245  		if errors.Is(err, errVersionChange) {
  1246  			// We already added candidates during loading.
  1247  			continue
  1248  		}
  1249  
  1250  		var (
  1251  			importMissing *modload.ImportMissingError
  1252  			ambiguous     *modload.AmbiguousImportError
  1253  		)
  1254  		if !errors.As(err, &importMissing) && !errors.As(err, &ambiguous) {
  1255  			// The package, which is a dependency of something we care about, has some
  1256  			// problem that we can't resolve with a version change.
  1257  			// Leave the error for the final LoadPackages call.
  1258  			continue
  1259  		}
  1260  
  1261  		path := path
  1262  		r.work.Add(func() {
  1263  			findPackage(ctx, path, module.Version{})
  1264  		})
  1265  	}
  1266  	<-r.work.Idle()
  1267  }
  1268  
  1269  // errVersionChange is a sentinel error indicating that a module's version needs
  1270  // to be updated before its dependencies can be loaded.
  1271  var errVersionChange = errors.New("version change needed")
  1272  
  1273  // resolveQueries resolves candidate sets that are attached to the given
  1274  // queries and/or needed to provide the given missing-package dependencies.
  1275  //
  1276  // resolveQueries starts by resolving one module version from each
  1277  // unambiguous pathSet attached to the given queries.
  1278  //
  1279  // If no unambiguous query results in a change to the build list,
  1280  // resolveQueries revisits the ambiguous query candidates and resolves them
  1281  // arbitrarily in order to guarantee forward progress.
  1282  //
  1283  // If all pathSets are resolved without any changes to the build list,
  1284  // resolveQueries returns with changed=false.
  1285  func (r *resolver) resolveQueries(ctx context.Context, queries []*query) (changed bool) {
  1286  	defer base.ExitIfErrors()
  1287  
  1288  	// Note: this is O(N²) with the number of pathSets in the worst case.
  1289  	//
  1290  	// We could perhaps get it down to O(N) if we were to index the pathSets
  1291  	// by module path, so that we only revisit a given pathSet when the
  1292  	// version of some module in its containingPackage list has been determined.
  1293  	//
  1294  	// However, N tends to be small, and most candidate sets will include only one
  1295  	// candidate module (so they will be resolved in the first iteration), so for
  1296  	// now we'll stick to the simple O(N²) approach.
  1297  
  1298  	resolved := 0
  1299  	for {
  1300  		prevResolved := resolved
  1301  
  1302  		// If we found modules that were too new, find the max of the required versions
  1303  		// and then try to switch to a newer toolchain.
  1304  		var sw toolchain.Switcher
  1305  		for _, q := range queries {
  1306  			for _, cs := range q.candidates {
  1307  				sw.Error(cs.err)
  1308  			}
  1309  		}
  1310  		// Only switch if we need a newer toolchain.
  1311  		// Otherwise leave the cs.err for reporting later.
  1312  		if sw.NeedSwitch() {
  1313  			sw.Switch(ctx)
  1314  			// If NeedSwitch is true and Switch returns, Switch has failed to locate a newer toolchain.
  1315  			// It printed the errors along with one more about not finding a good toolchain.
  1316  			base.Exit()
  1317  		}
  1318  
  1319  		for _, q := range queries {
  1320  			unresolved := q.candidates[:0]
  1321  
  1322  			for _, cs := range q.candidates {
  1323  				if cs.err != nil {
  1324  					reportError(q, cs.err)
  1325  					resolved++
  1326  					continue
  1327  				}
  1328  
  1329  				filtered, isPackage, m, unique := r.disambiguate(cs)
  1330  				if !unique {
  1331  					unresolved = append(unresolved, filtered)
  1332  					continue
  1333  				}
  1334  
  1335  				if m.Path == "" {
  1336  					// The query is not viable. Choose an arbitrary candidate from
  1337  					// before filtering and “resolve” it to report a conflict.
  1338  					isPackage, m = r.chooseArbitrarily(cs)
  1339  				}
  1340  				if isPackage {
  1341  					q.matchesPackages = true
  1342  				}
  1343  				r.resolve(q, m)
  1344  				resolved++
  1345  			}
  1346  
  1347  			q.candidates = unresolved
  1348  		}
  1349  
  1350  		base.ExitIfErrors()
  1351  		if resolved == prevResolved {
  1352  			break // No unambiguous candidate remains.
  1353  		}
  1354  	}
  1355  
  1356  	if resolved > 0 {
  1357  		if changed = r.updateBuildList(ctx, nil); changed {
  1358  			// The build list has changed, so disregard any remaining ambiguous queries:
  1359  			// they might now be determined by requirements in the build list, which we
  1360  			// would prefer to use instead of arbitrary versions.
  1361  			return true
  1362  		}
  1363  	}
  1364  
  1365  	// The build list will be the same on the next iteration as it was on this
  1366  	// iteration, so any ambiguous queries will remain so. In order to make
  1367  	// progress, resolve them arbitrarily but deterministically.
  1368  	//
  1369  	// If that results in conflicting versions, the user can re-run 'go get'
  1370  	// with additional explicit versions for the conflicting packages or
  1371  	// modules.
  1372  	resolvedArbitrarily := 0
  1373  	for _, q := range queries {
  1374  		for _, cs := range q.candidates {
  1375  			isPackage, m := r.chooseArbitrarily(cs)
  1376  			if isPackage {
  1377  				q.matchesPackages = true
  1378  			}
  1379  			r.resolve(q, m)
  1380  			resolvedArbitrarily++
  1381  		}
  1382  	}
  1383  	if resolvedArbitrarily > 0 {
  1384  		changed = r.updateBuildList(ctx, nil)
  1385  	}
  1386  	return changed
  1387  }
  1388  
  1389  // applyUpgrades disambiguates candidate sets that are needed to upgrade (or
  1390  // provide) transitive dependencies imported by previously-resolved packages.
  1391  //
  1392  // applyUpgrades modifies the build list by adding one module version from each
  1393  // pathSet in upgrades, then downgrading (or further upgrading) those modules as
  1394  // needed to maintain any already-resolved versions of other modules.
  1395  // applyUpgrades does not mark the new versions as resolved, so they can still
  1396  // be further modified by other queries (such as wildcards).
  1397  //
  1398  // If all pathSets are resolved without any changes to the build list,
  1399  // applyUpgrades returns with changed=false.
  1400  func (r *resolver) applyUpgrades(ctx context.Context, upgrades []pathSet) (changed bool) {
  1401  	defer base.ExitIfErrors()
  1402  
  1403  	// Arbitrarily add a "latest" version that provides each missing package, but
  1404  	// do not mark the version as resolved: we still want to allow the explicit
  1405  	// queries to modify the resulting versions.
  1406  	var tentative []module.Version
  1407  	for _, cs := range upgrades {
  1408  		if cs.err != nil {
  1409  			base.Error(cs.err)
  1410  			continue
  1411  		}
  1412  
  1413  		filtered, _, m, unique := r.disambiguate(cs)
  1414  		if !unique {
  1415  			_, m = r.chooseArbitrarily(filtered)
  1416  		}
  1417  		if m.Path == "" {
  1418  			// There is no viable candidate for the missing package.
  1419  			// Leave it unresolved.
  1420  			continue
  1421  		}
  1422  		tentative = append(tentative, m)
  1423  	}
  1424  	base.ExitIfErrors()
  1425  
  1426  	changed = r.updateBuildList(ctx, tentative)
  1427  	return changed
  1428  }
  1429  
  1430  // disambiguate eliminates candidates from cs that conflict with other module
  1431  // versions that have already been resolved. If there is only one (unique)
  1432  // remaining candidate, disambiguate returns that candidate, along with
  1433  // an indication of whether that result interprets cs.path as a package
  1434  //
  1435  // Note: we're only doing very simple disambiguation here. The goal is to
  1436  // reproduce the user's intent, not to find a solution that a human couldn't.
  1437  // In the vast majority of cases, we expect only one module per pathSet,
  1438  // but we want to give some minimal additional tools so that users can add an
  1439  // extra argument or two on the command line to resolve simple ambiguities.
  1440  func (r *resolver) disambiguate(cs pathSet) (filtered pathSet, isPackage bool, m module.Version, unique bool) {
  1441  	if len(cs.pkgMods) == 0 && cs.mod.Path == "" {
  1442  		panic("internal error: resolveIfUnambiguous called with empty pathSet")
  1443  	}
  1444  
  1445  	for _, m := range cs.pkgMods {
  1446  		if _, ok := r.noneForPath(m.Path); ok {
  1447  			// A query with version "none" forces the candidate module to version
  1448  			// "none", so we cannot use any other version for that module.
  1449  			continue
  1450  		}
  1451  
  1452  		if modload.MainModules.Contains(m.Path) {
  1453  			if m.Version == "" {
  1454  				return pathSet{}, true, m, true
  1455  			}
  1456  			// A main module can only be set to its own version.
  1457  			continue
  1458  		}
  1459  
  1460  		vr, ok := r.resolvedVersion[m.Path]
  1461  		if !ok {
  1462  			// m is a viable answer to the query, but other answers may also
  1463  			// still be viable.
  1464  			filtered.pkgMods = append(filtered.pkgMods, m)
  1465  			continue
  1466  		}
  1467  
  1468  		if vr.version != m.Version {
  1469  			// Some query forces the candidate module to a version other than this
  1470  			// one.
  1471  			//
  1472  			// The command could be something like
  1473  			//
  1474  			// 	go get example.com/foo/bar@none example.com/foo/bar/baz@latest
  1475  			//
  1476  			// in which case we *cannot* resolve the package from
  1477  			// example.com/foo/bar (because it is constrained to version
  1478  			// "none") and must fall through to module example.com/foo@latest.
  1479  			continue
  1480  		}
  1481  
  1482  		// Some query forces the candidate module *to* the candidate version.
  1483  		// As a result, this candidate is the only viable choice to provide
  1484  		// its package(s): any other choice would result in an ambiguous import
  1485  		// for this path.
  1486  		//
  1487  		// For example, consider the command
  1488  		//
  1489  		// 	go get example.com/foo@latest example.com/foo/bar/baz@latest
  1490  		//
  1491  		// If modules example.com/foo and example.com/foo/bar both provide
  1492  		// package example.com/foo/bar/baz, then we *must* resolve the package
  1493  		// from example.com/foo: if we instead resolved it from
  1494  		// example.com/foo/bar, we would have two copies of the package.
  1495  		return pathSet{}, true, m, true
  1496  	}
  1497  
  1498  	if cs.mod.Path != "" {
  1499  		vr, ok := r.resolvedVersion[cs.mod.Path]
  1500  		if !ok || vr.version == cs.mod.Version {
  1501  			filtered.mod = cs.mod
  1502  		}
  1503  	}
  1504  
  1505  	if len(filtered.pkgMods) == 1 &&
  1506  		(filtered.mod.Path == "" || filtered.mod == filtered.pkgMods[0]) {
  1507  		// Exactly one viable module contains the package with the given path
  1508  		// (by far the common case), so we can resolve it unambiguously.
  1509  		return pathSet{}, true, filtered.pkgMods[0], true
  1510  	}
  1511  
  1512  	if len(filtered.pkgMods) == 0 {
  1513  		// All modules that could provide the path as a package conflict with other
  1514  		// resolved arguments. If it can refer to a module instead, return that;
  1515  		// otherwise, this pathSet cannot be resolved (and we will return the
  1516  		// zero module.Version).
  1517  		return pathSet{}, false, filtered.mod, true
  1518  	}
  1519  
  1520  	// The query remains ambiguous: there are at least two different modules
  1521  	// to which cs.path could refer.
  1522  	return filtered, false, module.Version{}, false
  1523  }
  1524  
  1525  // chooseArbitrarily returns an arbitrary (but deterministic) module version
  1526  // from among those in the given set.
  1527  //
  1528  // chooseArbitrarily prefers module paths that were already in the build list at
  1529  // the start of 'go get', prefers modules that provide packages over those that
  1530  // do not, and chooses the first module meeting those criteria (so biases toward
  1531  // longer paths).
  1532  func (r *resolver) chooseArbitrarily(cs pathSet) (isPackage bool, m module.Version) {
  1533  	// Prefer to upgrade some module that was already in the build list.
  1534  	for _, m := range cs.pkgMods {
  1535  		if r.initialSelected(m.Path) != "none" {
  1536  			return true, m
  1537  		}
  1538  	}
  1539  
  1540  	// Otherwise, arbitrarily choose the first module that provides the package.
  1541  	if len(cs.pkgMods) > 0 {
  1542  		return true, cs.pkgMods[0]
  1543  	}
  1544  
  1545  	return false, cs.mod
  1546  }
  1547  
  1548  // checkPackageProblems reloads packages for the given patterns and reports
  1549  // missing and ambiguous package errors. It also reports retractions and
  1550  // deprecations for resolved modules and modules needed to build named packages.
  1551  // It also adds a sum for each updated module in the build list if we had one
  1552  // before and didn't get one while loading packages.
  1553  //
  1554  // We skip missing-package errors earlier in the process, since we want to
  1555  // resolve pathSets ourselves, but at that point, we don't have enough context
  1556  // to log the package-import chains leading to each error.
  1557  func (r *resolver) checkPackageProblems(ctx context.Context, pkgPatterns []string) {
  1558  	defer base.ExitIfErrors()
  1559  
  1560  	// Gather information about modules we might want to load retractions and
  1561  	// deprecations for. Loading this metadata requires at least one version
  1562  	// lookup per module, and we don't want to load information that's neither
  1563  	// relevant nor actionable.
  1564  	type modFlags int
  1565  	const (
  1566  		resolved modFlags = 1 << iota // version resolved by 'go get'
  1567  		named                         // explicitly named on command line or provides a named package
  1568  		hasPkg                        // needed to build named packages
  1569  		direct                        // provides a direct dependency of the main module
  1570  	)
  1571  	relevantMods := make(map[module.Version]modFlags)
  1572  	for path, reason := range r.resolvedVersion {
  1573  		m := module.Version{Path: path, Version: reason.version}
  1574  		relevantMods[m] |= resolved
  1575  	}
  1576  
  1577  	// Reload packages, reporting errors for missing and ambiguous imports.
  1578  	if len(pkgPatterns) > 0 {
  1579  		// LoadPackages will print errors (since it has more context) but will not
  1580  		// exit, since we need to load retractions later.
  1581  		pkgOpts := modload.PackageOpts{
  1582  			VendorModulesInGOROOTSrc: true,
  1583  			LoadTests:                *getT,
  1584  			ResolveMissingImports:    false,
  1585  			AllowErrors:              true,
  1586  			SilenceNoGoErrors:        true,
  1587  		}
  1588  		matches, pkgs := modload.LoadPackages(ctx, pkgOpts, pkgPatterns...)
  1589  		for _, m := range matches {
  1590  			if len(m.Errs) > 0 {
  1591  				base.SetExitStatus(1)
  1592  				break
  1593  			}
  1594  		}
  1595  		for _, pkg := range pkgs {
  1596  			if dir, _, err := modload.Lookup("", false, pkg); err != nil {
  1597  				if dir != "" && errors.Is(err, imports.ErrNoGo) {
  1598  					// Since dir is non-empty, we must have located source files
  1599  					// associated with either the package or its test — ErrNoGo must
  1600  					// indicate that none of those source files happen to apply in this
  1601  					// configuration. If we are actually building the package (no -d
  1602  					// flag), we will report the problem then; otherwise, assume that the
  1603  					// user is going to build or test this package in some other
  1604  					// configuration and suppress the error.
  1605  					continue
  1606  				}
  1607  
  1608  				base.SetExitStatus(1)
  1609  				if ambiguousErr := (*modload.AmbiguousImportError)(nil); errors.As(err, &ambiguousErr) {
  1610  					for _, m := range ambiguousErr.Modules {
  1611  						relevantMods[m] |= hasPkg
  1612  					}
  1613  				}
  1614  			}
  1615  			if m := modload.PackageModule(pkg); m.Path != "" {
  1616  				relevantMods[m] |= hasPkg
  1617  			}
  1618  		}
  1619  		for _, match := range matches {
  1620  			for _, pkg := range match.Pkgs {
  1621  				m := modload.PackageModule(pkg)
  1622  				relevantMods[m] |= named
  1623  			}
  1624  		}
  1625  	}
  1626  
  1627  	reqs := modload.LoadModFile(ctx)
  1628  	for m := range relevantMods {
  1629  		if reqs.IsDirect(m.Path) {
  1630  			relevantMods[m] |= direct
  1631  		}
  1632  	}
  1633  
  1634  	// Load retractions for modules mentioned on the command line and modules
  1635  	// needed to build named packages. We care about retractions of indirect
  1636  	// dependencies, since we might be able to upgrade away from them.
  1637  	type modMessage struct {
  1638  		m       module.Version
  1639  		message string
  1640  	}
  1641  	retractions := make([]modMessage, 0, len(relevantMods))
  1642  	for m, flags := range relevantMods {
  1643  		if flags&(resolved|named|hasPkg) != 0 {
  1644  			retractions = append(retractions, modMessage{m: m})
  1645  		}
  1646  	}
  1647  	sort.Slice(retractions, func(i, j int) bool { return retractions[i].m.Path < retractions[j].m.Path })
  1648  	for i := range retractions {
  1649  		i := i
  1650  		r.work.Add(func() {
  1651  			err := modload.CheckRetractions(ctx, retractions[i].m)
  1652  			if retractErr := (*modload.ModuleRetractedError)(nil); errors.As(err, &retractErr) {
  1653  				retractions[i].message = err.Error()
  1654  			}
  1655  		})
  1656  	}
  1657  
  1658  	// Load deprecations for modules mentioned on the command line. Only load
  1659  	// deprecations for indirect dependencies if they're also direct dependencies
  1660  	// of the main module. Deprecations of purely indirect dependencies are
  1661  	// not actionable.
  1662  	deprecations := make([]modMessage, 0, len(relevantMods))
  1663  	for m, flags := range relevantMods {
  1664  		if flags&(resolved|named) != 0 || flags&(hasPkg|direct) == hasPkg|direct {
  1665  			deprecations = append(deprecations, modMessage{m: m})
  1666  		}
  1667  	}
  1668  	sort.Slice(deprecations, func(i, j int) bool { return deprecations[i].m.Path < deprecations[j].m.Path })
  1669  	for i := range deprecations {
  1670  		i := i
  1671  		r.work.Add(func() {
  1672  			deprecation, err := modload.CheckDeprecation(ctx, deprecations[i].m)
  1673  			if err != nil || deprecation == "" {
  1674  				return
  1675  			}
  1676  			deprecations[i].message = modload.ShortMessage(deprecation, "")
  1677  		})
  1678  	}
  1679  
  1680  	// Load sums for updated modules that had sums before. When we update a
  1681  	// module, we may update another module in the build list that provides a
  1682  	// package in 'all' that wasn't loaded as part of this 'go get' command.
  1683  	// If we don't add a sum for that module, builds may fail later.
  1684  	// Note that an incidentally updated package could still import packages
  1685  	// from unknown modules or from modules in the build list that we didn't
  1686  	// need previously. We can't handle that case without loading 'all'.
  1687  	sumErrs := make([]error, len(r.buildList))
  1688  	for i := range r.buildList {
  1689  		i := i
  1690  		m := r.buildList[i]
  1691  		mActual := m
  1692  		if mRepl := modload.Replacement(m); mRepl.Path != "" {
  1693  			mActual = mRepl
  1694  		}
  1695  		old := module.Version{Path: m.Path, Version: r.initialVersion[m.Path]}
  1696  		if old.Version == "" {
  1697  			continue
  1698  		}
  1699  		oldActual := old
  1700  		if oldRepl := modload.Replacement(old); oldRepl.Path != "" {
  1701  			oldActual = oldRepl
  1702  		}
  1703  		if mActual == oldActual || mActual.Version == "" || !modfetch.HaveSum(oldActual) {
  1704  			continue
  1705  		}
  1706  		r.work.Add(func() {
  1707  			if _, err := modfetch.DownloadZip(ctx, mActual); err != nil {
  1708  				verb := "upgraded"
  1709  				if gover.ModCompare(m.Path, m.Version, old.Version) < 0 {
  1710  					verb = "downgraded"
  1711  				}
  1712  				replaced := ""
  1713  				if mActual != m {
  1714  					replaced = fmt.Sprintf(" (replaced by %s)", mActual)
  1715  				}
  1716  				err = fmt.Errorf("%s %s %s => %s%s: error finding sum for %s: %v", verb, m.Path, old.Version, m.Version, replaced, mActual, err)
  1717  				sumErrs[i] = err
  1718  			}
  1719  		})
  1720  	}
  1721  
  1722  	<-r.work.Idle()
  1723  
  1724  	// Report deprecations, then retractions, then errors fetching sums.
  1725  	// Only errors fetching sums are hard errors.
  1726  	for _, mm := range deprecations {
  1727  		if mm.message != "" {
  1728  			fmt.Fprintf(os.Stderr, "go: module %s is deprecated: %s\n", mm.m.Path, mm.message)
  1729  		}
  1730  	}
  1731  	var retractPath string
  1732  	for _, mm := range retractions {
  1733  		if mm.message != "" {
  1734  			fmt.Fprintf(os.Stderr, "go: warning: %v\n", mm.message)
  1735  			if retractPath == "" {
  1736  				retractPath = mm.m.Path
  1737  			} else {
  1738  				retractPath = "<module>"
  1739  			}
  1740  		}
  1741  	}
  1742  	if retractPath != "" {
  1743  		fmt.Fprintf(os.Stderr, "go: to switch to the latest unretracted version, run:\n\tgo get %s@latest\n", retractPath)
  1744  	}
  1745  	for _, err := range sumErrs {
  1746  		if err != nil {
  1747  			base.Error(err)
  1748  		}
  1749  	}
  1750  }
  1751  
  1752  // reportChanges logs version changes to os.Stderr.
  1753  //
  1754  // reportChanges only logs changes to modules named on the command line and to
  1755  // explicitly required modules in go.mod. Most changes to indirect requirements
  1756  // are not relevant to the user and are not logged.
  1757  //
  1758  // reportChanges should be called after WriteGoMod.
  1759  func (r *resolver) reportChanges(oldReqs, newReqs []module.Version) {
  1760  	type change struct {
  1761  		path, old, new string
  1762  	}
  1763  	changes := make(map[string]change)
  1764  
  1765  	// Collect changes in modules matched by command line arguments.
  1766  	for path, reason := range r.resolvedVersion {
  1767  		if gover.IsToolchain(path) {
  1768  			continue
  1769  		}
  1770  		old := r.initialVersion[path]
  1771  		new := reason.version
  1772  		if old != new && (old != "" || new != "none") {
  1773  			changes[path] = change{path, old, new}
  1774  		}
  1775  	}
  1776  
  1777  	// Collect changes to explicit requirements in go.mod.
  1778  	for _, req := range oldReqs {
  1779  		if gover.IsToolchain(req.Path) {
  1780  			continue
  1781  		}
  1782  		path := req.Path
  1783  		old := req.Version
  1784  		new := r.buildListVersion[path]
  1785  		if old != new {
  1786  			changes[path] = change{path, old, new}
  1787  		}
  1788  	}
  1789  	for _, req := range newReqs {
  1790  		if gover.IsToolchain(req.Path) {
  1791  			continue
  1792  		}
  1793  		path := req.Path
  1794  		old := r.initialVersion[path]
  1795  		new := req.Version
  1796  		if old != new {
  1797  			changes[path] = change{path, old, new}
  1798  		}
  1799  	}
  1800  
  1801  	// Toolchain diffs are easier than requirements: diff old and new directly.
  1802  	toolchainVersions := func(reqs []module.Version) (goV, toolchain string) {
  1803  		for _, req := range reqs {
  1804  			if req.Path == "go" {
  1805  				goV = req.Version
  1806  			}
  1807  			if req.Path == "toolchain" {
  1808  				toolchain = req.Version
  1809  			}
  1810  		}
  1811  		return
  1812  	}
  1813  	oldGo, oldToolchain := toolchainVersions(oldReqs)
  1814  	newGo, newToolchain := toolchainVersions(newReqs)
  1815  	if oldGo != newGo {
  1816  		changes["go"] = change{"go", oldGo, newGo}
  1817  	}
  1818  	if oldToolchain != newToolchain {
  1819  		changes["toolchain"] = change{"toolchain", oldToolchain, newToolchain}
  1820  	}
  1821  
  1822  	sortedChanges := make([]change, 0, len(changes))
  1823  	for _, c := range changes {
  1824  		sortedChanges = append(sortedChanges, c)
  1825  	}
  1826  	sort.Slice(sortedChanges, func(i, j int) bool {
  1827  		pi := sortedChanges[i].path
  1828  		pj := sortedChanges[j].path
  1829  		if pi == pj {
  1830  			return false
  1831  		}
  1832  		// go first; toolchain second
  1833  		switch {
  1834  		case pi == "go":
  1835  			return true
  1836  		case pj == "go":
  1837  			return false
  1838  		case pi == "toolchain":
  1839  			return true
  1840  		case pj == "toolchain":
  1841  			return false
  1842  		}
  1843  		return pi < pj
  1844  	})
  1845  
  1846  	for _, c := range sortedChanges {
  1847  		if c.old == "" {
  1848  			fmt.Fprintf(os.Stderr, "go: added %s %s\n", c.path, c.new)
  1849  		} else if c.new == "none" || c.new == "" {
  1850  			fmt.Fprintf(os.Stderr, "go: removed %s %s\n", c.path, c.old)
  1851  		} else if gover.ModCompare(c.path, c.new, c.old) > 0 {
  1852  			fmt.Fprintf(os.Stderr, "go: upgraded %s %s => %s\n", c.path, c.old, c.new)
  1853  			if c.path == "go" && gover.Compare(c.old, gover.ExplicitIndirectVersion) < 0 && gover.Compare(c.new, gover.ExplicitIndirectVersion) >= 0 {
  1854  				fmt.Fprintf(os.Stderr, "\tnote: expanded dependencies to upgrade to go %s or higher; run 'go mod tidy' to clean up\n", gover.ExplicitIndirectVersion)
  1855  			}
  1856  
  1857  		} else {
  1858  			fmt.Fprintf(os.Stderr, "go: downgraded %s %s => %s\n", c.path, c.old, c.new)
  1859  		}
  1860  	}
  1861  
  1862  	// TODO(golang.org/issue/33284): attribute changes to command line arguments.
  1863  	// For modules matched by command line arguments, this probably isn't
  1864  	// necessary, but it would be useful for unmatched direct dependencies of
  1865  	// the main module.
  1866  }
  1867  
  1868  // resolve records that module m must be at its indicated version (which may be
  1869  // "none") due to query q. If some other query forces module m to be at a
  1870  // different version, resolve reports a conflict error.
  1871  func (r *resolver) resolve(q *query, m module.Version) {
  1872  	if m.Path == "" {
  1873  		panic("internal error: resolving a module.Version with an empty path")
  1874  	}
  1875  
  1876  	if modload.MainModules.Contains(m.Path) && m.Version != "" {
  1877  		reportError(q, &modload.QueryMatchesMainModulesError{
  1878  			MainModules: []module.Version{{Path: m.Path}},
  1879  			Pattern:     q.pattern,
  1880  			Query:       q.version,
  1881  		})
  1882  		return
  1883  	}
  1884  
  1885  	vr, ok := r.resolvedVersion[m.Path]
  1886  	if ok && vr.version != m.Version {
  1887  		reportConflict(q, m, vr)
  1888  		return
  1889  	}
  1890  	r.resolvedVersion[m.Path] = versionReason{m.Version, q}
  1891  	q.resolved = append(q.resolved, m)
  1892  }
  1893  
  1894  // updateBuildList updates the module loader's global build list to be
  1895  // consistent with r.resolvedVersion, and to include additional modules
  1896  // provided that they do not conflict with the resolved versions.
  1897  //
  1898  // If the additional modules conflict with the resolved versions, they will be
  1899  // downgraded to a non-conflicting version (possibly "none").
  1900  //
  1901  // If the resulting build list is the same as the one resulting from the last
  1902  // call to updateBuildList, updateBuildList returns with changed=false.
  1903  func (r *resolver) updateBuildList(ctx context.Context, additions []module.Version) (changed bool) {
  1904  	defer base.ExitIfErrors()
  1905  
  1906  	resolved := make([]module.Version, 0, len(r.resolvedVersion))
  1907  	for mPath, rv := range r.resolvedVersion {
  1908  		if !modload.MainModules.Contains(mPath) {
  1909  			resolved = append(resolved, module.Version{Path: mPath, Version: rv.version})
  1910  		}
  1911  	}
  1912  
  1913  	changed, err := modload.EditBuildList(ctx, additions, resolved)
  1914  	if err != nil {
  1915  		if errors.Is(err, gover.ErrTooNew) {
  1916  			toolchain.SwitchOrFatal(ctx, err)
  1917  		}
  1918  
  1919  		var constraint *modload.ConstraintError
  1920  		if !errors.As(err, &constraint) {
  1921  			base.Fatal(err)
  1922  		}
  1923  
  1924  		if cfg.BuildV {
  1925  			// Log complete paths for the conflicts before we summarize them.
  1926  			for _, c := range constraint.Conflicts {
  1927  				fmt.Fprintf(os.Stderr, "go: %v\n", c.String())
  1928  			}
  1929  		}
  1930  
  1931  		// modload.EditBuildList reports constraint errors at
  1932  		// the module level, but 'go get' operates on packages.
  1933  		// Rewrite the errors to explain them in terms of packages.
  1934  		reason := func(m module.Version) string {
  1935  			rv, ok := r.resolvedVersion[m.Path]
  1936  			if !ok {
  1937  				return fmt.Sprintf("(INTERNAL ERROR: no reason found for %v)", m)
  1938  			}
  1939  			return rv.reason.ResolvedString(module.Version{Path: m.Path, Version: rv.version})
  1940  		}
  1941  		for _, c := range constraint.Conflicts {
  1942  			adverb := ""
  1943  			if len(c.Path) > 2 {
  1944  				adverb = "indirectly "
  1945  			}
  1946  			firstReason := reason(c.Path[0])
  1947  			last := c.Path[len(c.Path)-1]
  1948  			if c.Err != nil {
  1949  				base.Errorf("go: %v %srequires %v: %v", firstReason, adverb, last, c.UnwrapModuleError())
  1950  			} else {
  1951  				base.Errorf("go: %v %srequires %v, not %v", firstReason, adverb, last, reason(c.Constraint))
  1952  			}
  1953  		}
  1954  		return false
  1955  	}
  1956  	if !changed {
  1957  		return false
  1958  	}
  1959  
  1960  	mg, err := modload.LoadModGraph(ctx, "")
  1961  	if err != nil {
  1962  		toolchain.SwitchOrFatal(ctx, err)
  1963  	}
  1964  
  1965  	r.buildList = mg.BuildList()
  1966  	r.buildListVersion = make(map[string]string, len(r.buildList))
  1967  	for _, m := range r.buildList {
  1968  		r.buildListVersion[m.Path] = m.Version
  1969  	}
  1970  	return true
  1971  }
  1972  
  1973  func reqsFromGoMod(f *modfile.File) []module.Version {
  1974  	reqs := make([]module.Version, len(f.Require), 2+len(f.Require))
  1975  	for i, r := range f.Require {
  1976  		reqs[i] = r.Mod
  1977  	}
  1978  	if f.Go != nil {
  1979  		reqs = append(reqs, module.Version{Path: "go", Version: f.Go.Version})
  1980  	}
  1981  	if f.Toolchain != nil {
  1982  		reqs = append(reqs, module.Version{Path: "toolchain", Version: f.Toolchain.Name})
  1983  	}
  1984  	return reqs
  1985  }
  1986  
  1987  // isNoSuchModuleVersion reports whether err indicates that the requested module
  1988  // does not exist at the requested version, either because the module does not
  1989  // exist at all or because it does not include that specific version.
  1990  func isNoSuchModuleVersion(err error) bool {
  1991  	var noMatch *modload.NoMatchingVersionError
  1992  	return errors.Is(err, os.ErrNotExist) || errors.As(err, &noMatch)
  1993  }
  1994  
  1995  // isNoSuchPackageVersion reports whether err indicates that the requested
  1996  // package does not exist at the requested version, either because no module
  1997  // that could contain it exists at that version, or because every such module
  1998  // that does exist does not actually contain the package.
  1999  func isNoSuchPackageVersion(err error) bool {
  2000  	var noPackage *modload.PackageNotInModuleError
  2001  	return isNoSuchModuleVersion(err) || errors.As(err, &noPackage)
  2002  }
  2003  

View as plain text