diff options
| author | 2024-04-17 17:10:51 +0100 | |
|---|---|---|
| committer | 2024-04-17 17:10:51 +0100 | |
| commit | b3f2d441439af9d36096d11036220136588def43 (patch) | |
| tree | 87e7f8808fed70fa6b3d303bd139f03de67b8621 /vendor/golang.org/x/tools/go | |
| parent | update to set requesting account when deleting status (#2849) (diff) | |
| download | gotosocial-b3f2d441439af9d36096d11036220136588def43.tar.xz | |
bump to modernc.org/sqlite v1.29.7 (#2850)
Diffstat (limited to 'vendor/golang.org/x/tools/go')
8 files changed, 153 insertions, 114 deletions
| diff --git a/vendor/golang.org/x/tools/go/buildutil/tags.go b/vendor/golang.org/x/tools/go/buildutil/tags.go index 7cf523bca..32c8d1424 100644 --- a/vendor/golang.org/x/tools/go/buildutil/tags.go +++ b/vendor/golang.org/x/tools/go/buildutil/tags.go @@ -4,17 +4,22 @@  package buildutil -// This logic was copied from stringsFlag from $GOROOT/src/cmd/go/build.go. +// This duplicated logic must be kept in sync with that from go build: +//   $GOROOT/src/cmd/go/internal/work/build.go (tagsFlag.Set) +//   $GOROOT/src/cmd/go/internal/base/flag.go (StringsFlag.Set) +//   $GOROOT/src/cmd/internal/quoted/quoted.go (isSpaceByte, Split) -import "fmt" +import ( +	"fmt" +	"strings" +)  const TagsFlagDoc = "a list of `build tags` to consider satisfied during the build. " +  	"For more information about build tags, see the description of " +  	"build constraints in the documentation for the go/build package"  // TagsFlag is an implementation of the flag.Value and flag.Getter interfaces that parses -// a flag value in the same manner as go build's -tags flag and -// populates a []string slice. +// a flag value the same as go build's -tags flag and populates a []string slice.  //  // See $GOROOT/src/go/build/doc.go for description of build tags.  // See $GOROOT/src/cmd/go/doc.go for description of 'go build -tags' flag. @@ -25,19 +30,32 @@ const TagsFlagDoc = "a list of `build tags` to consider satisfied during the bui  type TagsFlag []string  func (v *TagsFlag) Set(s string) error { -	var err error -	*v, err = splitQuotedFields(s) -	if *v == nil { -		*v = []string{} +	// See $GOROOT/src/cmd/go/internal/work/build.go (tagsFlag.Set) +	// For compatibility with Go 1.12 and earlier, allow "-tags='a b c'" or even just "-tags='a'". +	if strings.Contains(s, " ") || strings.Contains(s, "'") { +		var err error +		*v, err = splitQuotedFields(s) +		if *v == nil { +			*v = []string{} +		} +		return err +	} + +	// Starting in Go 1.13, the -tags flag is a comma-separated list of build tags. +	*v = []string{} +	for _, s := range strings.Split(s, ",") { +		if s != "" { +			*v = append(*v, s) +		}  	} -	return err +	return nil  }  func (v *TagsFlag) Get() interface{} { return *v }  func splitQuotedFields(s string) ([]string, error) { -	// Split fields allowing '' or "" around elements. -	// Quotes further inside the string do not count. +	// See $GOROOT/src/cmd/internal/quoted/quoted.go (Split) +	// This must remain in sync with that logic.  	var f []string  	for len(s) > 0 {  		for len(s) > 0 && isSpaceByte(s[0]) { @@ -76,5 +94,7 @@ func (v *TagsFlag) String() string {  }  func isSpaceByte(c byte) bool { +	// See $GOROOT/src/cmd/internal/quoted/quoted.go (isSpaceByte, Split) +	// This list must remain in sync with that.  	return c == ' ' || c == '\t' || c == '\n' || c == '\r'  } diff --git a/vendor/golang.org/x/tools/go/gcexportdata/gcexportdata.go b/vendor/golang.org/x/tools/go/gcexportdata/gcexportdata.go index 03543bd4b..137cc8df1 100644 --- a/vendor/golang.org/x/tools/go/gcexportdata/gcexportdata.go +++ b/vendor/golang.org/x/tools/go/gcexportdata/gcexportdata.go @@ -47,7 +47,7 @@ import (  func Find(importPath, srcDir string) (filename, path string) {  	cmd := exec.Command("go", "list", "-json", "-export", "--", importPath)  	cmd.Dir = srcDir -	out, err := cmd.CombinedOutput() +	out, err := cmd.Output()  	if err != nil {  		return "", ""  	} diff --git a/vendor/golang.org/x/tools/go/internal/cgo/cgo_pkgconfig.go b/vendor/golang.org/x/tools/go/internal/cgo/cgo_pkgconfig.go index b5bb95a63..2455be54f 100644 --- a/vendor/golang.org/x/tools/go/internal/cgo/cgo_pkgconfig.go +++ b/vendor/golang.org/x/tools/go/internal/cgo/cgo_pkgconfig.go @@ -15,12 +15,15 @@ import (  // pkgConfig runs pkg-config with the specified arguments and returns the flags it prints.  func pkgConfig(mode string, pkgs []string) (flags []string, err error) {  	cmd := exec.Command("pkg-config", append([]string{mode}, pkgs...)...) -	out, err := cmd.CombinedOutput() +	out, err := cmd.Output()  	if err != nil {  		s := fmt.Sprintf("%s failed: %v", strings.Join(cmd.Args, " "), err)  		if len(out) > 0 {  			s = fmt.Sprintf("%s: %s", s, out)  		} +		if err, ok := err.(*exec.ExitError); ok && len(err.Stderr) > 0 { +			s = fmt.Sprintf("%s\nstderr:\n%s", s, err.Stderr) +		}  		return nil, errors.New(s)  	}  	if len(out) > 0 { diff --git a/vendor/golang.org/x/tools/go/packages/doc.go b/vendor/golang.org/x/tools/go/packages/doc.go index b2a0b7c6a..a8d7b06ac 100644 --- a/vendor/golang.org/x/tools/go/packages/doc.go +++ b/vendor/golang.org/x/tools/go/packages/doc.go @@ -15,22 +15,10 @@ Load passes most patterns directly to the underlying build tool.  The default build tool is the go command.  Its supported patterns are described at  https://pkg.go.dev/cmd/go#hdr-Package_lists_and_patterns. +Other build systems may be supported by providing a "driver"; +see [The driver protocol]. -Load may be used in Go projects that use alternative build systems, by -installing an appropriate "driver" program for the build system and -specifying its location in the GOPACKAGESDRIVER environment variable. -For example, -https://github.com/bazelbuild/rules_go/wiki/Editor-and-tool-integration -explains how to use the driver for Bazel. -The driver program is responsible for interpreting patterns in its -preferred notation and reporting information about the packages that -they identify. -(See driverRequest and driverResponse types for the JSON -schema used by the protocol. -Though the protocol is supported, these types are currently unexported; -see #64608 for a proposal to publish them.) - -Regardless of driver, all patterns with the prefix "query=", where query is a +All patterns with the prefix "query=", where query is a  non-empty string of letters from [a-z], are reserved and may be  interpreted as query operators. @@ -86,7 +74,29 @@ for details.  Most tools should pass their command-line arguments (after any flags)  uninterpreted to [Load], so that it can interpret them  according to the conventions of the underlying build system. +  See the Example function for typical usage. + +# The driver protocol + +[Load] may be used to load Go packages even in Go projects that use +alternative build systems, by installing an appropriate "driver" +program for the build system and specifying its location in the +GOPACKAGESDRIVER environment variable. +For example, +https://github.com/bazelbuild/rules_go/wiki/Editor-and-tool-integration +explains how to use the driver for Bazel. + +The driver program is responsible for interpreting patterns in its +preferred notation and reporting information about the packages that +those patterns identify. Drivers must also support the special "file=" +and "pattern=" patterns described above. + +The patterns are provided as positional command-line arguments. A +JSON-encoded [DriverRequest] message providing additional information +is written to the driver's standard input. The driver must write a +JSON-encoded [DriverResponse] message to its standard output. (This +message differs from the JSON schema produced by 'go list'.)  */  package packages // import "golang.org/x/tools/go/packages" diff --git a/vendor/golang.org/x/tools/go/packages/external.go b/vendor/golang.org/x/tools/go/packages/external.go index 7db1d1293..4335c1eb1 100644 --- a/vendor/golang.org/x/tools/go/packages/external.go +++ b/vendor/golang.org/x/tools/go/packages/external.go @@ -2,12 +2,11 @@  // Use of this source code is governed by a BSD-style  // license that can be found in the LICENSE file. -// This file enables an external tool to intercept package requests. -// If the tool is present then its results are used in preference to -// the go list command. -  package packages +// This file defines the protocol that enables an external "driver" +// tool to supply package metadata in place of 'go list'. +  import (  	"bytes"  	"encoding/json" @@ -17,31 +16,71 @@ import (  	"strings"  ) -// The Driver Protocol +// DriverRequest defines the schema of a request for package metadata +// from an external driver program. The JSON-encoded DriverRequest +// message is provided to the driver program's standard input. The +// query patterns are provided as command-line arguments.  // -// The driver, given the inputs to a call to Load, returns metadata about the packages specified. -// This allows for different build systems to support go/packages by telling go/packages how the -// packages' source is organized. -// The driver is a binary, either specified by the GOPACKAGESDRIVER environment variable or in -// the path as gopackagesdriver. It's given the inputs to load in its argv. See the package -// documentation in doc.go for the full description of the patterns that need to be supported. -// A driver receives as a JSON-serialized driverRequest struct in standard input and will -// produce a JSON-serialized driverResponse (see definition in packages.go) in its standard output. - -// driverRequest is used to provide the portion of Load's Config that is needed by a driver. -type driverRequest struct { +// See the package documentation for an overview. +type DriverRequest struct {  	Mode LoadMode `json:"mode"` +  	// Env specifies the environment the underlying build system should be run in.  	Env []string `json:"env"` +  	// BuildFlags are flags that should be passed to the underlying build system.  	BuildFlags []string `json:"build_flags"` +  	// Tests specifies whether the patterns should also return test packages.  	Tests bool `json:"tests"` +  	// Overlay maps file paths (relative to the driver's working directory) to the byte contents  	// of overlay files.  	Overlay map[string][]byte `json:"overlay"`  } +// DriverResponse defines the schema of a response from an external +// driver program, providing the results of a query for package +// metadata. The driver program must write a JSON-encoded +// DriverResponse message to its standard output. +// +// See the package documentation for an overview. +type DriverResponse struct { +	// NotHandled is returned if the request can't be handled by the current +	// driver. If an external driver returns a response with NotHandled, the +	// rest of the DriverResponse is ignored, and go/packages will fallback +	// to the next driver. If go/packages is extended in the future to support +	// lists of multiple drivers, go/packages will fall back to the next driver. +	NotHandled bool + +	// Compiler and Arch are the arguments pass of types.SizesFor +	// to get a types.Sizes to use when type checking. +	Compiler string +	Arch     string + +	// Roots is the set of package IDs that make up the root packages. +	// We have to encode this separately because when we encode a single package +	// we cannot know if it is one of the roots as that requires knowledge of the +	// graph it is part of. +	Roots []string `json:",omitempty"` + +	// Packages is the full set of packages in the graph. +	// The packages are not connected into a graph. +	// The Imports if populated will be stubs that only have their ID set. +	// Imports will be connected and then type and syntax information added in a +	// later pass (see refine). +	Packages []*Package + +	// GoVersion is the minor version number used by the driver +	// (e.g. the go command on the PATH) when selecting .go files. +	// Zero means unknown. +	GoVersion int +} + +// driver is the type for functions that query the build system for the +// packages named by the patterns. +type driver func(cfg *Config, patterns ...string) (*DriverResponse, error) +  // findExternalDriver returns the file path of a tool that supplies  // the build system package structure, or "" if not found."  // If GOPACKAGESDRIVER is set in the environment findExternalTool returns its @@ -64,8 +103,8 @@ func findExternalDriver(cfg *Config) driver {  			return nil  		}  	} -	return func(cfg *Config, words ...string) (*driverResponse, error) { -		req, err := json.Marshal(driverRequest{ +	return func(cfg *Config, words ...string) (*DriverResponse, error) { +		req, err := json.Marshal(DriverRequest{  			Mode:       cfg.Mode,  			Env:        cfg.Env,  			BuildFlags: cfg.BuildFlags, @@ -92,7 +131,7 @@ func findExternalDriver(cfg *Config) driver {  			fmt.Fprintf(os.Stderr, "%s stderr: <<%s>>\n", cmdDebugStr(cmd), stderr)  		} -		var response driverResponse +		var response DriverResponse  		if err := json.Unmarshal(buf.Bytes(), &response); err != nil {  			return nil, err  		} diff --git a/vendor/golang.org/x/tools/go/packages/golist.go b/vendor/golang.org/x/tools/go/packages/golist.go index cd375fbc3..22305d9c9 100644 --- a/vendor/golang.org/x/tools/go/packages/golist.go +++ b/vendor/golang.org/x/tools/go/packages/golist.go @@ -35,23 +35,23 @@ type goTooOldError struct {  	error  } -// responseDeduper wraps a driverResponse, deduplicating its contents. +// responseDeduper wraps a DriverResponse, deduplicating its contents.  type responseDeduper struct {  	seenRoots    map[string]bool  	seenPackages map[string]*Package -	dr           *driverResponse +	dr           *DriverResponse  }  func newDeduper() *responseDeduper {  	return &responseDeduper{ -		dr:           &driverResponse{}, +		dr:           &DriverResponse{},  		seenRoots:    map[string]bool{},  		seenPackages: map[string]*Package{},  	}  } -// addAll fills in r with a driverResponse. -func (r *responseDeduper) addAll(dr *driverResponse) { +// addAll fills in r with a DriverResponse. +func (r *responseDeduper) addAll(dr *DriverResponse) {  	for _, pkg := range dr.Packages {  		r.addPackage(pkg)  	} @@ -128,7 +128,7 @@ func (state *golistState) mustGetEnv() map[string]string {  // goListDriver uses the go list command to interpret the patterns and produce  // the build system package structure.  // See driver for more details. -func goListDriver(cfg *Config, patterns ...string) (*driverResponse, error) { +func goListDriver(cfg *Config, patterns ...string) (_ *DriverResponse, err error) {  	// Make sure that any asynchronous go commands are killed when we return.  	parentCtx := cfg.Context  	if parentCtx == nil { @@ -146,16 +146,18 @@ func goListDriver(cfg *Config, patterns ...string) (*driverResponse, error) {  	}  	// Fill in response.Sizes asynchronously if necessary. -	var sizeserr error -	var sizeswg sync.WaitGroup  	if cfg.Mode&NeedTypesSizes != 0 || cfg.Mode&NeedTypes != 0 { -		sizeswg.Add(1) +		errCh := make(chan error)  		go func() {  			compiler, arch, err := packagesdriver.GetSizesForArgsGolist(ctx, state.cfgInvocation(), cfg.gocmdRunner) -			sizeserr = err  			response.dr.Compiler = compiler  			response.dr.Arch = arch -			sizeswg.Done() +			errCh <- err +		}() +		defer func() { +			if sizesErr := <-errCh; sizesErr != nil { +				err = sizesErr +			}  		}()  	} @@ -208,10 +210,7 @@ extractQueries:  		}  	} -	sizeswg.Wait() -	if sizeserr != nil { -		return nil, sizeserr -	} +	// (We may yet return an error due to defer.)  	return response.dr, nil  } @@ -266,7 +265,7 @@ func (state *golistState) runContainsQueries(response *responseDeduper, queries  // adhocPackage attempts to load or construct an ad-hoc package for a given  // query, if the original call to the driver produced inadequate results. -func (state *golistState) adhocPackage(pattern, query string) (*driverResponse, error) { +func (state *golistState) adhocPackage(pattern, query string) (*DriverResponse, error) {  	response, err := state.createDriverResponse(query)  	if err != nil {  		return nil, err @@ -357,7 +356,7 @@ func otherFiles(p *jsonPackage) [][]string {  // createDriverResponse uses the "go list" command to expand the pattern  // words and return a response for the specified packages. -func (state *golistState) createDriverResponse(words ...string) (*driverResponse, error) { +func (state *golistState) createDriverResponse(words ...string) (*DriverResponse, error) {  	// go list uses the following identifiers in ImportPath and Imports:  	//  	// 	"p"			-- importable package or main (command) @@ -384,7 +383,7 @@ func (state *golistState) createDriverResponse(words ...string) (*driverResponse  	pkgs := make(map[string]*Package)  	additionalErrors := make(map[string][]Error)  	// Decode the JSON and convert it to Package form. -	response := &driverResponse{ +	response := &DriverResponse{  		GoVersion: goVersion,  	}  	for dec := json.NewDecoder(buf); dec.More(); { diff --git a/vendor/golang.org/x/tools/go/packages/packages.go b/vendor/golang.org/x/tools/go/packages/packages.go index 81e9e6a72..f33b0afc2 100644 --- a/vendor/golang.org/x/tools/go/packages/packages.go +++ b/vendor/golang.org/x/tools/go/packages/packages.go @@ -206,43 +206,6 @@ type Config struct {  	Overlay map[string][]byte  } -// driver is the type for functions that query the build system for the -// packages named by the patterns. -type driver func(cfg *Config, patterns ...string) (*driverResponse, error) - -// driverResponse contains the results for a driver query. -type driverResponse struct { -	// NotHandled is returned if the request can't be handled by the current -	// driver. If an external driver returns a response with NotHandled, the -	// rest of the driverResponse is ignored, and go/packages will fallback -	// to the next driver. If go/packages is extended in the future to support -	// lists of multiple drivers, go/packages will fall back to the next driver. -	NotHandled bool - -	// Compiler and Arch are the arguments pass of types.SizesFor -	// to get a types.Sizes to use when type checking. -	Compiler string -	Arch     string - -	// Roots is the set of package IDs that make up the root packages. -	// We have to encode this separately because when we encode a single package -	// we cannot know if it is one of the roots as that requires knowledge of the -	// graph it is part of. -	Roots []string `json:",omitempty"` - -	// Packages is the full set of packages in the graph. -	// The packages are not connected into a graph. -	// The Imports if populated will be stubs that only have their ID set. -	// Imports will be connected and then type and syntax information added in a -	// later pass (see refine). -	Packages []*Package - -	// GoVersion is the minor version number used by the driver -	// (e.g. the go command on the PATH) when selecting .go files. -	// Zero means unknown. -	GoVersion int -} -  // Load loads and returns the Go packages named by the given patterns.  //  // Config specifies loading options; @@ -291,7 +254,7 @@ func Load(cfg *Config, patterns ...string) ([]*Package, error) {  // no external driver, or the driver returns a response with NotHandled set,  // defaultDriver will fall back to the go list driver.  // The boolean result indicates that an external driver handled the request. -func defaultDriver(cfg *Config, patterns ...string) (*driverResponse, bool, error) { +func defaultDriver(cfg *Config, patterns ...string) (*DriverResponse, bool, error) {  	if driver := findExternalDriver(cfg); driver != nil {  		response, err := driver(cfg, patterns...)  		if err != nil { @@ -303,7 +266,10 @@ func defaultDriver(cfg *Config, patterns ...string) (*driverResponse, bool, erro  	}  	response, err := goListDriver(cfg, patterns...) -	return response, false, err +	if err != nil { +		return nil, false, err +	} +	return response, false, nil  }  // A Package describes a loaded Go package. @@ -648,7 +614,7 @@ func newLoader(cfg *Config) *loader {  // refine connects the supplied packages into a graph and then adds type  // and syntax information as requested by the LoadMode. -func (ld *loader) refine(response *driverResponse) ([]*Package, error) { +func (ld *loader) refine(response *DriverResponse) ([]*Package, error) {  	roots := response.Roots  	rootMap := make(map[string]int, len(roots))  	for i, root := range roots { diff --git a/vendor/golang.org/x/tools/go/types/objectpath/objectpath.go b/vendor/golang.org/x/tools/go/types/objectpath/objectpath.go index 11d5c8c3a..6a57ce3b1 100644 --- a/vendor/golang.org/x/tools/go/types/objectpath/objectpath.go +++ b/vendor/golang.org/x/tools/go/types/objectpath/objectpath.go @@ -29,9 +29,13 @@ import (  	"strconv"  	"strings" +	"golang.org/x/tools/internal/aliases"  	"golang.org/x/tools/internal/typeparams" +	"golang.org/x/tools/internal/typesinternal"  ) +// TODO(adonovan): think about generic aliases. +  // A Path is an opaque name that identifies a types.Object  // relative to its package. Conceptually, the name consists of a  // sequence of destructuring operations applied to the package scope @@ -223,7 +227,7 @@ func (enc *Encoder) For(obj types.Object) (Path, error) {  	//    Reject obviously non-viable cases.  	switch obj := obj.(type) {  	case *types.TypeName: -		if _, ok := obj.Type().(*types.TypeParam); !ok { +		if _, ok := aliases.Unalias(obj.Type()).(*types.TypeParam); !ok {  			// With the exception of type parameters, only package-level type names  			// have a path.  			return "", fmt.Errorf("no path for %v", obj) @@ -310,7 +314,7 @@ func (enc *Encoder) For(obj types.Object) (Path, error) {  		}  		// Inspect declared methods of defined types. -		if T, ok := o.Type().(*types.Named); ok { +		if T, ok := aliases.Unalias(o.Type()).(*types.Named); ok {  			path = append(path, opType)  			// The method index here is always with respect  			// to the underlying go/types data structures, @@ -395,13 +399,8 @@ func (enc *Encoder) concreteMethod(meth *types.Func) (Path, bool) {  		return "", false  	} -	recvT := meth.Type().(*types.Signature).Recv().Type() -	if ptr, ok := recvT.(*types.Pointer); ok { -		recvT = ptr.Elem() -	} - -	named, ok := recvT.(*types.Named) -	if !ok { +	_, named := typesinternal.ReceiverNamed(meth.Type().(*types.Signature).Recv()) +	if named == nil {  		return "", false  	} @@ -444,6 +443,8 @@ func (enc *Encoder) concreteMethod(meth *types.Func) (Path, bool) {  // nil, it will be allocated as necessary.  func find(obj types.Object, T types.Type, path []byte, seen map[*types.TypeName]bool) []byte {  	switch T := T.(type) { +	case *aliases.Alias: +		return find(obj, aliases.Unalias(T), path, seen)  	case *types.Basic, *types.Named:  		// Named types belonging to pkg were handled already,  		// so T must belong to another package. No path. @@ -616,6 +617,7 @@ func Object(pkg *types.Package, p Path) (types.Object, error) {  		// Inv: t != nil, obj == nil +		t = aliases.Unalias(t)  		switch code {  		case opElem:  			hasElem, ok := t.(hasElem) // Pointer, Slice, Array, Chan, Map | 
