Remove Kubernetes auto discovery
This commit is contained in:
		
							
								
								
									
										76
									
								
								vendor/golang.org/x/crypto/ssh/terminal/terminal.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										76
									
								
								vendor/golang.org/x/crypto/ssh/terminal/terminal.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,76 +0,0 @@ | ||||
| // Copyright 2011 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // Package terminal provides support functions for dealing with terminals, as | ||||
| // commonly found on UNIX systems. | ||||
| // | ||||
| // Deprecated: this package moved to golang.org/x/term. | ||||
| package terminal | ||||
|  | ||||
| import ( | ||||
| 	"io" | ||||
|  | ||||
| 	"golang.org/x/term" | ||||
| ) | ||||
|  | ||||
| // EscapeCodes contains escape sequences that can be written to the terminal in | ||||
| // order to achieve different styles of text. | ||||
| type EscapeCodes = term.EscapeCodes | ||||
|  | ||||
| // Terminal contains the state for running a VT100 terminal that is capable of | ||||
| // reading lines of input. | ||||
| type Terminal = term.Terminal | ||||
|  | ||||
| // NewTerminal runs a VT100 terminal on the given ReadWriter. If the ReadWriter is | ||||
| // a local terminal, that terminal must first have been put into raw mode. | ||||
| // prompt is a string that is written at the start of each input line (i.e. | ||||
| // "> "). | ||||
| func NewTerminal(c io.ReadWriter, prompt string) *Terminal { | ||||
| 	return term.NewTerminal(c, prompt) | ||||
| } | ||||
|  | ||||
| // ErrPasteIndicator may be returned from ReadLine as the error, in addition | ||||
| // to valid line data. It indicates that bracketed paste mode is enabled and | ||||
| // that the returned line consists only of pasted data. Programs may wish to | ||||
| // interpret pasted data more literally than typed data. | ||||
| var ErrPasteIndicator = term.ErrPasteIndicator | ||||
|  | ||||
| // State contains the state of a terminal. | ||||
| type State = term.State | ||||
|  | ||||
| // IsTerminal returns whether the given file descriptor is a terminal. | ||||
| func IsTerminal(fd int) bool { | ||||
| 	return term.IsTerminal(fd) | ||||
| } | ||||
|  | ||||
| // ReadPassword reads a line of input from a terminal without local echo.  This | ||||
| // is commonly used for inputting passwords and other sensitive data. The slice | ||||
| // returned does not include the \n. | ||||
| func ReadPassword(fd int) ([]byte, error) { | ||||
| 	return term.ReadPassword(fd) | ||||
| } | ||||
|  | ||||
| // MakeRaw puts the terminal connected to the given file descriptor into raw | ||||
| // mode and returns the previous state of the terminal so that it can be | ||||
| // restored. | ||||
| func MakeRaw(fd int) (*State, error) { | ||||
| 	return term.MakeRaw(fd) | ||||
| } | ||||
|  | ||||
| // Restore restores the terminal connected to the given file descriptor to a | ||||
| // previous state. | ||||
| func Restore(fd int, oldState *State) error { | ||||
| 	return term.Restore(fd, oldState) | ||||
| } | ||||
|  | ||||
| // GetState returns the current state of a terminal which may be useful to | ||||
| // restore the terminal after a signal. | ||||
| func GetState(fd int) (*State, error) { | ||||
| 	return term.GetState(fd) | ||||
| } | ||||
|  | ||||
| // GetSize returns the dimensions of the given terminal. | ||||
| func GetSize(fd int) (width, height int, err error) { | ||||
| 	return term.GetSize(fd) | ||||
| } | ||||
							
								
								
									
										56
									
								
								vendor/golang.org/x/net/context/context.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										56
									
								
								vendor/golang.org/x/net/context/context.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,56 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // Package context defines the Context type, which carries deadlines, | ||||
| // cancelation signals, and other request-scoped values across API boundaries | ||||
| // and between processes. | ||||
| // As of Go 1.7 this package is available in the standard library under the | ||||
| // name context.  https://golang.org/pkg/context. | ||||
| // | ||||
| // Incoming requests to a server should create a Context, and outgoing calls to | ||||
| // servers should accept a Context. The chain of function calls between must | ||||
| // propagate the Context, optionally replacing it with a modified copy created | ||||
| // using WithDeadline, WithTimeout, WithCancel, or WithValue. | ||||
| // | ||||
| // Programs that use Contexts should follow these rules to keep interfaces | ||||
| // consistent across packages and enable static analysis tools to check context | ||||
| // propagation: | ||||
| // | ||||
| // Do not store Contexts inside a struct type; instead, pass a Context | ||||
| // explicitly to each function that needs it. The Context should be the first | ||||
| // parameter, typically named ctx: | ||||
| // | ||||
| // 	func DoSomething(ctx context.Context, arg Arg) error { | ||||
| // 		// ... use ctx ... | ||||
| // 	} | ||||
| // | ||||
| // Do not pass a nil Context, even if a function permits it. Pass context.TODO | ||||
| // if you are unsure about which Context to use. | ||||
| // | ||||
| // Use context Values only for request-scoped data that transits processes and | ||||
| // APIs, not for passing optional parameters to functions. | ||||
| // | ||||
| // The same Context may be passed to functions running in different goroutines; | ||||
| // Contexts are safe for simultaneous use by multiple goroutines. | ||||
| // | ||||
| // See http://blog.golang.org/context for example code for a server that uses | ||||
| // Contexts. | ||||
| package context // import "golang.org/x/net/context" | ||||
|  | ||||
| // Background returns a non-nil, empty Context. It is never canceled, has no | ||||
| // values, and has no deadline. It is typically used by the main function, | ||||
| // initialization, and tests, and as the top-level Context for incoming | ||||
| // requests. | ||||
| func Background() Context { | ||||
| 	return background | ||||
| } | ||||
|  | ||||
| // TODO returns a non-nil, empty Context. Code should use context.TODO when | ||||
| // it's unclear which Context to use or it is not yet available (because the | ||||
| // surrounding function has not yet been extended to accept a Context | ||||
| // parameter).  TODO is recognized by static analysis tools that determine | ||||
| // whether Contexts are propagated correctly in a program. | ||||
| func TODO() Context { | ||||
| 	return todo | ||||
| } | ||||
							
								
								
									
										71
									
								
								vendor/golang.org/x/net/context/ctxhttp/ctxhttp.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										71
									
								
								vendor/golang.org/x/net/context/ctxhttp/ctxhttp.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,71 +0,0 @@ | ||||
| // Copyright 2016 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // Package ctxhttp provides helper functions for performing context-aware HTTP requests. | ||||
| package ctxhttp // import "golang.org/x/net/context/ctxhttp" | ||||
|  | ||||
| import ( | ||||
| 	"context" | ||||
| 	"io" | ||||
| 	"net/http" | ||||
| 	"net/url" | ||||
| 	"strings" | ||||
| ) | ||||
|  | ||||
| // Do sends an HTTP request with the provided http.Client and returns | ||||
| // an HTTP response. | ||||
| // | ||||
| // If the client is nil, http.DefaultClient is used. | ||||
| // | ||||
| // The provided ctx must be non-nil. If it is canceled or times out, | ||||
| // ctx.Err() will be returned. | ||||
| func Do(ctx context.Context, client *http.Client, req *http.Request) (*http.Response, error) { | ||||
| 	if client == nil { | ||||
| 		client = http.DefaultClient | ||||
| 	} | ||||
| 	resp, err := client.Do(req.WithContext(ctx)) | ||||
| 	// If we got an error, and the context has been canceled, | ||||
| 	// the context's error is probably more useful. | ||||
| 	if err != nil { | ||||
| 		select { | ||||
| 		case <-ctx.Done(): | ||||
| 			err = ctx.Err() | ||||
| 		default: | ||||
| 		} | ||||
| 	} | ||||
| 	return resp, err | ||||
| } | ||||
|  | ||||
| // Get issues a GET request via the Do function. | ||||
| func Get(ctx context.Context, client *http.Client, url string) (*http.Response, error) { | ||||
| 	req, err := http.NewRequest("GET", url, nil) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	return Do(ctx, client, req) | ||||
| } | ||||
|  | ||||
| // Head issues a HEAD request via the Do function. | ||||
| func Head(ctx context.Context, client *http.Client, url string) (*http.Response, error) { | ||||
| 	req, err := http.NewRequest("HEAD", url, nil) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	return Do(ctx, client, req) | ||||
| } | ||||
|  | ||||
| // Post issues a POST request via the Do function. | ||||
| func Post(ctx context.Context, client *http.Client, url string, bodyType string, body io.Reader) (*http.Response, error) { | ||||
| 	req, err := http.NewRequest("POST", url, body) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	req.Header.Set("Content-Type", bodyType) | ||||
| 	return Do(ctx, client, req) | ||||
| } | ||||
|  | ||||
| // PostForm issues a POST request via the Do function. | ||||
| func PostForm(ctx context.Context, client *http.Client, url string, data url.Values) (*http.Response, error) { | ||||
| 	return Post(ctx, client, url, "application/x-www-form-urlencoded", strings.NewReader(data.Encode())) | ||||
| } | ||||
							
								
								
									
										72
									
								
								vendor/golang.org/x/net/context/go17.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										72
									
								
								vendor/golang.org/x/net/context/go17.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,72 +0,0 @@ | ||||
| // Copyright 2016 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // +build go1.7 | ||||
|  | ||||
| package context | ||||
|  | ||||
| import ( | ||||
| 	"context" // standard library's context, as of Go 1.7 | ||||
| 	"time" | ||||
| ) | ||||
|  | ||||
| var ( | ||||
| 	todo       = context.TODO() | ||||
| 	background = context.Background() | ||||
| ) | ||||
|  | ||||
| // Canceled is the error returned by Context.Err when the context is canceled. | ||||
| var Canceled = context.Canceled | ||||
|  | ||||
| // DeadlineExceeded is the error returned by Context.Err when the context's | ||||
| // deadline passes. | ||||
| var DeadlineExceeded = context.DeadlineExceeded | ||||
|  | ||||
| // WithCancel returns a copy of parent with a new Done channel. The returned | ||||
| // context's Done channel is closed when the returned cancel function is called | ||||
| // or when the parent context's Done channel is closed, whichever happens first. | ||||
| // | ||||
| // Canceling this context releases resources associated with it, so code should | ||||
| // call cancel as soon as the operations running in this Context complete. | ||||
| func WithCancel(parent Context) (ctx Context, cancel CancelFunc) { | ||||
| 	ctx, f := context.WithCancel(parent) | ||||
| 	return ctx, CancelFunc(f) | ||||
| } | ||||
|  | ||||
| // WithDeadline returns a copy of the parent context with the deadline adjusted | ||||
| // to be no later than d. If the parent's deadline is already earlier than d, | ||||
| // WithDeadline(parent, d) is semantically equivalent to parent. The returned | ||||
| // context's Done channel is closed when the deadline expires, when the returned | ||||
| // cancel function is called, or when the parent context's Done channel is | ||||
| // closed, whichever happens first. | ||||
| // | ||||
| // Canceling this context releases resources associated with it, so code should | ||||
| // call cancel as soon as the operations running in this Context complete. | ||||
| func WithDeadline(parent Context, deadline time.Time) (Context, CancelFunc) { | ||||
| 	ctx, f := context.WithDeadline(parent, deadline) | ||||
| 	return ctx, CancelFunc(f) | ||||
| } | ||||
|  | ||||
| // WithTimeout returns WithDeadline(parent, time.Now().Add(timeout)). | ||||
| // | ||||
| // Canceling this context releases resources associated with it, so code should | ||||
| // call cancel as soon as the operations running in this Context complete: | ||||
| // | ||||
| // 	func slowOperationWithTimeout(ctx context.Context) (Result, error) { | ||||
| // 		ctx, cancel := context.WithTimeout(ctx, 100*time.Millisecond) | ||||
| // 		defer cancel()  // releases resources if slowOperation completes before timeout elapses | ||||
| // 		return slowOperation(ctx) | ||||
| // 	} | ||||
| func WithTimeout(parent Context, timeout time.Duration) (Context, CancelFunc) { | ||||
| 	return WithDeadline(parent, time.Now().Add(timeout)) | ||||
| } | ||||
|  | ||||
| // WithValue returns a copy of parent in which the value associated with key is | ||||
| // val. | ||||
| // | ||||
| // Use context Values only for request-scoped data that transits processes and | ||||
| // APIs, not for passing optional parameters to functions. | ||||
| func WithValue(parent Context, key interface{}, val interface{}) Context { | ||||
| 	return context.WithValue(parent, key, val) | ||||
| } | ||||
							
								
								
									
										20
									
								
								vendor/golang.org/x/net/context/go19.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										20
									
								
								vendor/golang.org/x/net/context/go19.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,20 +0,0 @@ | ||||
| // Copyright 2017 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // +build go1.9 | ||||
|  | ||||
| package context | ||||
|  | ||||
| import "context" // standard library's context, as of Go 1.7 | ||||
|  | ||||
| // A Context carries a deadline, a cancelation signal, and other values across | ||||
| // API boundaries. | ||||
| // | ||||
| // Context's methods may be called by multiple goroutines simultaneously. | ||||
| type Context = context.Context | ||||
|  | ||||
| // A CancelFunc tells an operation to abandon its work. | ||||
| // A CancelFunc does not wait for the work to stop. | ||||
| // After the first call, subsequent calls to a CancelFunc do nothing. | ||||
| type CancelFunc = context.CancelFunc | ||||
							
								
								
									
										300
									
								
								vendor/golang.org/x/net/context/pre_go17.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										300
									
								
								vendor/golang.org/x/net/context/pre_go17.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,300 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // +build !go1.7 | ||||
|  | ||||
| package context | ||||
|  | ||||
| import ( | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
| 	"sync" | ||||
| 	"time" | ||||
| ) | ||||
|  | ||||
| // An emptyCtx is never canceled, has no values, and has no deadline. It is not | ||||
| // struct{}, since vars of this type must have distinct addresses. | ||||
| type emptyCtx int | ||||
|  | ||||
| func (*emptyCtx) Deadline() (deadline time.Time, ok bool) { | ||||
| 	return | ||||
| } | ||||
|  | ||||
| func (*emptyCtx) Done() <-chan struct{} { | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func (*emptyCtx) Err() error { | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func (*emptyCtx) Value(key interface{}) interface{} { | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func (e *emptyCtx) String() string { | ||||
| 	switch e { | ||||
| 	case background: | ||||
| 		return "context.Background" | ||||
| 	case todo: | ||||
| 		return "context.TODO" | ||||
| 	} | ||||
| 	return "unknown empty Context" | ||||
| } | ||||
|  | ||||
| var ( | ||||
| 	background = new(emptyCtx) | ||||
| 	todo       = new(emptyCtx) | ||||
| ) | ||||
|  | ||||
| // Canceled is the error returned by Context.Err when the context is canceled. | ||||
| var Canceled = errors.New("context canceled") | ||||
|  | ||||
| // DeadlineExceeded is the error returned by Context.Err when the context's | ||||
| // deadline passes. | ||||
| var DeadlineExceeded = errors.New("context deadline exceeded") | ||||
|  | ||||
| // WithCancel returns a copy of parent with a new Done channel. The returned | ||||
| // context's Done channel is closed when the returned cancel function is called | ||||
| // or when the parent context's Done channel is closed, whichever happens first. | ||||
| // | ||||
| // Canceling this context releases resources associated with it, so code should | ||||
| // call cancel as soon as the operations running in this Context complete. | ||||
| func WithCancel(parent Context) (ctx Context, cancel CancelFunc) { | ||||
| 	c := newCancelCtx(parent) | ||||
| 	propagateCancel(parent, c) | ||||
| 	return c, func() { c.cancel(true, Canceled) } | ||||
| } | ||||
|  | ||||
| // newCancelCtx returns an initialized cancelCtx. | ||||
| func newCancelCtx(parent Context) *cancelCtx { | ||||
| 	return &cancelCtx{ | ||||
| 		Context: parent, | ||||
| 		done:    make(chan struct{}), | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // propagateCancel arranges for child to be canceled when parent is. | ||||
| func propagateCancel(parent Context, child canceler) { | ||||
| 	if parent.Done() == nil { | ||||
| 		return // parent is never canceled | ||||
| 	} | ||||
| 	if p, ok := parentCancelCtx(parent); ok { | ||||
| 		p.mu.Lock() | ||||
| 		if p.err != nil { | ||||
| 			// parent has already been canceled | ||||
| 			child.cancel(false, p.err) | ||||
| 		} else { | ||||
| 			if p.children == nil { | ||||
| 				p.children = make(map[canceler]bool) | ||||
| 			} | ||||
| 			p.children[child] = true | ||||
| 		} | ||||
| 		p.mu.Unlock() | ||||
| 	} else { | ||||
| 		go func() { | ||||
| 			select { | ||||
| 			case <-parent.Done(): | ||||
| 				child.cancel(false, parent.Err()) | ||||
| 			case <-child.Done(): | ||||
| 			} | ||||
| 		}() | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // parentCancelCtx follows a chain of parent references until it finds a | ||||
| // *cancelCtx. This function understands how each of the concrete types in this | ||||
| // package represents its parent. | ||||
| func parentCancelCtx(parent Context) (*cancelCtx, bool) { | ||||
| 	for { | ||||
| 		switch c := parent.(type) { | ||||
| 		case *cancelCtx: | ||||
| 			return c, true | ||||
| 		case *timerCtx: | ||||
| 			return c.cancelCtx, true | ||||
| 		case *valueCtx: | ||||
| 			parent = c.Context | ||||
| 		default: | ||||
| 			return nil, false | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // removeChild removes a context from its parent. | ||||
| func removeChild(parent Context, child canceler) { | ||||
| 	p, ok := parentCancelCtx(parent) | ||||
| 	if !ok { | ||||
| 		return | ||||
| 	} | ||||
| 	p.mu.Lock() | ||||
| 	if p.children != nil { | ||||
| 		delete(p.children, child) | ||||
| 	} | ||||
| 	p.mu.Unlock() | ||||
| } | ||||
|  | ||||
| // A canceler is a context type that can be canceled directly. The | ||||
| // implementations are *cancelCtx and *timerCtx. | ||||
| type canceler interface { | ||||
| 	cancel(removeFromParent bool, err error) | ||||
| 	Done() <-chan struct{} | ||||
| } | ||||
|  | ||||
| // A cancelCtx can be canceled. When canceled, it also cancels any children | ||||
| // that implement canceler. | ||||
| type cancelCtx struct { | ||||
| 	Context | ||||
|  | ||||
| 	done chan struct{} // closed by the first cancel call. | ||||
|  | ||||
| 	mu       sync.Mutex | ||||
| 	children map[canceler]bool // set to nil by the first cancel call | ||||
| 	err      error             // set to non-nil by the first cancel call | ||||
| } | ||||
|  | ||||
| func (c *cancelCtx) Done() <-chan struct{} { | ||||
| 	return c.done | ||||
| } | ||||
|  | ||||
| func (c *cancelCtx) Err() error { | ||||
| 	c.mu.Lock() | ||||
| 	defer c.mu.Unlock() | ||||
| 	return c.err | ||||
| } | ||||
|  | ||||
| func (c *cancelCtx) String() string { | ||||
| 	return fmt.Sprintf("%v.WithCancel", c.Context) | ||||
| } | ||||
|  | ||||
| // cancel closes c.done, cancels each of c's children, and, if | ||||
| // removeFromParent is true, removes c from its parent's children. | ||||
| func (c *cancelCtx) cancel(removeFromParent bool, err error) { | ||||
| 	if err == nil { | ||||
| 		panic("context: internal error: missing cancel error") | ||||
| 	} | ||||
| 	c.mu.Lock() | ||||
| 	if c.err != nil { | ||||
| 		c.mu.Unlock() | ||||
| 		return // already canceled | ||||
| 	} | ||||
| 	c.err = err | ||||
| 	close(c.done) | ||||
| 	for child := range c.children { | ||||
| 		// NOTE: acquiring the child's lock while holding parent's lock. | ||||
| 		child.cancel(false, err) | ||||
| 	} | ||||
| 	c.children = nil | ||||
| 	c.mu.Unlock() | ||||
|  | ||||
| 	if removeFromParent { | ||||
| 		removeChild(c.Context, c) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // WithDeadline returns a copy of the parent context with the deadline adjusted | ||||
| // to be no later than d. If the parent's deadline is already earlier than d, | ||||
| // WithDeadline(parent, d) is semantically equivalent to parent. The returned | ||||
| // context's Done channel is closed when the deadline expires, when the returned | ||||
| // cancel function is called, or when the parent context's Done channel is | ||||
| // closed, whichever happens first. | ||||
| // | ||||
| // Canceling this context releases resources associated with it, so code should | ||||
| // call cancel as soon as the operations running in this Context complete. | ||||
| func WithDeadline(parent Context, deadline time.Time) (Context, CancelFunc) { | ||||
| 	if cur, ok := parent.Deadline(); ok && cur.Before(deadline) { | ||||
| 		// The current deadline is already sooner than the new one. | ||||
| 		return WithCancel(parent) | ||||
| 	} | ||||
| 	c := &timerCtx{ | ||||
| 		cancelCtx: newCancelCtx(parent), | ||||
| 		deadline:  deadline, | ||||
| 	} | ||||
| 	propagateCancel(parent, c) | ||||
| 	d := deadline.Sub(time.Now()) | ||||
| 	if d <= 0 { | ||||
| 		c.cancel(true, DeadlineExceeded) // deadline has already passed | ||||
| 		return c, func() { c.cancel(true, Canceled) } | ||||
| 	} | ||||
| 	c.mu.Lock() | ||||
| 	defer c.mu.Unlock() | ||||
| 	if c.err == nil { | ||||
| 		c.timer = time.AfterFunc(d, func() { | ||||
| 			c.cancel(true, DeadlineExceeded) | ||||
| 		}) | ||||
| 	} | ||||
| 	return c, func() { c.cancel(true, Canceled) } | ||||
| } | ||||
|  | ||||
| // A timerCtx carries a timer and a deadline. It embeds a cancelCtx to | ||||
| // implement Done and Err. It implements cancel by stopping its timer then | ||||
| // delegating to cancelCtx.cancel. | ||||
| type timerCtx struct { | ||||
| 	*cancelCtx | ||||
| 	timer *time.Timer // Under cancelCtx.mu. | ||||
|  | ||||
| 	deadline time.Time | ||||
| } | ||||
|  | ||||
| func (c *timerCtx) Deadline() (deadline time.Time, ok bool) { | ||||
| 	return c.deadline, true | ||||
| } | ||||
|  | ||||
| func (c *timerCtx) String() string { | ||||
| 	return fmt.Sprintf("%v.WithDeadline(%s [%s])", c.cancelCtx.Context, c.deadline, c.deadline.Sub(time.Now())) | ||||
| } | ||||
|  | ||||
| func (c *timerCtx) cancel(removeFromParent bool, err error) { | ||||
| 	c.cancelCtx.cancel(false, err) | ||||
| 	if removeFromParent { | ||||
| 		// Remove this timerCtx from its parent cancelCtx's children. | ||||
| 		removeChild(c.cancelCtx.Context, c) | ||||
| 	} | ||||
| 	c.mu.Lock() | ||||
| 	if c.timer != nil { | ||||
| 		c.timer.Stop() | ||||
| 		c.timer = nil | ||||
| 	} | ||||
| 	c.mu.Unlock() | ||||
| } | ||||
|  | ||||
| // WithTimeout returns WithDeadline(parent, time.Now().Add(timeout)). | ||||
| // | ||||
| // Canceling this context releases resources associated with it, so code should | ||||
| // call cancel as soon as the operations running in this Context complete: | ||||
| // | ||||
| // 	func slowOperationWithTimeout(ctx context.Context) (Result, error) { | ||||
| // 		ctx, cancel := context.WithTimeout(ctx, 100*time.Millisecond) | ||||
| // 		defer cancel()  // releases resources if slowOperation completes before timeout elapses | ||||
| // 		return slowOperation(ctx) | ||||
| // 	} | ||||
| func WithTimeout(parent Context, timeout time.Duration) (Context, CancelFunc) { | ||||
| 	return WithDeadline(parent, time.Now().Add(timeout)) | ||||
| } | ||||
|  | ||||
| // WithValue returns a copy of parent in which the value associated with key is | ||||
| // val. | ||||
| // | ||||
| // Use context Values only for request-scoped data that transits processes and | ||||
| // APIs, not for passing optional parameters to functions. | ||||
| func WithValue(parent Context, key interface{}, val interface{}) Context { | ||||
| 	return &valueCtx{parent, key, val} | ||||
| } | ||||
|  | ||||
| // A valueCtx carries a key-value pair. It implements Value for that key and | ||||
| // delegates all other calls to the embedded Context. | ||||
| type valueCtx struct { | ||||
| 	Context | ||||
| 	key, val interface{} | ||||
| } | ||||
|  | ||||
| func (c *valueCtx) String() string { | ||||
| 	return fmt.Sprintf("%v.WithValue(%#v, %#v)", c.Context, c.key, c.val) | ||||
| } | ||||
|  | ||||
| func (c *valueCtx) Value(key interface{}) interface{} { | ||||
| 	if c.key == key { | ||||
| 		return c.val | ||||
| 	} | ||||
| 	return c.Context.Value(key) | ||||
| } | ||||
							
								
								
									
										109
									
								
								vendor/golang.org/x/net/context/pre_go19.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										109
									
								
								vendor/golang.org/x/net/context/pre_go19.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,109 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // +build !go1.9 | ||||
|  | ||||
| package context | ||||
|  | ||||
| import "time" | ||||
|  | ||||
| // A Context carries a deadline, a cancelation signal, and other values across | ||||
| // API boundaries. | ||||
| // | ||||
| // Context's methods may be called by multiple goroutines simultaneously. | ||||
| type Context interface { | ||||
| 	// Deadline returns the time when work done on behalf of this context | ||||
| 	// should be canceled. Deadline returns ok==false when no deadline is | ||||
| 	// set. Successive calls to Deadline return the same results. | ||||
| 	Deadline() (deadline time.Time, ok bool) | ||||
|  | ||||
| 	// Done returns a channel that's closed when work done on behalf of this | ||||
| 	// context should be canceled. Done may return nil if this context can | ||||
| 	// never be canceled. Successive calls to Done return the same value. | ||||
| 	// | ||||
| 	// WithCancel arranges for Done to be closed when cancel is called; | ||||
| 	// WithDeadline arranges for Done to be closed when the deadline | ||||
| 	// expires; WithTimeout arranges for Done to be closed when the timeout | ||||
| 	// elapses. | ||||
| 	// | ||||
| 	// Done is provided for use in select statements: | ||||
| 	// | ||||
| 	//  // Stream generates values with DoSomething and sends them to out | ||||
| 	//  // until DoSomething returns an error or ctx.Done is closed. | ||||
| 	//  func Stream(ctx context.Context, out chan<- Value) error { | ||||
| 	//  	for { | ||||
| 	//  		v, err := DoSomething(ctx) | ||||
| 	//  		if err != nil { | ||||
| 	//  			return err | ||||
| 	//  		} | ||||
| 	//  		select { | ||||
| 	//  		case <-ctx.Done(): | ||||
| 	//  			return ctx.Err() | ||||
| 	//  		case out <- v: | ||||
| 	//  		} | ||||
| 	//  	} | ||||
| 	//  } | ||||
| 	// | ||||
| 	// See http://blog.golang.org/pipelines for more examples of how to use | ||||
| 	// a Done channel for cancelation. | ||||
| 	Done() <-chan struct{} | ||||
|  | ||||
| 	// Err returns a non-nil error value after Done is closed. Err returns | ||||
| 	// Canceled if the context was canceled or DeadlineExceeded if the | ||||
| 	// context's deadline passed. No other values for Err are defined. | ||||
| 	// After Done is closed, successive calls to Err return the same value. | ||||
| 	Err() error | ||||
|  | ||||
| 	// Value returns the value associated with this context for key, or nil | ||||
| 	// if no value is associated with key. Successive calls to Value with | ||||
| 	// the same key returns the same result. | ||||
| 	// | ||||
| 	// Use context values only for request-scoped data that transits | ||||
| 	// processes and API boundaries, not for passing optional parameters to | ||||
| 	// functions. | ||||
| 	// | ||||
| 	// A key identifies a specific value in a Context. Functions that wish | ||||
| 	// to store values in Context typically allocate a key in a global | ||||
| 	// variable then use that key as the argument to context.WithValue and | ||||
| 	// Context.Value. A key can be any type that supports equality; | ||||
| 	// packages should define keys as an unexported type to avoid | ||||
| 	// collisions. | ||||
| 	// | ||||
| 	// Packages that define a Context key should provide type-safe accessors | ||||
| 	// for the values stores using that key: | ||||
| 	// | ||||
| 	// 	// Package user defines a User type that's stored in Contexts. | ||||
| 	// 	package user | ||||
| 	// | ||||
| 	// 	import "golang.org/x/net/context" | ||||
| 	// | ||||
| 	// 	// User is the type of value stored in the Contexts. | ||||
| 	// 	type User struct {...} | ||||
| 	// | ||||
| 	// 	// key is an unexported type for keys defined in this package. | ||||
| 	// 	// This prevents collisions with keys defined in other packages. | ||||
| 	// 	type key int | ||||
| 	// | ||||
| 	// 	// userKey is the key for user.User values in Contexts. It is | ||||
| 	// 	// unexported; clients use user.NewContext and user.FromContext | ||||
| 	// 	// instead of using this key directly. | ||||
| 	// 	var userKey key = 0 | ||||
| 	// | ||||
| 	// 	// NewContext returns a new Context that carries value u. | ||||
| 	// 	func NewContext(ctx context.Context, u *User) context.Context { | ||||
| 	// 		return context.WithValue(ctx, userKey, u) | ||||
| 	// 	} | ||||
| 	// | ||||
| 	// 	// FromContext returns the User value stored in ctx, if any. | ||||
| 	// 	func FromContext(ctx context.Context) (*User, bool) { | ||||
| 	// 		u, ok := ctx.Value(userKey).(*User) | ||||
| 	// 		return u, ok | ||||
| 	// 	} | ||||
| 	Value(key interface{}) interface{} | ||||
| } | ||||
|  | ||||
| // A CancelFunc tells an operation to abandon its work. | ||||
| // A CancelFunc does not wait for the work to stop. | ||||
| // After the first call, subsequent calls to a CancelFunc do nothing. | ||||
| type CancelFunc func() | ||||
							
								
								
									
										50
									
								
								vendor/golang.org/x/net/http/httpguts/guts.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										50
									
								
								vendor/golang.org/x/net/http/httpguts/guts.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,50 +0,0 @@ | ||||
| // Copyright 2018 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // Package httpguts provides functions implementing various details | ||||
| // of the HTTP specification. | ||||
| // | ||||
| // This package is shared by the standard library (which vendors it) | ||||
| // and x/net/http2. It comes with no API stability promise. | ||||
| package httpguts | ||||
|  | ||||
| import ( | ||||
| 	"net/textproto" | ||||
| 	"strings" | ||||
| ) | ||||
|  | ||||
| // ValidTrailerHeader reports whether name is a valid header field name to appear | ||||
| // in trailers. | ||||
| // See RFC 7230, Section 4.1.2 | ||||
| func ValidTrailerHeader(name string) bool { | ||||
| 	name = textproto.CanonicalMIMEHeaderKey(name) | ||||
| 	if strings.HasPrefix(name, "If-") || badTrailer[name] { | ||||
| 		return false | ||||
| 	} | ||||
| 	return true | ||||
| } | ||||
|  | ||||
| var badTrailer = map[string]bool{ | ||||
| 	"Authorization":       true, | ||||
| 	"Cache-Control":       true, | ||||
| 	"Connection":          true, | ||||
| 	"Content-Encoding":    true, | ||||
| 	"Content-Length":      true, | ||||
| 	"Content-Range":       true, | ||||
| 	"Content-Type":        true, | ||||
| 	"Expect":              true, | ||||
| 	"Host":                true, | ||||
| 	"Keep-Alive":          true, | ||||
| 	"Max-Forwards":        true, | ||||
| 	"Pragma":              true, | ||||
| 	"Proxy-Authenticate":  true, | ||||
| 	"Proxy-Authorization": true, | ||||
| 	"Proxy-Connection":    true, | ||||
| 	"Range":               true, | ||||
| 	"Realm":               true, | ||||
| 	"Te":                  true, | ||||
| 	"Trailer":             true, | ||||
| 	"Transfer-Encoding":   true, | ||||
| 	"Www-Authenticate":    true, | ||||
| } | ||||
							
								
								
									
										346
									
								
								vendor/golang.org/x/net/http/httpguts/httplex.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										346
									
								
								vendor/golang.org/x/net/http/httpguts/httplex.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,346 +0,0 @@ | ||||
| // Copyright 2016 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package httpguts | ||||
|  | ||||
| import ( | ||||
| 	"net" | ||||
| 	"strings" | ||||
| 	"unicode/utf8" | ||||
|  | ||||
| 	"golang.org/x/net/idna" | ||||
| ) | ||||
|  | ||||
| var isTokenTable = [127]bool{ | ||||
| 	'!':  true, | ||||
| 	'#':  true, | ||||
| 	'$':  true, | ||||
| 	'%':  true, | ||||
| 	'&':  true, | ||||
| 	'\'': true, | ||||
| 	'*':  true, | ||||
| 	'+':  true, | ||||
| 	'-':  true, | ||||
| 	'.':  true, | ||||
| 	'0':  true, | ||||
| 	'1':  true, | ||||
| 	'2':  true, | ||||
| 	'3':  true, | ||||
| 	'4':  true, | ||||
| 	'5':  true, | ||||
| 	'6':  true, | ||||
| 	'7':  true, | ||||
| 	'8':  true, | ||||
| 	'9':  true, | ||||
| 	'A':  true, | ||||
| 	'B':  true, | ||||
| 	'C':  true, | ||||
| 	'D':  true, | ||||
| 	'E':  true, | ||||
| 	'F':  true, | ||||
| 	'G':  true, | ||||
| 	'H':  true, | ||||
| 	'I':  true, | ||||
| 	'J':  true, | ||||
| 	'K':  true, | ||||
| 	'L':  true, | ||||
| 	'M':  true, | ||||
| 	'N':  true, | ||||
| 	'O':  true, | ||||
| 	'P':  true, | ||||
| 	'Q':  true, | ||||
| 	'R':  true, | ||||
| 	'S':  true, | ||||
| 	'T':  true, | ||||
| 	'U':  true, | ||||
| 	'W':  true, | ||||
| 	'V':  true, | ||||
| 	'X':  true, | ||||
| 	'Y':  true, | ||||
| 	'Z':  true, | ||||
| 	'^':  true, | ||||
| 	'_':  true, | ||||
| 	'`':  true, | ||||
| 	'a':  true, | ||||
| 	'b':  true, | ||||
| 	'c':  true, | ||||
| 	'd':  true, | ||||
| 	'e':  true, | ||||
| 	'f':  true, | ||||
| 	'g':  true, | ||||
| 	'h':  true, | ||||
| 	'i':  true, | ||||
| 	'j':  true, | ||||
| 	'k':  true, | ||||
| 	'l':  true, | ||||
| 	'm':  true, | ||||
| 	'n':  true, | ||||
| 	'o':  true, | ||||
| 	'p':  true, | ||||
| 	'q':  true, | ||||
| 	'r':  true, | ||||
| 	's':  true, | ||||
| 	't':  true, | ||||
| 	'u':  true, | ||||
| 	'v':  true, | ||||
| 	'w':  true, | ||||
| 	'x':  true, | ||||
| 	'y':  true, | ||||
| 	'z':  true, | ||||
| 	'|':  true, | ||||
| 	'~':  true, | ||||
| } | ||||
|  | ||||
| func IsTokenRune(r rune) bool { | ||||
| 	i := int(r) | ||||
| 	return i < len(isTokenTable) && isTokenTable[i] | ||||
| } | ||||
|  | ||||
| func isNotToken(r rune) bool { | ||||
| 	return !IsTokenRune(r) | ||||
| } | ||||
|  | ||||
| // HeaderValuesContainsToken reports whether any string in values | ||||
| // contains the provided token, ASCII case-insensitively. | ||||
| func HeaderValuesContainsToken(values []string, token string) bool { | ||||
| 	for _, v := range values { | ||||
| 		if headerValueContainsToken(v, token) { | ||||
| 			return true | ||||
| 		} | ||||
| 	} | ||||
| 	return false | ||||
| } | ||||
|  | ||||
| // isOWS reports whether b is an optional whitespace byte, as defined | ||||
| // by RFC 7230 section 3.2.3. | ||||
| func isOWS(b byte) bool { return b == ' ' || b == '\t' } | ||||
|  | ||||
| // trimOWS returns x with all optional whitespace removes from the | ||||
| // beginning and end. | ||||
| func trimOWS(x string) string { | ||||
| 	// TODO: consider using strings.Trim(x, " \t") instead, | ||||
| 	// if and when it's fast enough. See issue 10292. | ||||
| 	// But this ASCII-only code will probably always beat UTF-8 | ||||
| 	// aware code. | ||||
| 	for len(x) > 0 && isOWS(x[0]) { | ||||
| 		x = x[1:] | ||||
| 	} | ||||
| 	for len(x) > 0 && isOWS(x[len(x)-1]) { | ||||
| 		x = x[:len(x)-1] | ||||
| 	} | ||||
| 	return x | ||||
| } | ||||
|  | ||||
| // headerValueContainsToken reports whether v (assumed to be a | ||||
| // 0#element, in the ABNF extension described in RFC 7230 section 7) | ||||
| // contains token amongst its comma-separated tokens, ASCII | ||||
| // case-insensitively. | ||||
| func headerValueContainsToken(v string, token string) bool { | ||||
| 	v = trimOWS(v) | ||||
| 	if comma := strings.IndexByte(v, ','); comma != -1 { | ||||
| 		return tokenEqual(trimOWS(v[:comma]), token) || headerValueContainsToken(v[comma+1:], token) | ||||
| 	} | ||||
| 	return tokenEqual(v, token) | ||||
| } | ||||
|  | ||||
| // lowerASCII returns the ASCII lowercase version of b. | ||||
| func lowerASCII(b byte) byte { | ||||
| 	if 'A' <= b && b <= 'Z' { | ||||
| 		return b + ('a' - 'A') | ||||
| 	} | ||||
| 	return b | ||||
| } | ||||
|  | ||||
| // tokenEqual reports whether t1 and t2 are equal, ASCII case-insensitively. | ||||
| func tokenEqual(t1, t2 string) bool { | ||||
| 	if len(t1) != len(t2) { | ||||
| 		return false | ||||
| 	} | ||||
| 	for i, b := range t1 { | ||||
| 		if b >= utf8.RuneSelf { | ||||
| 			// No UTF-8 or non-ASCII allowed in tokens. | ||||
| 			return false | ||||
| 		} | ||||
| 		if lowerASCII(byte(b)) != lowerASCII(t2[i]) { | ||||
| 			return false | ||||
| 		} | ||||
| 	} | ||||
| 	return true | ||||
| } | ||||
|  | ||||
| // isLWS reports whether b is linear white space, according | ||||
| // to http://www.w3.org/Protocols/rfc2616/rfc2616-sec2.html#sec2.2 | ||||
| //      LWS            = [CRLF] 1*( SP | HT ) | ||||
| func isLWS(b byte) bool { return b == ' ' || b == '\t' } | ||||
|  | ||||
| // isCTL reports whether b is a control byte, according | ||||
| // to http://www.w3.org/Protocols/rfc2616/rfc2616-sec2.html#sec2.2 | ||||
| //      CTL            = <any US-ASCII control character | ||||
| //                       (octets 0 - 31) and DEL (127)> | ||||
| func isCTL(b byte) bool { | ||||
| 	const del = 0x7f // a CTL | ||||
| 	return b < ' ' || b == del | ||||
| } | ||||
|  | ||||
| // ValidHeaderFieldName reports whether v is a valid HTTP/1.x header name. | ||||
| // HTTP/2 imposes the additional restriction that uppercase ASCII | ||||
| // letters are not allowed. | ||||
| // | ||||
| //  RFC 7230 says: | ||||
| //   header-field   = field-name ":" OWS field-value OWS | ||||
| //   field-name     = token | ||||
| //   token          = 1*tchar | ||||
| //   tchar = "!" / "#" / "$" / "%" / "&" / "'" / "*" / "+" / "-" / "." / | ||||
| //           "^" / "_" / "`" / "|" / "~" / DIGIT / ALPHA | ||||
| func ValidHeaderFieldName(v string) bool { | ||||
| 	if len(v) == 0 { | ||||
| 		return false | ||||
| 	} | ||||
| 	for _, r := range v { | ||||
| 		if !IsTokenRune(r) { | ||||
| 			return false | ||||
| 		} | ||||
| 	} | ||||
| 	return true | ||||
| } | ||||
|  | ||||
| // ValidHostHeader reports whether h is a valid host header. | ||||
| func ValidHostHeader(h string) bool { | ||||
| 	// The latest spec is actually this: | ||||
| 	// | ||||
| 	// http://tools.ietf.org/html/rfc7230#section-5.4 | ||||
| 	//     Host = uri-host [ ":" port ] | ||||
| 	// | ||||
| 	// Where uri-host is: | ||||
| 	//     http://tools.ietf.org/html/rfc3986#section-3.2.2 | ||||
| 	// | ||||
| 	// But we're going to be much more lenient for now and just | ||||
| 	// search for any byte that's not a valid byte in any of those | ||||
| 	// expressions. | ||||
| 	for i := 0; i < len(h); i++ { | ||||
| 		if !validHostByte[h[i]] { | ||||
| 			return false | ||||
| 		} | ||||
| 	} | ||||
| 	return true | ||||
| } | ||||
|  | ||||
| // See the validHostHeader comment. | ||||
| var validHostByte = [256]bool{ | ||||
| 	'0': true, '1': true, '2': true, '3': true, '4': true, '5': true, '6': true, '7': true, | ||||
| 	'8': true, '9': true, | ||||
|  | ||||
| 	'a': true, 'b': true, 'c': true, 'd': true, 'e': true, 'f': true, 'g': true, 'h': true, | ||||
| 	'i': true, 'j': true, 'k': true, 'l': true, 'm': true, 'n': true, 'o': true, 'p': true, | ||||
| 	'q': true, 'r': true, 's': true, 't': true, 'u': true, 'v': true, 'w': true, 'x': true, | ||||
| 	'y': true, 'z': true, | ||||
|  | ||||
| 	'A': true, 'B': true, 'C': true, 'D': true, 'E': true, 'F': true, 'G': true, 'H': true, | ||||
| 	'I': true, 'J': true, 'K': true, 'L': true, 'M': true, 'N': true, 'O': true, 'P': true, | ||||
| 	'Q': true, 'R': true, 'S': true, 'T': true, 'U': true, 'V': true, 'W': true, 'X': true, | ||||
| 	'Y': true, 'Z': true, | ||||
|  | ||||
| 	'!':  true, // sub-delims | ||||
| 	'$':  true, // sub-delims | ||||
| 	'%':  true, // pct-encoded (and used in IPv6 zones) | ||||
| 	'&':  true, // sub-delims | ||||
| 	'(':  true, // sub-delims | ||||
| 	')':  true, // sub-delims | ||||
| 	'*':  true, // sub-delims | ||||
| 	'+':  true, // sub-delims | ||||
| 	',':  true, // sub-delims | ||||
| 	'-':  true, // unreserved | ||||
| 	'.':  true, // unreserved | ||||
| 	':':  true, // IPv6address + Host expression's optional port | ||||
| 	';':  true, // sub-delims | ||||
| 	'=':  true, // sub-delims | ||||
| 	'[':  true, | ||||
| 	'\'': true, // sub-delims | ||||
| 	']':  true, | ||||
| 	'_':  true, // unreserved | ||||
| 	'~':  true, // unreserved | ||||
| } | ||||
|  | ||||
| // ValidHeaderFieldValue reports whether v is a valid "field-value" according to | ||||
| // http://www.w3.org/Protocols/rfc2616/rfc2616-sec4.html#sec4.2 : | ||||
| // | ||||
| //        message-header = field-name ":" [ field-value ] | ||||
| //        field-value    = *( field-content | LWS ) | ||||
| //        field-content  = <the OCTETs making up the field-value | ||||
| //                         and consisting of either *TEXT or combinations | ||||
| //                         of token, separators, and quoted-string> | ||||
| // | ||||
| // http://www.w3.org/Protocols/rfc2616/rfc2616-sec2.html#sec2.2 : | ||||
| // | ||||
| //        TEXT           = <any OCTET except CTLs, | ||||
| //                          but including LWS> | ||||
| //        LWS            = [CRLF] 1*( SP | HT ) | ||||
| //        CTL            = <any US-ASCII control character | ||||
| //                         (octets 0 - 31) and DEL (127)> | ||||
| // | ||||
| // RFC 7230 says: | ||||
| //  field-value    = *( field-content / obs-fold ) | ||||
| //  obj-fold       =  N/A to http2, and deprecated | ||||
| //  field-content  = field-vchar [ 1*( SP / HTAB ) field-vchar ] | ||||
| //  field-vchar    = VCHAR / obs-text | ||||
| //  obs-text       = %x80-FF | ||||
| //  VCHAR          = "any visible [USASCII] character" | ||||
| // | ||||
| // http2 further says: "Similarly, HTTP/2 allows header field values | ||||
| // that are not valid. While most of the values that can be encoded | ||||
| // will not alter header field parsing, carriage return (CR, ASCII | ||||
| // 0xd), line feed (LF, ASCII 0xa), and the zero character (NUL, ASCII | ||||
| // 0x0) might be exploited by an attacker if they are translated | ||||
| // verbatim. Any request or response that contains a character not | ||||
| // permitted in a header field value MUST be treated as malformed | ||||
| // (Section 8.1.2.6). Valid characters are defined by the | ||||
| // field-content ABNF rule in Section 3.2 of [RFC7230]." | ||||
| // | ||||
| // This function does not (yet?) properly handle the rejection of | ||||
| // strings that begin or end with SP or HTAB. | ||||
| func ValidHeaderFieldValue(v string) bool { | ||||
| 	for i := 0; i < len(v); i++ { | ||||
| 		b := v[i] | ||||
| 		if isCTL(b) && !isLWS(b) { | ||||
| 			return false | ||||
| 		} | ||||
| 	} | ||||
| 	return true | ||||
| } | ||||
|  | ||||
| func isASCII(s string) bool { | ||||
| 	for i := 0; i < len(s); i++ { | ||||
| 		if s[i] >= utf8.RuneSelf { | ||||
| 			return false | ||||
| 		} | ||||
| 	} | ||||
| 	return true | ||||
| } | ||||
|  | ||||
| // PunycodeHostPort returns the IDNA Punycode version | ||||
| // of the provided "host" or "host:port" string. | ||||
| func PunycodeHostPort(v string) (string, error) { | ||||
| 	if isASCII(v) { | ||||
| 		return v, nil | ||||
| 	} | ||||
|  | ||||
| 	host, port, err := net.SplitHostPort(v) | ||||
| 	if err != nil { | ||||
| 		// The input 'v' argument was just a "host" argument, | ||||
| 		// without a port. This error should not be returned | ||||
| 		// to the caller. | ||||
| 		host = v | ||||
| 		port = "" | ||||
| 	} | ||||
| 	host, err = idna.ToASCII(host) | ||||
| 	if err != nil { | ||||
| 		// Non-UTF-8? Not representable in Punycode, in any | ||||
| 		// case. | ||||
| 		return "", err | ||||
| 	} | ||||
| 	if port == "" { | ||||
| 		return host, nil | ||||
| 	} | ||||
| 	return net.JoinHostPort(host, port), nil | ||||
| } | ||||
							
								
								
									
										2
									
								
								vendor/golang.org/x/net/http2/.gitignore
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										2
									
								
								vendor/golang.org/x/net/http2/.gitignore
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,2 +0,0 @@ | ||||
| *~ | ||||
| h2i/h2i | ||||
							
								
								
									
										51
									
								
								vendor/golang.org/x/net/http2/Dockerfile
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										51
									
								
								vendor/golang.org/x/net/http2/Dockerfile
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,51 +0,0 @@ | ||||
| # | ||||
| # This Dockerfile builds a recent curl with HTTP/2 client support, using | ||||
| # a recent nghttp2 build. | ||||
| # | ||||
| # See the Makefile for how to tag it. If Docker and that image is found, the | ||||
| # Go tests use this curl binary for integration tests. | ||||
| # | ||||
|  | ||||
| FROM ubuntu:trusty | ||||
|  | ||||
| RUN apt-get update && \ | ||||
|     apt-get upgrade -y && \ | ||||
|     apt-get install -y git-core build-essential wget | ||||
|  | ||||
| RUN apt-get install -y --no-install-recommends \ | ||||
|        autotools-dev libtool pkg-config zlib1g-dev \ | ||||
|        libcunit1-dev libssl-dev libxml2-dev libevent-dev \ | ||||
|        automake autoconf | ||||
|  | ||||
| # The list of packages nghttp2 recommends for h2load: | ||||
| RUN apt-get install -y --no-install-recommends make binutils \ | ||||
|         autoconf automake autotools-dev \ | ||||
|         libtool pkg-config zlib1g-dev libcunit1-dev libssl-dev libxml2-dev \ | ||||
|         libev-dev libevent-dev libjansson-dev libjemalloc-dev \ | ||||
|         cython python3.4-dev python-setuptools | ||||
|  | ||||
| # Note: setting NGHTTP2_VER before the git clone, so an old git clone isn't cached: | ||||
| ENV NGHTTP2_VER 895da9a | ||||
| RUN cd /root && git clone https://github.com/tatsuhiro-t/nghttp2.git | ||||
|  | ||||
| WORKDIR /root/nghttp2 | ||||
| RUN git reset --hard $NGHTTP2_VER | ||||
| RUN autoreconf -i | ||||
| RUN automake | ||||
| RUN autoconf | ||||
| RUN ./configure | ||||
| RUN make | ||||
| RUN make install | ||||
|  | ||||
| WORKDIR /root | ||||
| RUN wget http://curl.haxx.se/download/curl-7.45.0.tar.gz | ||||
| RUN tar -zxvf curl-7.45.0.tar.gz | ||||
| WORKDIR /root/curl-7.45.0 | ||||
| RUN ./configure --with-ssl --with-nghttp2=/usr/local | ||||
| RUN make | ||||
| RUN make install | ||||
| RUN ldconfig | ||||
|  | ||||
| CMD ["-h"] | ||||
| ENTRYPOINT ["/usr/local/bin/curl"] | ||||
|  | ||||
							
								
								
									
										3
									
								
								vendor/golang.org/x/net/http2/Makefile
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										3
									
								
								vendor/golang.org/x/net/http2/Makefile
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,3 +0,0 @@ | ||||
| curlimage: | ||||
| 	docker build -t gohttp2/curl . | ||||
|  | ||||
							
								
								
									
										20
									
								
								vendor/golang.org/x/net/http2/README
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										20
									
								
								vendor/golang.org/x/net/http2/README
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,20 +0,0 @@ | ||||
| This is a work-in-progress HTTP/2 implementation for Go. | ||||
|  | ||||
| It will eventually live in the Go standard library and won't require | ||||
| any changes to your code to use.  It will just be automatic. | ||||
|  | ||||
| Status: | ||||
|  | ||||
| * The server support is pretty good. A few things are missing | ||||
|   but are being worked on. | ||||
| * The client work has just started but shares a lot of code | ||||
|   is coming along much quicker. | ||||
|  | ||||
| Docs are at https://godoc.org/golang.org/x/net/http2 | ||||
|  | ||||
| Demo test server at https://http2.golang.org/ | ||||
|  | ||||
| Help & bug reports welcome! | ||||
|  | ||||
| Contributing: https://golang.org/doc/contribute.html | ||||
| Bugs:         https://golang.org/issue/new?title=x/net/http2:+ | ||||
							
								
								
									
										641
									
								
								vendor/golang.org/x/net/http2/ciphers.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										641
									
								
								vendor/golang.org/x/net/http2/ciphers.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,641 +0,0 @@ | ||||
| // Copyright 2017 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package http2 | ||||
|  | ||||
| // A list of the possible cipher suite ids. Taken from | ||||
| // https://www.iana.org/assignments/tls-parameters/tls-parameters.txt | ||||
|  | ||||
| const ( | ||||
| 	cipher_TLS_NULL_WITH_NULL_NULL               uint16 = 0x0000 | ||||
| 	cipher_TLS_RSA_WITH_NULL_MD5                 uint16 = 0x0001 | ||||
| 	cipher_TLS_RSA_WITH_NULL_SHA                 uint16 = 0x0002 | ||||
| 	cipher_TLS_RSA_EXPORT_WITH_RC4_40_MD5        uint16 = 0x0003 | ||||
| 	cipher_TLS_RSA_WITH_RC4_128_MD5              uint16 = 0x0004 | ||||
| 	cipher_TLS_RSA_WITH_RC4_128_SHA              uint16 = 0x0005 | ||||
| 	cipher_TLS_RSA_EXPORT_WITH_RC2_CBC_40_MD5    uint16 = 0x0006 | ||||
| 	cipher_TLS_RSA_WITH_IDEA_CBC_SHA             uint16 = 0x0007 | ||||
| 	cipher_TLS_RSA_EXPORT_WITH_DES40_CBC_SHA     uint16 = 0x0008 | ||||
| 	cipher_TLS_RSA_WITH_DES_CBC_SHA              uint16 = 0x0009 | ||||
| 	cipher_TLS_RSA_WITH_3DES_EDE_CBC_SHA         uint16 = 0x000A | ||||
| 	cipher_TLS_DH_DSS_EXPORT_WITH_DES40_CBC_SHA  uint16 = 0x000B | ||||
| 	cipher_TLS_DH_DSS_WITH_DES_CBC_SHA           uint16 = 0x000C | ||||
| 	cipher_TLS_DH_DSS_WITH_3DES_EDE_CBC_SHA      uint16 = 0x000D | ||||
| 	cipher_TLS_DH_RSA_EXPORT_WITH_DES40_CBC_SHA  uint16 = 0x000E | ||||
| 	cipher_TLS_DH_RSA_WITH_DES_CBC_SHA           uint16 = 0x000F | ||||
| 	cipher_TLS_DH_RSA_WITH_3DES_EDE_CBC_SHA      uint16 = 0x0010 | ||||
| 	cipher_TLS_DHE_DSS_EXPORT_WITH_DES40_CBC_SHA uint16 = 0x0011 | ||||
| 	cipher_TLS_DHE_DSS_WITH_DES_CBC_SHA          uint16 = 0x0012 | ||||
| 	cipher_TLS_DHE_DSS_WITH_3DES_EDE_CBC_SHA     uint16 = 0x0013 | ||||
| 	cipher_TLS_DHE_RSA_EXPORT_WITH_DES40_CBC_SHA uint16 = 0x0014 | ||||
| 	cipher_TLS_DHE_RSA_WITH_DES_CBC_SHA          uint16 = 0x0015 | ||||
| 	cipher_TLS_DHE_RSA_WITH_3DES_EDE_CBC_SHA     uint16 = 0x0016 | ||||
| 	cipher_TLS_DH_anon_EXPORT_WITH_RC4_40_MD5    uint16 = 0x0017 | ||||
| 	cipher_TLS_DH_anon_WITH_RC4_128_MD5          uint16 = 0x0018 | ||||
| 	cipher_TLS_DH_anon_EXPORT_WITH_DES40_CBC_SHA uint16 = 0x0019 | ||||
| 	cipher_TLS_DH_anon_WITH_DES_CBC_SHA          uint16 = 0x001A | ||||
| 	cipher_TLS_DH_anon_WITH_3DES_EDE_CBC_SHA     uint16 = 0x001B | ||||
| 	// Reserved uint16 =  0x001C-1D | ||||
| 	cipher_TLS_KRB5_WITH_DES_CBC_SHA             uint16 = 0x001E | ||||
| 	cipher_TLS_KRB5_WITH_3DES_EDE_CBC_SHA        uint16 = 0x001F | ||||
| 	cipher_TLS_KRB5_WITH_RC4_128_SHA             uint16 = 0x0020 | ||||
| 	cipher_TLS_KRB5_WITH_IDEA_CBC_SHA            uint16 = 0x0021 | ||||
| 	cipher_TLS_KRB5_WITH_DES_CBC_MD5             uint16 = 0x0022 | ||||
| 	cipher_TLS_KRB5_WITH_3DES_EDE_CBC_MD5        uint16 = 0x0023 | ||||
| 	cipher_TLS_KRB5_WITH_RC4_128_MD5             uint16 = 0x0024 | ||||
| 	cipher_TLS_KRB5_WITH_IDEA_CBC_MD5            uint16 = 0x0025 | ||||
| 	cipher_TLS_KRB5_EXPORT_WITH_DES_CBC_40_SHA   uint16 = 0x0026 | ||||
| 	cipher_TLS_KRB5_EXPORT_WITH_RC2_CBC_40_SHA   uint16 = 0x0027 | ||||
| 	cipher_TLS_KRB5_EXPORT_WITH_RC4_40_SHA       uint16 = 0x0028 | ||||
| 	cipher_TLS_KRB5_EXPORT_WITH_DES_CBC_40_MD5   uint16 = 0x0029 | ||||
| 	cipher_TLS_KRB5_EXPORT_WITH_RC2_CBC_40_MD5   uint16 = 0x002A | ||||
| 	cipher_TLS_KRB5_EXPORT_WITH_RC4_40_MD5       uint16 = 0x002B | ||||
| 	cipher_TLS_PSK_WITH_NULL_SHA                 uint16 = 0x002C | ||||
| 	cipher_TLS_DHE_PSK_WITH_NULL_SHA             uint16 = 0x002D | ||||
| 	cipher_TLS_RSA_PSK_WITH_NULL_SHA             uint16 = 0x002E | ||||
| 	cipher_TLS_RSA_WITH_AES_128_CBC_SHA          uint16 = 0x002F | ||||
| 	cipher_TLS_DH_DSS_WITH_AES_128_CBC_SHA       uint16 = 0x0030 | ||||
| 	cipher_TLS_DH_RSA_WITH_AES_128_CBC_SHA       uint16 = 0x0031 | ||||
| 	cipher_TLS_DHE_DSS_WITH_AES_128_CBC_SHA      uint16 = 0x0032 | ||||
| 	cipher_TLS_DHE_RSA_WITH_AES_128_CBC_SHA      uint16 = 0x0033 | ||||
| 	cipher_TLS_DH_anon_WITH_AES_128_CBC_SHA      uint16 = 0x0034 | ||||
| 	cipher_TLS_RSA_WITH_AES_256_CBC_SHA          uint16 = 0x0035 | ||||
| 	cipher_TLS_DH_DSS_WITH_AES_256_CBC_SHA       uint16 = 0x0036 | ||||
| 	cipher_TLS_DH_RSA_WITH_AES_256_CBC_SHA       uint16 = 0x0037 | ||||
| 	cipher_TLS_DHE_DSS_WITH_AES_256_CBC_SHA      uint16 = 0x0038 | ||||
| 	cipher_TLS_DHE_RSA_WITH_AES_256_CBC_SHA      uint16 = 0x0039 | ||||
| 	cipher_TLS_DH_anon_WITH_AES_256_CBC_SHA      uint16 = 0x003A | ||||
| 	cipher_TLS_RSA_WITH_NULL_SHA256              uint16 = 0x003B | ||||
| 	cipher_TLS_RSA_WITH_AES_128_CBC_SHA256       uint16 = 0x003C | ||||
| 	cipher_TLS_RSA_WITH_AES_256_CBC_SHA256       uint16 = 0x003D | ||||
| 	cipher_TLS_DH_DSS_WITH_AES_128_CBC_SHA256    uint16 = 0x003E | ||||
| 	cipher_TLS_DH_RSA_WITH_AES_128_CBC_SHA256    uint16 = 0x003F | ||||
| 	cipher_TLS_DHE_DSS_WITH_AES_128_CBC_SHA256   uint16 = 0x0040 | ||||
| 	cipher_TLS_RSA_WITH_CAMELLIA_128_CBC_SHA     uint16 = 0x0041 | ||||
| 	cipher_TLS_DH_DSS_WITH_CAMELLIA_128_CBC_SHA  uint16 = 0x0042 | ||||
| 	cipher_TLS_DH_RSA_WITH_CAMELLIA_128_CBC_SHA  uint16 = 0x0043 | ||||
| 	cipher_TLS_DHE_DSS_WITH_CAMELLIA_128_CBC_SHA uint16 = 0x0044 | ||||
| 	cipher_TLS_DHE_RSA_WITH_CAMELLIA_128_CBC_SHA uint16 = 0x0045 | ||||
| 	cipher_TLS_DH_anon_WITH_CAMELLIA_128_CBC_SHA uint16 = 0x0046 | ||||
| 	// Reserved uint16 =  0x0047-4F | ||||
| 	// Reserved uint16 =  0x0050-58 | ||||
| 	// Reserved uint16 =  0x0059-5C | ||||
| 	// Unassigned uint16 =  0x005D-5F | ||||
| 	// Reserved uint16 =  0x0060-66 | ||||
| 	cipher_TLS_DHE_RSA_WITH_AES_128_CBC_SHA256 uint16 = 0x0067 | ||||
| 	cipher_TLS_DH_DSS_WITH_AES_256_CBC_SHA256  uint16 = 0x0068 | ||||
| 	cipher_TLS_DH_RSA_WITH_AES_256_CBC_SHA256  uint16 = 0x0069 | ||||
| 	cipher_TLS_DHE_DSS_WITH_AES_256_CBC_SHA256 uint16 = 0x006A | ||||
| 	cipher_TLS_DHE_RSA_WITH_AES_256_CBC_SHA256 uint16 = 0x006B | ||||
| 	cipher_TLS_DH_anon_WITH_AES_128_CBC_SHA256 uint16 = 0x006C | ||||
| 	cipher_TLS_DH_anon_WITH_AES_256_CBC_SHA256 uint16 = 0x006D | ||||
| 	// Unassigned uint16 =  0x006E-83 | ||||
| 	cipher_TLS_RSA_WITH_CAMELLIA_256_CBC_SHA        uint16 = 0x0084 | ||||
| 	cipher_TLS_DH_DSS_WITH_CAMELLIA_256_CBC_SHA     uint16 = 0x0085 | ||||
| 	cipher_TLS_DH_RSA_WITH_CAMELLIA_256_CBC_SHA     uint16 = 0x0086 | ||||
| 	cipher_TLS_DHE_DSS_WITH_CAMELLIA_256_CBC_SHA    uint16 = 0x0087 | ||||
| 	cipher_TLS_DHE_RSA_WITH_CAMELLIA_256_CBC_SHA    uint16 = 0x0088 | ||||
| 	cipher_TLS_DH_anon_WITH_CAMELLIA_256_CBC_SHA    uint16 = 0x0089 | ||||
| 	cipher_TLS_PSK_WITH_RC4_128_SHA                 uint16 = 0x008A | ||||
| 	cipher_TLS_PSK_WITH_3DES_EDE_CBC_SHA            uint16 = 0x008B | ||||
| 	cipher_TLS_PSK_WITH_AES_128_CBC_SHA             uint16 = 0x008C | ||||
| 	cipher_TLS_PSK_WITH_AES_256_CBC_SHA             uint16 = 0x008D | ||||
| 	cipher_TLS_DHE_PSK_WITH_RC4_128_SHA             uint16 = 0x008E | ||||
| 	cipher_TLS_DHE_PSK_WITH_3DES_EDE_CBC_SHA        uint16 = 0x008F | ||||
| 	cipher_TLS_DHE_PSK_WITH_AES_128_CBC_SHA         uint16 = 0x0090 | ||||
| 	cipher_TLS_DHE_PSK_WITH_AES_256_CBC_SHA         uint16 = 0x0091 | ||||
| 	cipher_TLS_RSA_PSK_WITH_RC4_128_SHA             uint16 = 0x0092 | ||||
| 	cipher_TLS_RSA_PSK_WITH_3DES_EDE_CBC_SHA        uint16 = 0x0093 | ||||
| 	cipher_TLS_RSA_PSK_WITH_AES_128_CBC_SHA         uint16 = 0x0094 | ||||
| 	cipher_TLS_RSA_PSK_WITH_AES_256_CBC_SHA         uint16 = 0x0095 | ||||
| 	cipher_TLS_RSA_WITH_SEED_CBC_SHA                uint16 = 0x0096 | ||||
| 	cipher_TLS_DH_DSS_WITH_SEED_CBC_SHA             uint16 = 0x0097 | ||||
| 	cipher_TLS_DH_RSA_WITH_SEED_CBC_SHA             uint16 = 0x0098 | ||||
| 	cipher_TLS_DHE_DSS_WITH_SEED_CBC_SHA            uint16 = 0x0099 | ||||
| 	cipher_TLS_DHE_RSA_WITH_SEED_CBC_SHA            uint16 = 0x009A | ||||
| 	cipher_TLS_DH_anon_WITH_SEED_CBC_SHA            uint16 = 0x009B | ||||
| 	cipher_TLS_RSA_WITH_AES_128_GCM_SHA256          uint16 = 0x009C | ||||
| 	cipher_TLS_RSA_WITH_AES_256_GCM_SHA384          uint16 = 0x009D | ||||
| 	cipher_TLS_DHE_RSA_WITH_AES_128_GCM_SHA256      uint16 = 0x009E | ||||
| 	cipher_TLS_DHE_RSA_WITH_AES_256_GCM_SHA384      uint16 = 0x009F | ||||
| 	cipher_TLS_DH_RSA_WITH_AES_128_GCM_SHA256       uint16 = 0x00A0 | ||||
| 	cipher_TLS_DH_RSA_WITH_AES_256_GCM_SHA384       uint16 = 0x00A1 | ||||
| 	cipher_TLS_DHE_DSS_WITH_AES_128_GCM_SHA256      uint16 = 0x00A2 | ||||
| 	cipher_TLS_DHE_DSS_WITH_AES_256_GCM_SHA384      uint16 = 0x00A3 | ||||
| 	cipher_TLS_DH_DSS_WITH_AES_128_GCM_SHA256       uint16 = 0x00A4 | ||||
| 	cipher_TLS_DH_DSS_WITH_AES_256_GCM_SHA384       uint16 = 0x00A5 | ||||
| 	cipher_TLS_DH_anon_WITH_AES_128_GCM_SHA256      uint16 = 0x00A6 | ||||
| 	cipher_TLS_DH_anon_WITH_AES_256_GCM_SHA384      uint16 = 0x00A7 | ||||
| 	cipher_TLS_PSK_WITH_AES_128_GCM_SHA256          uint16 = 0x00A8 | ||||
| 	cipher_TLS_PSK_WITH_AES_256_GCM_SHA384          uint16 = 0x00A9 | ||||
| 	cipher_TLS_DHE_PSK_WITH_AES_128_GCM_SHA256      uint16 = 0x00AA | ||||
| 	cipher_TLS_DHE_PSK_WITH_AES_256_GCM_SHA384      uint16 = 0x00AB | ||||
| 	cipher_TLS_RSA_PSK_WITH_AES_128_GCM_SHA256      uint16 = 0x00AC | ||||
| 	cipher_TLS_RSA_PSK_WITH_AES_256_GCM_SHA384      uint16 = 0x00AD | ||||
| 	cipher_TLS_PSK_WITH_AES_128_CBC_SHA256          uint16 = 0x00AE | ||||
| 	cipher_TLS_PSK_WITH_AES_256_CBC_SHA384          uint16 = 0x00AF | ||||
| 	cipher_TLS_PSK_WITH_NULL_SHA256                 uint16 = 0x00B0 | ||||
| 	cipher_TLS_PSK_WITH_NULL_SHA384                 uint16 = 0x00B1 | ||||
| 	cipher_TLS_DHE_PSK_WITH_AES_128_CBC_SHA256      uint16 = 0x00B2 | ||||
| 	cipher_TLS_DHE_PSK_WITH_AES_256_CBC_SHA384      uint16 = 0x00B3 | ||||
| 	cipher_TLS_DHE_PSK_WITH_NULL_SHA256             uint16 = 0x00B4 | ||||
| 	cipher_TLS_DHE_PSK_WITH_NULL_SHA384             uint16 = 0x00B5 | ||||
| 	cipher_TLS_RSA_PSK_WITH_AES_128_CBC_SHA256      uint16 = 0x00B6 | ||||
| 	cipher_TLS_RSA_PSK_WITH_AES_256_CBC_SHA384      uint16 = 0x00B7 | ||||
| 	cipher_TLS_RSA_PSK_WITH_NULL_SHA256             uint16 = 0x00B8 | ||||
| 	cipher_TLS_RSA_PSK_WITH_NULL_SHA384             uint16 = 0x00B9 | ||||
| 	cipher_TLS_RSA_WITH_CAMELLIA_128_CBC_SHA256     uint16 = 0x00BA | ||||
| 	cipher_TLS_DH_DSS_WITH_CAMELLIA_128_CBC_SHA256  uint16 = 0x00BB | ||||
| 	cipher_TLS_DH_RSA_WITH_CAMELLIA_128_CBC_SHA256  uint16 = 0x00BC | ||||
| 	cipher_TLS_DHE_DSS_WITH_CAMELLIA_128_CBC_SHA256 uint16 = 0x00BD | ||||
| 	cipher_TLS_DHE_RSA_WITH_CAMELLIA_128_CBC_SHA256 uint16 = 0x00BE | ||||
| 	cipher_TLS_DH_anon_WITH_CAMELLIA_128_CBC_SHA256 uint16 = 0x00BF | ||||
| 	cipher_TLS_RSA_WITH_CAMELLIA_256_CBC_SHA256     uint16 = 0x00C0 | ||||
| 	cipher_TLS_DH_DSS_WITH_CAMELLIA_256_CBC_SHA256  uint16 = 0x00C1 | ||||
| 	cipher_TLS_DH_RSA_WITH_CAMELLIA_256_CBC_SHA256  uint16 = 0x00C2 | ||||
| 	cipher_TLS_DHE_DSS_WITH_CAMELLIA_256_CBC_SHA256 uint16 = 0x00C3 | ||||
| 	cipher_TLS_DHE_RSA_WITH_CAMELLIA_256_CBC_SHA256 uint16 = 0x00C4 | ||||
| 	cipher_TLS_DH_anon_WITH_CAMELLIA_256_CBC_SHA256 uint16 = 0x00C5 | ||||
| 	// Unassigned uint16 =  0x00C6-FE | ||||
| 	cipher_TLS_EMPTY_RENEGOTIATION_INFO_SCSV uint16 = 0x00FF | ||||
| 	// Unassigned uint16 =  0x01-55,* | ||||
| 	cipher_TLS_FALLBACK_SCSV uint16 = 0x5600 | ||||
| 	// Unassigned                                   uint16 = 0x5601 - 0xC000 | ||||
| 	cipher_TLS_ECDH_ECDSA_WITH_NULL_SHA                 uint16 = 0xC001 | ||||
| 	cipher_TLS_ECDH_ECDSA_WITH_RC4_128_SHA              uint16 = 0xC002 | ||||
| 	cipher_TLS_ECDH_ECDSA_WITH_3DES_EDE_CBC_SHA         uint16 = 0xC003 | ||||
| 	cipher_TLS_ECDH_ECDSA_WITH_AES_128_CBC_SHA          uint16 = 0xC004 | ||||
| 	cipher_TLS_ECDH_ECDSA_WITH_AES_256_CBC_SHA          uint16 = 0xC005 | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_NULL_SHA                uint16 = 0xC006 | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_RC4_128_SHA             uint16 = 0xC007 | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_3DES_EDE_CBC_SHA        uint16 = 0xC008 | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA         uint16 = 0xC009 | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA         uint16 = 0xC00A | ||||
| 	cipher_TLS_ECDH_RSA_WITH_NULL_SHA                   uint16 = 0xC00B | ||||
| 	cipher_TLS_ECDH_RSA_WITH_RC4_128_SHA                uint16 = 0xC00C | ||||
| 	cipher_TLS_ECDH_RSA_WITH_3DES_EDE_CBC_SHA           uint16 = 0xC00D | ||||
| 	cipher_TLS_ECDH_RSA_WITH_AES_128_CBC_SHA            uint16 = 0xC00E | ||||
| 	cipher_TLS_ECDH_RSA_WITH_AES_256_CBC_SHA            uint16 = 0xC00F | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_NULL_SHA                  uint16 = 0xC010 | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_RC4_128_SHA               uint16 = 0xC011 | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_3DES_EDE_CBC_SHA          uint16 = 0xC012 | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA           uint16 = 0xC013 | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA           uint16 = 0xC014 | ||||
| 	cipher_TLS_ECDH_anon_WITH_NULL_SHA                  uint16 = 0xC015 | ||||
| 	cipher_TLS_ECDH_anon_WITH_RC4_128_SHA               uint16 = 0xC016 | ||||
| 	cipher_TLS_ECDH_anon_WITH_3DES_EDE_CBC_SHA          uint16 = 0xC017 | ||||
| 	cipher_TLS_ECDH_anon_WITH_AES_128_CBC_SHA           uint16 = 0xC018 | ||||
| 	cipher_TLS_ECDH_anon_WITH_AES_256_CBC_SHA           uint16 = 0xC019 | ||||
| 	cipher_TLS_SRP_SHA_WITH_3DES_EDE_CBC_SHA            uint16 = 0xC01A | ||||
| 	cipher_TLS_SRP_SHA_RSA_WITH_3DES_EDE_CBC_SHA        uint16 = 0xC01B | ||||
| 	cipher_TLS_SRP_SHA_DSS_WITH_3DES_EDE_CBC_SHA        uint16 = 0xC01C | ||||
| 	cipher_TLS_SRP_SHA_WITH_AES_128_CBC_SHA             uint16 = 0xC01D | ||||
| 	cipher_TLS_SRP_SHA_RSA_WITH_AES_128_CBC_SHA         uint16 = 0xC01E | ||||
| 	cipher_TLS_SRP_SHA_DSS_WITH_AES_128_CBC_SHA         uint16 = 0xC01F | ||||
| 	cipher_TLS_SRP_SHA_WITH_AES_256_CBC_SHA             uint16 = 0xC020 | ||||
| 	cipher_TLS_SRP_SHA_RSA_WITH_AES_256_CBC_SHA         uint16 = 0xC021 | ||||
| 	cipher_TLS_SRP_SHA_DSS_WITH_AES_256_CBC_SHA         uint16 = 0xC022 | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA256      uint16 = 0xC023 | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA384      uint16 = 0xC024 | ||||
| 	cipher_TLS_ECDH_ECDSA_WITH_AES_128_CBC_SHA256       uint16 = 0xC025 | ||||
| 	cipher_TLS_ECDH_ECDSA_WITH_AES_256_CBC_SHA384       uint16 = 0xC026 | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA256        uint16 = 0xC027 | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA384        uint16 = 0xC028 | ||||
| 	cipher_TLS_ECDH_RSA_WITH_AES_128_CBC_SHA256         uint16 = 0xC029 | ||||
| 	cipher_TLS_ECDH_RSA_WITH_AES_256_CBC_SHA384         uint16 = 0xC02A | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_AES_128_GCM_SHA256      uint16 = 0xC02B | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_AES_256_GCM_SHA384      uint16 = 0xC02C | ||||
| 	cipher_TLS_ECDH_ECDSA_WITH_AES_128_GCM_SHA256       uint16 = 0xC02D | ||||
| 	cipher_TLS_ECDH_ECDSA_WITH_AES_256_GCM_SHA384       uint16 = 0xC02E | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_AES_128_GCM_SHA256        uint16 = 0xC02F | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_AES_256_GCM_SHA384        uint16 = 0xC030 | ||||
| 	cipher_TLS_ECDH_RSA_WITH_AES_128_GCM_SHA256         uint16 = 0xC031 | ||||
| 	cipher_TLS_ECDH_RSA_WITH_AES_256_GCM_SHA384         uint16 = 0xC032 | ||||
| 	cipher_TLS_ECDHE_PSK_WITH_RC4_128_SHA               uint16 = 0xC033 | ||||
| 	cipher_TLS_ECDHE_PSK_WITH_3DES_EDE_CBC_SHA          uint16 = 0xC034 | ||||
| 	cipher_TLS_ECDHE_PSK_WITH_AES_128_CBC_SHA           uint16 = 0xC035 | ||||
| 	cipher_TLS_ECDHE_PSK_WITH_AES_256_CBC_SHA           uint16 = 0xC036 | ||||
| 	cipher_TLS_ECDHE_PSK_WITH_AES_128_CBC_SHA256        uint16 = 0xC037 | ||||
| 	cipher_TLS_ECDHE_PSK_WITH_AES_256_CBC_SHA384        uint16 = 0xC038 | ||||
| 	cipher_TLS_ECDHE_PSK_WITH_NULL_SHA                  uint16 = 0xC039 | ||||
| 	cipher_TLS_ECDHE_PSK_WITH_NULL_SHA256               uint16 = 0xC03A | ||||
| 	cipher_TLS_ECDHE_PSK_WITH_NULL_SHA384               uint16 = 0xC03B | ||||
| 	cipher_TLS_RSA_WITH_ARIA_128_CBC_SHA256             uint16 = 0xC03C | ||||
| 	cipher_TLS_RSA_WITH_ARIA_256_CBC_SHA384             uint16 = 0xC03D | ||||
| 	cipher_TLS_DH_DSS_WITH_ARIA_128_CBC_SHA256          uint16 = 0xC03E | ||||
| 	cipher_TLS_DH_DSS_WITH_ARIA_256_CBC_SHA384          uint16 = 0xC03F | ||||
| 	cipher_TLS_DH_RSA_WITH_ARIA_128_CBC_SHA256          uint16 = 0xC040 | ||||
| 	cipher_TLS_DH_RSA_WITH_ARIA_256_CBC_SHA384          uint16 = 0xC041 | ||||
| 	cipher_TLS_DHE_DSS_WITH_ARIA_128_CBC_SHA256         uint16 = 0xC042 | ||||
| 	cipher_TLS_DHE_DSS_WITH_ARIA_256_CBC_SHA384         uint16 = 0xC043 | ||||
| 	cipher_TLS_DHE_RSA_WITH_ARIA_128_CBC_SHA256         uint16 = 0xC044 | ||||
| 	cipher_TLS_DHE_RSA_WITH_ARIA_256_CBC_SHA384         uint16 = 0xC045 | ||||
| 	cipher_TLS_DH_anon_WITH_ARIA_128_CBC_SHA256         uint16 = 0xC046 | ||||
| 	cipher_TLS_DH_anon_WITH_ARIA_256_CBC_SHA384         uint16 = 0xC047 | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_ARIA_128_CBC_SHA256     uint16 = 0xC048 | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_ARIA_256_CBC_SHA384     uint16 = 0xC049 | ||||
| 	cipher_TLS_ECDH_ECDSA_WITH_ARIA_128_CBC_SHA256      uint16 = 0xC04A | ||||
| 	cipher_TLS_ECDH_ECDSA_WITH_ARIA_256_CBC_SHA384      uint16 = 0xC04B | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_ARIA_128_CBC_SHA256       uint16 = 0xC04C | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_ARIA_256_CBC_SHA384       uint16 = 0xC04D | ||||
| 	cipher_TLS_ECDH_RSA_WITH_ARIA_128_CBC_SHA256        uint16 = 0xC04E | ||||
| 	cipher_TLS_ECDH_RSA_WITH_ARIA_256_CBC_SHA384        uint16 = 0xC04F | ||||
| 	cipher_TLS_RSA_WITH_ARIA_128_GCM_SHA256             uint16 = 0xC050 | ||||
| 	cipher_TLS_RSA_WITH_ARIA_256_GCM_SHA384             uint16 = 0xC051 | ||||
| 	cipher_TLS_DHE_RSA_WITH_ARIA_128_GCM_SHA256         uint16 = 0xC052 | ||||
| 	cipher_TLS_DHE_RSA_WITH_ARIA_256_GCM_SHA384         uint16 = 0xC053 | ||||
| 	cipher_TLS_DH_RSA_WITH_ARIA_128_GCM_SHA256          uint16 = 0xC054 | ||||
| 	cipher_TLS_DH_RSA_WITH_ARIA_256_GCM_SHA384          uint16 = 0xC055 | ||||
| 	cipher_TLS_DHE_DSS_WITH_ARIA_128_GCM_SHA256         uint16 = 0xC056 | ||||
| 	cipher_TLS_DHE_DSS_WITH_ARIA_256_GCM_SHA384         uint16 = 0xC057 | ||||
| 	cipher_TLS_DH_DSS_WITH_ARIA_128_GCM_SHA256          uint16 = 0xC058 | ||||
| 	cipher_TLS_DH_DSS_WITH_ARIA_256_GCM_SHA384          uint16 = 0xC059 | ||||
| 	cipher_TLS_DH_anon_WITH_ARIA_128_GCM_SHA256         uint16 = 0xC05A | ||||
| 	cipher_TLS_DH_anon_WITH_ARIA_256_GCM_SHA384         uint16 = 0xC05B | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_ARIA_128_GCM_SHA256     uint16 = 0xC05C | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_ARIA_256_GCM_SHA384     uint16 = 0xC05D | ||||
| 	cipher_TLS_ECDH_ECDSA_WITH_ARIA_128_GCM_SHA256      uint16 = 0xC05E | ||||
| 	cipher_TLS_ECDH_ECDSA_WITH_ARIA_256_GCM_SHA384      uint16 = 0xC05F | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_ARIA_128_GCM_SHA256       uint16 = 0xC060 | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_ARIA_256_GCM_SHA384       uint16 = 0xC061 | ||||
| 	cipher_TLS_ECDH_RSA_WITH_ARIA_128_GCM_SHA256        uint16 = 0xC062 | ||||
| 	cipher_TLS_ECDH_RSA_WITH_ARIA_256_GCM_SHA384        uint16 = 0xC063 | ||||
| 	cipher_TLS_PSK_WITH_ARIA_128_CBC_SHA256             uint16 = 0xC064 | ||||
| 	cipher_TLS_PSK_WITH_ARIA_256_CBC_SHA384             uint16 = 0xC065 | ||||
| 	cipher_TLS_DHE_PSK_WITH_ARIA_128_CBC_SHA256         uint16 = 0xC066 | ||||
| 	cipher_TLS_DHE_PSK_WITH_ARIA_256_CBC_SHA384         uint16 = 0xC067 | ||||
| 	cipher_TLS_RSA_PSK_WITH_ARIA_128_CBC_SHA256         uint16 = 0xC068 | ||||
| 	cipher_TLS_RSA_PSK_WITH_ARIA_256_CBC_SHA384         uint16 = 0xC069 | ||||
| 	cipher_TLS_PSK_WITH_ARIA_128_GCM_SHA256             uint16 = 0xC06A | ||||
| 	cipher_TLS_PSK_WITH_ARIA_256_GCM_SHA384             uint16 = 0xC06B | ||||
| 	cipher_TLS_DHE_PSK_WITH_ARIA_128_GCM_SHA256         uint16 = 0xC06C | ||||
| 	cipher_TLS_DHE_PSK_WITH_ARIA_256_GCM_SHA384         uint16 = 0xC06D | ||||
| 	cipher_TLS_RSA_PSK_WITH_ARIA_128_GCM_SHA256         uint16 = 0xC06E | ||||
| 	cipher_TLS_RSA_PSK_WITH_ARIA_256_GCM_SHA384         uint16 = 0xC06F | ||||
| 	cipher_TLS_ECDHE_PSK_WITH_ARIA_128_CBC_SHA256       uint16 = 0xC070 | ||||
| 	cipher_TLS_ECDHE_PSK_WITH_ARIA_256_CBC_SHA384       uint16 = 0xC071 | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_CAMELLIA_128_CBC_SHA256 uint16 = 0xC072 | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_CAMELLIA_256_CBC_SHA384 uint16 = 0xC073 | ||||
| 	cipher_TLS_ECDH_ECDSA_WITH_CAMELLIA_128_CBC_SHA256  uint16 = 0xC074 | ||||
| 	cipher_TLS_ECDH_ECDSA_WITH_CAMELLIA_256_CBC_SHA384  uint16 = 0xC075 | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_CAMELLIA_128_CBC_SHA256   uint16 = 0xC076 | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_CAMELLIA_256_CBC_SHA384   uint16 = 0xC077 | ||||
| 	cipher_TLS_ECDH_RSA_WITH_CAMELLIA_128_CBC_SHA256    uint16 = 0xC078 | ||||
| 	cipher_TLS_ECDH_RSA_WITH_CAMELLIA_256_CBC_SHA384    uint16 = 0xC079 | ||||
| 	cipher_TLS_RSA_WITH_CAMELLIA_128_GCM_SHA256         uint16 = 0xC07A | ||||
| 	cipher_TLS_RSA_WITH_CAMELLIA_256_GCM_SHA384         uint16 = 0xC07B | ||||
| 	cipher_TLS_DHE_RSA_WITH_CAMELLIA_128_GCM_SHA256     uint16 = 0xC07C | ||||
| 	cipher_TLS_DHE_RSA_WITH_CAMELLIA_256_GCM_SHA384     uint16 = 0xC07D | ||||
| 	cipher_TLS_DH_RSA_WITH_CAMELLIA_128_GCM_SHA256      uint16 = 0xC07E | ||||
| 	cipher_TLS_DH_RSA_WITH_CAMELLIA_256_GCM_SHA384      uint16 = 0xC07F | ||||
| 	cipher_TLS_DHE_DSS_WITH_CAMELLIA_128_GCM_SHA256     uint16 = 0xC080 | ||||
| 	cipher_TLS_DHE_DSS_WITH_CAMELLIA_256_GCM_SHA384     uint16 = 0xC081 | ||||
| 	cipher_TLS_DH_DSS_WITH_CAMELLIA_128_GCM_SHA256      uint16 = 0xC082 | ||||
| 	cipher_TLS_DH_DSS_WITH_CAMELLIA_256_GCM_SHA384      uint16 = 0xC083 | ||||
| 	cipher_TLS_DH_anon_WITH_CAMELLIA_128_GCM_SHA256     uint16 = 0xC084 | ||||
| 	cipher_TLS_DH_anon_WITH_CAMELLIA_256_GCM_SHA384     uint16 = 0xC085 | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_CAMELLIA_128_GCM_SHA256 uint16 = 0xC086 | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_CAMELLIA_256_GCM_SHA384 uint16 = 0xC087 | ||||
| 	cipher_TLS_ECDH_ECDSA_WITH_CAMELLIA_128_GCM_SHA256  uint16 = 0xC088 | ||||
| 	cipher_TLS_ECDH_ECDSA_WITH_CAMELLIA_256_GCM_SHA384  uint16 = 0xC089 | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_CAMELLIA_128_GCM_SHA256   uint16 = 0xC08A | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_CAMELLIA_256_GCM_SHA384   uint16 = 0xC08B | ||||
| 	cipher_TLS_ECDH_RSA_WITH_CAMELLIA_128_GCM_SHA256    uint16 = 0xC08C | ||||
| 	cipher_TLS_ECDH_RSA_WITH_CAMELLIA_256_GCM_SHA384    uint16 = 0xC08D | ||||
| 	cipher_TLS_PSK_WITH_CAMELLIA_128_GCM_SHA256         uint16 = 0xC08E | ||||
| 	cipher_TLS_PSK_WITH_CAMELLIA_256_GCM_SHA384         uint16 = 0xC08F | ||||
| 	cipher_TLS_DHE_PSK_WITH_CAMELLIA_128_GCM_SHA256     uint16 = 0xC090 | ||||
| 	cipher_TLS_DHE_PSK_WITH_CAMELLIA_256_GCM_SHA384     uint16 = 0xC091 | ||||
| 	cipher_TLS_RSA_PSK_WITH_CAMELLIA_128_GCM_SHA256     uint16 = 0xC092 | ||||
| 	cipher_TLS_RSA_PSK_WITH_CAMELLIA_256_GCM_SHA384     uint16 = 0xC093 | ||||
| 	cipher_TLS_PSK_WITH_CAMELLIA_128_CBC_SHA256         uint16 = 0xC094 | ||||
| 	cipher_TLS_PSK_WITH_CAMELLIA_256_CBC_SHA384         uint16 = 0xC095 | ||||
| 	cipher_TLS_DHE_PSK_WITH_CAMELLIA_128_CBC_SHA256     uint16 = 0xC096 | ||||
| 	cipher_TLS_DHE_PSK_WITH_CAMELLIA_256_CBC_SHA384     uint16 = 0xC097 | ||||
| 	cipher_TLS_RSA_PSK_WITH_CAMELLIA_128_CBC_SHA256     uint16 = 0xC098 | ||||
| 	cipher_TLS_RSA_PSK_WITH_CAMELLIA_256_CBC_SHA384     uint16 = 0xC099 | ||||
| 	cipher_TLS_ECDHE_PSK_WITH_CAMELLIA_128_CBC_SHA256   uint16 = 0xC09A | ||||
| 	cipher_TLS_ECDHE_PSK_WITH_CAMELLIA_256_CBC_SHA384   uint16 = 0xC09B | ||||
| 	cipher_TLS_RSA_WITH_AES_128_CCM                     uint16 = 0xC09C | ||||
| 	cipher_TLS_RSA_WITH_AES_256_CCM                     uint16 = 0xC09D | ||||
| 	cipher_TLS_DHE_RSA_WITH_AES_128_CCM                 uint16 = 0xC09E | ||||
| 	cipher_TLS_DHE_RSA_WITH_AES_256_CCM                 uint16 = 0xC09F | ||||
| 	cipher_TLS_RSA_WITH_AES_128_CCM_8                   uint16 = 0xC0A0 | ||||
| 	cipher_TLS_RSA_WITH_AES_256_CCM_8                   uint16 = 0xC0A1 | ||||
| 	cipher_TLS_DHE_RSA_WITH_AES_128_CCM_8               uint16 = 0xC0A2 | ||||
| 	cipher_TLS_DHE_RSA_WITH_AES_256_CCM_8               uint16 = 0xC0A3 | ||||
| 	cipher_TLS_PSK_WITH_AES_128_CCM                     uint16 = 0xC0A4 | ||||
| 	cipher_TLS_PSK_WITH_AES_256_CCM                     uint16 = 0xC0A5 | ||||
| 	cipher_TLS_DHE_PSK_WITH_AES_128_CCM                 uint16 = 0xC0A6 | ||||
| 	cipher_TLS_DHE_PSK_WITH_AES_256_CCM                 uint16 = 0xC0A7 | ||||
| 	cipher_TLS_PSK_WITH_AES_128_CCM_8                   uint16 = 0xC0A8 | ||||
| 	cipher_TLS_PSK_WITH_AES_256_CCM_8                   uint16 = 0xC0A9 | ||||
| 	cipher_TLS_PSK_DHE_WITH_AES_128_CCM_8               uint16 = 0xC0AA | ||||
| 	cipher_TLS_PSK_DHE_WITH_AES_256_CCM_8               uint16 = 0xC0AB | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_AES_128_CCM             uint16 = 0xC0AC | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_AES_256_CCM             uint16 = 0xC0AD | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_AES_128_CCM_8           uint16 = 0xC0AE | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_AES_256_CCM_8           uint16 = 0xC0AF | ||||
| 	// Unassigned uint16 =  0xC0B0-FF | ||||
| 	// Unassigned uint16 =  0xC1-CB,* | ||||
| 	// Unassigned uint16 =  0xCC00-A7 | ||||
| 	cipher_TLS_ECDHE_RSA_WITH_CHACHA20_POLY1305_SHA256   uint16 = 0xCCA8 | ||||
| 	cipher_TLS_ECDHE_ECDSA_WITH_CHACHA20_POLY1305_SHA256 uint16 = 0xCCA9 | ||||
| 	cipher_TLS_DHE_RSA_WITH_CHACHA20_POLY1305_SHA256     uint16 = 0xCCAA | ||||
| 	cipher_TLS_PSK_WITH_CHACHA20_POLY1305_SHA256         uint16 = 0xCCAB | ||||
| 	cipher_TLS_ECDHE_PSK_WITH_CHACHA20_POLY1305_SHA256   uint16 = 0xCCAC | ||||
| 	cipher_TLS_DHE_PSK_WITH_CHACHA20_POLY1305_SHA256     uint16 = 0xCCAD | ||||
| 	cipher_TLS_RSA_PSK_WITH_CHACHA20_POLY1305_SHA256     uint16 = 0xCCAE | ||||
| ) | ||||
|  | ||||
| // isBadCipher reports whether the cipher is blacklisted by the HTTP/2 spec. | ||||
| // References: | ||||
| // https://tools.ietf.org/html/rfc7540#appendix-A | ||||
| // Reject cipher suites from Appendix A. | ||||
| // "This list includes those cipher suites that do not | ||||
| // offer an ephemeral key exchange and those that are | ||||
| // based on the TLS null, stream or block cipher type" | ||||
| func isBadCipher(cipher uint16) bool { | ||||
| 	switch cipher { | ||||
| 	case cipher_TLS_NULL_WITH_NULL_NULL, | ||||
| 		cipher_TLS_RSA_WITH_NULL_MD5, | ||||
| 		cipher_TLS_RSA_WITH_NULL_SHA, | ||||
| 		cipher_TLS_RSA_EXPORT_WITH_RC4_40_MD5, | ||||
| 		cipher_TLS_RSA_WITH_RC4_128_MD5, | ||||
| 		cipher_TLS_RSA_WITH_RC4_128_SHA, | ||||
| 		cipher_TLS_RSA_EXPORT_WITH_RC2_CBC_40_MD5, | ||||
| 		cipher_TLS_RSA_WITH_IDEA_CBC_SHA, | ||||
| 		cipher_TLS_RSA_EXPORT_WITH_DES40_CBC_SHA, | ||||
| 		cipher_TLS_RSA_WITH_DES_CBC_SHA, | ||||
| 		cipher_TLS_RSA_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_DH_DSS_EXPORT_WITH_DES40_CBC_SHA, | ||||
| 		cipher_TLS_DH_DSS_WITH_DES_CBC_SHA, | ||||
| 		cipher_TLS_DH_DSS_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_DH_RSA_EXPORT_WITH_DES40_CBC_SHA, | ||||
| 		cipher_TLS_DH_RSA_WITH_DES_CBC_SHA, | ||||
| 		cipher_TLS_DH_RSA_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_DHE_DSS_EXPORT_WITH_DES40_CBC_SHA, | ||||
| 		cipher_TLS_DHE_DSS_WITH_DES_CBC_SHA, | ||||
| 		cipher_TLS_DHE_DSS_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_DHE_RSA_EXPORT_WITH_DES40_CBC_SHA, | ||||
| 		cipher_TLS_DHE_RSA_WITH_DES_CBC_SHA, | ||||
| 		cipher_TLS_DHE_RSA_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_DH_anon_EXPORT_WITH_RC4_40_MD5, | ||||
| 		cipher_TLS_DH_anon_WITH_RC4_128_MD5, | ||||
| 		cipher_TLS_DH_anon_EXPORT_WITH_DES40_CBC_SHA, | ||||
| 		cipher_TLS_DH_anon_WITH_DES_CBC_SHA, | ||||
| 		cipher_TLS_DH_anon_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_KRB5_WITH_DES_CBC_SHA, | ||||
| 		cipher_TLS_KRB5_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_KRB5_WITH_RC4_128_SHA, | ||||
| 		cipher_TLS_KRB5_WITH_IDEA_CBC_SHA, | ||||
| 		cipher_TLS_KRB5_WITH_DES_CBC_MD5, | ||||
| 		cipher_TLS_KRB5_WITH_3DES_EDE_CBC_MD5, | ||||
| 		cipher_TLS_KRB5_WITH_RC4_128_MD5, | ||||
| 		cipher_TLS_KRB5_WITH_IDEA_CBC_MD5, | ||||
| 		cipher_TLS_KRB5_EXPORT_WITH_DES_CBC_40_SHA, | ||||
| 		cipher_TLS_KRB5_EXPORT_WITH_RC2_CBC_40_SHA, | ||||
| 		cipher_TLS_KRB5_EXPORT_WITH_RC4_40_SHA, | ||||
| 		cipher_TLS_KRB5_EXPORT_WITH_DES_CBC_40_MD5, | ||||
| 		cipher_TLS_KRB5_EXPORT_WITH_RC2_CBC_40_MD5, | ||||
| 		cipher_TLS_KRB5_EXPORT_WITH_RC4_40_MD5, | ||||
| 		cipher_TLS_PSK_WITH_NULL_SHA, | ||||
| 		cipher_TLS_DHE_PSK_WITH_NULL_SHA, | ||||
| 		cipher_TLS_RSA_PSK_WITH_NULL_SHA, | ||||
| 		cipher_TLS_RSA_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_DH_DSS_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_DH_RSA_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_DHE_DSS_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_DHE_RSA_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_DH_anon_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_RSA_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_DH_DSS_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_DH_RSA_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_DHE_DSS_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_DHE_RSA_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_DH_anon_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_RSA_WITH_NULL_SHA256, | ||||
| 		cipher_TLS_RSA_WITH_AES_128_CBC_SHA256, | ||||
| 		cipher_TLS_RSA_WITH_AES_256_CBC_SHA256, | ||||
| 		cipher_TLS_DH_DSS_WITH_AES_128_CBC_SHA256, | ||||
| 		cipher_TLS_DH_RSA_WITH_AES_128_CBC_SHA256, | ||||
| 		cipher_TLS_DHE_DSS_WITH_AES_128_CBC_SHA256, | ||||
| 		cipher_TLS_RSA_WITH_CAMELLIA_128_CBC_SHA, | ||||
| 		cipher_TLS_DH_DSS_WITH_CAMELLIA_128_CBC_SHA, | ||||
| 		cipher_TLS_DH_RSA_WITH_CAMELLIA_128_CBC_SHA, | ||||
| 		cipher_TLS_DHE_DSS_WITH_CAMELLIA_128_CBC_SHA, | ||||
| 		cipher_TLS_DHE_RSA_WITH_CAMELLIA_128_CBC_SHA, | ||||
| 		cipher_TLS_DH_anon_WITH_CAMELLIA_128_CBC_SHA, | ||||
| 		cipher_TLS_DHE_RSA_WITH_AES_128_CBC_SHA256, | ||||
| 		cipher_TLS_DH_DSS_WITH_AES_256_CBC_SHA256, | ||||
| 		cipher_TLS_DH_RSA_WITH_AES_256_CBC_SHA256, | ||||
| 		cipher_TLS_DHE_DSS_WITH_AES_256_CBC_SHA256, | ||||
| 		cipher_TLS_DHE_RSA_WITH_AES_256_CBC_SHA256, | ||||
| 		cipher_TLS_DH_anon_WITH_AES_128_CBC_SHA256, | ||||
| 		cipher_TLS_DH_anon_WITH_AES_256_CBC_SHA256, | ||||
| 		cipher_TLS_RSA_WITH_CAMELLIA_256_CBC_SHA, | ||||
| 		cipher_TLS_DH_DSS_WITH_CAMELLIA_256_CBC_SHA, | ||||
| 		cipher_TLS_DH_RSA_WITH_CAMELLIA_256_CBC_SHA, | ||||
| 		cipher_TLS_DHE_DSS_WITH_CAMELLIA_256_CBC_SHA, | ||||
| 		cipher_TLS_DHE_RSA_WITH_CAMELLIA_256_CBC_SHA, | ||||
| 		cipher_TLS_DH_anon_WITH_CAMELLIA_256_CBC_SHA, | ||||
| 		cipher_TLS_PSK_WITH_RC4_128_SHA, | ||||
| 		cipher_TLS_PSK_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_PSK_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_PSK_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_DHE_PSK_WITH_RC4_128_SHA, | ||||
| 		cipher_TLS_DHE_PSK_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_DHE_PSK_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_DHE_PSK_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_RSA_PSK_WITH_RC4_128_SHA, | ||||
| 		cipher_TLS_RSA_PSK_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_RSA_PSK_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_RSA_PSK_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_RSA_WITH_SEED_CBC_SHA, | ||||
| 		cipher_TLS_DH_DSS_WITH_SEED_CBC_SHA, | ||||
| 		cipher_TLS_DH_RSA_WITH_SEED_CBC_SHA, | ||||
| 		cipher_TLS_DHE_DSS_WITH_SEED_CBC_SHA, | ||||
| 		cipher_TLS_DHE_RSA_WITH_SEED_CBC_SHA, | ||||
| 		cipher_TLS_DH_anon_WITH_SEED_CBC_SHA, | ||||
| 		cipher_TLS_RSA_WITH_AES_128_GCM_SHA256, | ||||
| 		cipher_TLS_RSA_WITH_AES_256_GCM_SHA384, | ||||
| 		cipher_TLS_DH_RSA_WITH_AES_128_GCM_SHA256, | ||||
| 		cipher_TLS_DH_RSA_WITH_AES_256_GCM_SHA384, | ||||
| 		cipher_TLS_DH_DSS_WITH_AES_128_GCM_SHA256, | ||||
| 		cipher_TLS_DH_DSS_WITH_AES_256_GCM_SHA384, | ||||
| 		cipher_TLS_DH_anon_WITH_AES_128_GCM_SHA256, | ||||
| 		cipher_TLS_DH_anon_WITH_AES_256_GCM_SHA384, | ||||
| 		cipher_TLS_PSK_WITH_AES_128_GCM_SHA256, | ||||
| 		cipher_TLS_PSK_WITH_AES_256_GCM_SHA384, | ||||
| 		cipher_TLS_RSA_PSK_WITH_AES_128_GCM_SHA256, | ||||
| 		cipher_TLS_RSA_PSK_WITH_AES_256_GCM_SHA384, | ||||
| 		cipher_TLS_PSK_WITH_AES_128_CBC_SHA256, | ||||
| 		cipher_TLS_PSK_WITH_AES_256_CBC_SHA384, | ||||
| 		cipher_TLS_PSK_WITH_NULL_SHA256, | ||||
| 		cipher_TLS_PSK_WITH_NULL_SHA384, | ||||
| 		cipher_TLS_DHE_PSK_WITH_AES_128_CBC_SHA256, | ||||
| 		cipher_TLS_DHE_PSK_WITH_AES_256_CBC_SHA384, | ||||
| 		cipher_TLS_DHE_PSK_WITH_NULL_SHA256, | ||||
| 		cipher_TLS_DHE_PSK_WITH_NULL_SHA384, | ||||
| 		cipher_TLS_RSA_PSK_WITH_AES_128_CBC_SHA256, | ||||
| 		cipher_TLS_RSA_PSK_WITH_AES_256_CBC_SHA384, | ||||
| 		cipher_TLS_RSA_PSK_WITH_NULL_SHA256, | ||||
| 		cipher_TLS_RSA_PSK_WITH_NULL_SHA384, | ||||
| 		cipher_TLS_RSA_WITH_CAMELLIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_DH_DSS_WITH_CAMELLIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_DH_RSA_WITH_CAMELLIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_DHE_DSS_WITH_CAMELLIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_DHE_RSA_WITH_CAMELLIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_DH_anon_WITH_CAMELLIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_RSA_WITH_CAMELLIA_256_CBC_SHA256, | ||||
| 		cipher_TLS_DH_DSS_WITH_CAMELLIA_256_CBC_SHA256, | ||||
| 		cipher_TLS_DH_RSA_WITH_CAMELLIA_256_CBC_SHA256, | ||||
| 		cipher_TLS_DHE_DSS_WITH_CAMELLIA_256_CBC_SHA256, | ||||
| 		cipher_TLS_DHE_RSA_WITH_CAMELLIA_256_CBC_SHA256, | ||||
| 		cipher_TLS_DH_anon_WITH_CAMELLIA_256_CBC_SHA256, | ||||
| 		cipher_TLS_EMPTY_RENEGOTIATION_INFO_SCSV, | ||||
| 		cipher_TLS_ECDH_ECDSA_WITH_NULL_SHA, | ||||
| 		cipher_TLS_ECDH_ECDSA_WITH_RC4_128_SHA, | ||||
| 		cipher_TLS_ECDH_ECDSA_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_ECDH_ECDSA_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_ECDH_ECDSA_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_ECDHE_ECDSA_WITH_NULL_SHA, | ||||
| 		cipher_TLS_ECDHE_ECDSA_WITH_RC4_128_SHA, | ||||
| 		cipher_TLS_ECDHE_ECDSA_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_ECDH_RSA_WITH_NULL_SHA, | ||||
| 		cipher_TLS_ECDH_RSA_WITH_RC4_128_SHA, | ||||
| 		cipher_TLS_ECDH_RSA_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_ECDH_RSA_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_ECDH_RSA_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_ECDHE_RSA_WITH_NULL_SHA, | ||||
| 		cipher_TLS_ECDHE_RSA_WITH_RC4_128_SHA, | ||||
| 		cipher_TLS_ECDHE_RSA_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_ECDH_anon_WITH_NULL_SHA, | ||||
| 		cipher_TLS_ECDH_anon_WITH_RC4_128_SHA, | ||||
| 		cipher_TLS_ECDH_anon_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_ECDH_anon_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_ECDH_anon_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_SRP_SHA_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_SRP_SHA_RSA_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_SRP_SHA_DSS_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_SRP_SHA_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_SRP_SHA_RSA_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_SRP_SHA_DSS_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_SRP_SHA_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_SRP_SHA_RSA_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_SRP_SHA_DSS_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA256, | ||||
| 		cipher_TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA384, | ||||
| 		cipher_TLS_ECDH_ECDSA_WITH_AES_128_CBC_SHA256, | ||||
| 		cipher_TLS_ECDH_ECDSA_WITH_AES_256_CBC_SHA384, | ||||
| 		cipher_TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA256, | ||||
| 		cipher_TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA384, | ||||
| 		cipher_TLS_ECDH_RSA_WITH_AES_128_CBC_SHA256, | ||||
| 		cipher_TLS_ECDH_RSA_WITH_AES_256_CBC_SHA384, | ||||
| 		cipher_TLS_ECDH_ECDSA_WITH_AES_128_GCM_SHA256, | ||||
| 		cipher_TLS_ECDH_ECDSA_WITH_AES_256_GCM_SHA384, | ||||
| 		cipher_TLS_ECDH_RSA_WITH_AES_128_GCM_SHA256, | ||||
| 		cipher_TLS_ECDH_RSA_WITH_AES_256_GCM_SHA384, | ||||
| 		cipher_TLS_ECDHE_PSK_WITH_RC4_128_SHA, | ||||
| 		cipher_TLS_ECDHE_PSK_WITH_3DES_EDE_CBC_SHA, | ||||
| 		cipher_TLS_ECDHE_PSK_WITH_AES_128_CBC_SHA, | ||||
| 		cipher_TLS_ECDHE_PSK_WITH_AES_256_CBC_SHA, | ||||
| 		cipher_TLS_ECDHE_PSK_WITH_AES_128_CBC_SHA256, | ||||
| 		cipher_TLS_ECDHE_PSK_WITH_AES_256_CBC_SHA384, | ||||
| 		cipher_TLS_ECDHE_PSK_WITH_NULL_SHA, | ||||
| 		cipher_TLS_ECDHE_PSK_WITH_NULL_SHA256, | ||||
| 		cipher_TLS_ECDHE_PSK_WITH_NULL_SHA384, | ||||
| 		cipher_TLS_RSA_WITH_ARIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_RSA_WITH_ARIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_DH_DSS_WITH_ARIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_DH_DSS_WITH_ARIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_DH_RSA_WITH_ARIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_DH_RSA_WITH_ARIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_DHE_DSS_WITH_ARIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_DHE_DSS_WITH_ARIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_DHE_RSA_WITH_ARIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_DHE_RSA_WITH_ARIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_DH_anon_WITH_ARIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_DH_anon_WITH_ARIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_ECDHE_ECDSA_WITH_ARIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_ECDHE_ECDSA_WITH_ARIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_ECDH_ECDSA_WITH_ARIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_ECDH_ECDSA_WITH_ARIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_ECDHE_RSA_WITH_ARIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_ECDHE_RSA_WITH_ARIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_ECDH_RSA_WITH_ARIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_ECDH_RSA_WITH_ARIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_RSA_WITH_ARIA_128_GCM_SHA256, | ||||
| 		cipher_TLS_RSA_WITH_ARIA_256_GCM_SHA384, | ||||
| 		cipher_TLS_DH_RSA_WITH_ARIA_128_GCM_SHA256, | ||||
| 		cipher_TLS_DH_RSA_WITH_ARIA_256_GCM_SHA384, | ||||
| 		cipher_TLS_DH_DSS_WITH_ARIA_128_GCM_SHA256, | ||||
| 		cipher_TLS_DH_DSS_WITH_ARIA_256_GCM_SHA384, | ||||
| 		cipher_TLS_DH_anon_WITH_ARIA_128_GCM_SHA256, | ||||
| 		cipher_TLS_DH_anon_WITH_ARIA_256_GCM_SHA384, | ||||
| 		cipher_TLS_ECDH_ECDSA_WITH_ARIA_128_GCM_SHA256, | ||||
| 		cipher_TLS_ECDH_ECDSA_WITH_ARIA_256_GCM_SHA384, | ||||
| 		cipher_TLS_ECDH_RSA_WITH_ARIA_128_GCM_SHA256, | ||||
| 		cipher_TLS_ECDH_RSA_WITH_ARIA_256_GCM_SHA384, | ||||
| 		cipher_TLS_PSK_WITH_ARIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_PSK_WITH_ARIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_DHE_PSK_WITH_ARIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_DHE_PSK_WITH_ARIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_RSA_PSK_WITH_ARIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_RSA_PSK_WITH_ARIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_PSK_WITH_ARIA_128_GCM_SHA256, | ||||
| 		cipher_TLS_PSK_WITH_ARIA_256_GCM_SHA384, | ||||
| 		cipher_TLS_RSA_PSK_WITH_ARIA_128_GCM_SHA256, | ||||
| 		cipher_TLS_RSA_PSK_WITH_ARIA_256_GCM_SHA384, | ||||
| 		cipher_TLS_ECDHE_PSK_WITH_ARIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_ECDHE_PSK_WITH_ARIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_ECDHE_ECDSA_WITH_CAMELLIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_ECDHE_ECDSA_WITH_CAMELLIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_ECDH_ECDSA_WITH_CAMELLIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_ECDH_ECDSA_WITH_CAMELLIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_ECDHE_RSA_WITH_CAMELLIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_ECDHE_RSA_WITH_CAMELLIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_ECDH_RSA_WITH_CAMELLIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_ECDH_RSA_WITH_CAMELLIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_RSA_WITH_CAMELLIA_128_GCM_SHA256, | ||||
| 		cipher_TLS_RSA_WITH_CAMELLIA_256_GCM_SHA384, | ||||
| 		cipher_TLS_DH_RSA_WITH_CAMELLIA_128_GCM_SHA256, | ||||
| 		cipher_TLS_DH_RSA_WITH_CAMELLIA_256_GCM_SHA384, | ||||
| 		cipher_TLS_DH_DSS_WITH_CAMELLIA_128_GCM_SHA256, | ||||
| 		cipher_TLS_DH_DSS_WITH_CAMELLIA_256_GCM_SHA384, | ||||
| 		cipher_TLS_DH_anon_WITH_CAMELLIA_128_GCM_SHA256, | ||||
| 		cipher_TLS_DH_anon_WITH_CAMELLIA_256_GCM_SHA384, | ||||
| 		cipher_TLS_ECDH_ECDSA_WITH_CAMELLIA_128_GCM_SHA256, | ||||
| 		cipher_TLS_ECDH_ECDSA_WITH_CAMELLIA_256_GCM_SHA384, | ||||
| 		cipher_TLS_ECDH_RSA_WITH_CAMELLIA_128_GCM_SHA256, | ||||
| 		cipher_TLS_ECDH_RSA_WITH_CAMELLIA_256_GCM_SHA384, | ||||
| 		cipher_TLS_PSK_WITH_CAMELLIA_128_GCM_SHA256, | ||||
| 		cipher_TLS_PSK_WITH_CAMELLIA_256_GCM_SHA384, | ||||
| 		cipher_TLS_RSA_PSK_WITH_CAMELLIA_128_GCM_SHA256, | ||||
| 		cipher_TLS_RSA_PSK_WITH_CAMELLIA_256_GCM_SHA384, | ||||
| 		cipher_TLS_PSK_WITH_CAMELLIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_PSK_WITH_CAMELLIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_DHE_PSK_WITH_CAMELLIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_DHE_PSK_WITH_CAMELLIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_RSA_PSK_WITH_CAMELLIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_RSA_PSK_WITH_CAMELLIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_ECDHE_PSK_WITH_CAMELLIA_128_CBC_SHA256, | ||||
| 		cipher_TLS_ECDHE_PSK_WITH_CAMELLIA_256_CBC_SHA384, | ||||
| 		cipher_TLS_RSA_WITH_AES_128_CCM, | ||||
| 		cipher_TLS_RSA_WITH_AES_256_CCM, | ||||
| 		cipher_TLS_RSA_WITH_AES_128_CCM_8, | ||||
| 		cipher_TLS_RSA_WITH_AES_256_CCM_8, | ||||
| 		cipher_TLS_PSK_WITH_AES_128_CCM, | ||||
| 		cipher_TLS_PSK_WITH_AES_256_CCM, | ||||
| 		cipher_TLS_PSK_WITH_AES_128_CCM_8, | ||||
| 		cipher_TLS_PSK_WITH_AES_256_CCM_8: | ||||
| 		return true | ||||
| 	default: | ||||
| 		return false | ||||
| 	} | ||||
| } | ||||
							
								
								
									
										278
									
								
								vendor/golang.org/x/net/http2/client_conn_pool.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										278
									
								
								vendor/golang.org/x/net/http2/client_conn_pool.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,278 +0,0 @@ | ||||
| // Copyright 2015 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // Transport code's client connection pooling. | ||||
|  | ||||
| package http2 | ||||
|  | ||||
| import ( | ||||
| 	"crypto/tls" | ||||
| 	"net/http" | ||||
| 	"sync" | ||||
| ) | ||||
|  | ||||
| // ClientConnPool manages a pool of HTTP/2 client connections. | ||||
| type ClientConnPool interface { | ||||
| 	GetClientConn(req *http.Request, addr string) (*ClientConn, error) | ||||
| 	MarkDead(*ClientConn) | ||||
| } | ||||
|  | ||||
| // clientConnPoolIdleCloser is the interface implemented by ClientConnPool | ||||
| // implementations which can close their idle connections. | ||||
| type clientConnPoolIdleCloser interface { | ||||
| 	ClientConnPool | ||||
| 	closeIdleConnections() | ||||
| } | ||||
|  | ||||
| var ( | ||||
| 	_ clientConnPoolIdleCloser = (*clientConnPool)(nil) | ||||
| 	_ clientConnPoolIdleCloser = noDialClientConnPool{} | ||||
| ) | ||||
|  | ||||
| // TODO: use singleflight for dialing and addConnCalls? | ||||
| type clientConnPool struct { | ||||
| 	t *Transport | ||||
|  | ||||
| 	mu sync.Mutex // TODO: maybe switch to RWMutex | ||||
| 	// TODO: add support for sharing conns based on cert names | ||||
| 	// (e.g. share conn for googleapis.com and appspot.com) | ||||
| 	conns        map[string][]*ClientConn // key is host:port | ||||
| 	dialing      map[string]*dialCall     // currently in-flight dials | ||||
| 	keys         map[*ClientConn][]string | ||||
| 	addConnCalls map[string]*addConnCall // in-flight addConnIfNeede calls | ||||
| } | ||||
|  | ||||
| func (p *clientConnPool) GetClientConn(req *http.Request, addr string) (*ClientConn, error) { | ||||
| 	return p.getClientConn(req, addr, dialOnMiss) | ||||
| } | ||||
|  | ||||
| const ( | ||||
| 	dialOnMiss   = true | ||||
| 	noDialOnMiss = false | ||||
| ) | ||||
|  | ||||
| // shouldTraceGetConn reports whether getClientConn should call any | ||||
| // ClientTrace.GetConn hook associated with the http.Request. | ||||
| // | ||||
| // This complexity is needed to avoid double calls of the GetConn hook | ||||
| // during the back-and-forth between net/http and x/net/http2 (when the | ||||
| // net/http.Transport is upgraded to also speak http2), as well as support | ||||
| // the case where x/net/http2 is being used directly. | ||||
| func (p *clientConnPool) shouldTraceGetConn(st clientConnIdleState) bool { | ||||
| 	// If our Transport wasn't made via ConfigureTransport, always | ||||
| 	// trace the GetConn hook if provided, because that means the | ||||
| 	// http2 package is being used directly and it's the one | ||||
| 	// dialing, as opposed to net/http. | ||||
| 	if _, ok := p.t.ConnPool.(noDialClientConnPool); !ok { | ||||
| 		return true | ||||
| 	} | ||||
| 	// Otherwise, only use the GetConn hook if this connection has | ||||
| 	// been used previously for other requests. For fresh | ||||
| 	// connections, the net/http package does the dialing. | ||||
| 	return !st.freshConn | ||||
| } | ||||
|  | ||||
| func (p *clientConnPool) getClientConn(req *http.Request, addr string, dialOnMiss bool) (*ClientConn, error) { | ||||
| 	if isConnectionCloseRequest(req) && dialOnMiss { | ||||
| 		// It gets its own connection. | ||||
| 		traceGetConn(req, addr) | ||||
| 		const singleUse = true | ||||
| 		cc, err := p.t.dialClientConn(addr, singleUse) | ||||
| 		if err != nil { | ||||
| 			return nil, err | ||||
| 		} | ||||
| 		return cc, nil | ||||
| 	} | ||||
| 	p.mu.Lock() | ||||
| 	for _, cc := range p.conns[addr] { | ||||
| 		if st := cc.idleState(); st.canTakeNewRequest { | ||||
| 			if p.shouldTraceGetConn(st) { | ||||
| 				traceGetConn(req, addr) | ||||
| 			} | ||||
| 			p.mu.Unlock() | ||||
| 			return cc, nil | ||||
| 		} | ||||
| 	} | ||||
| 	if !dialOnMiss { | ||||
| 		p.mu.Unlock() | ||||
| 		return nil, ErrNoCachedConn | ||||
| 	} | ||||
| 	traceGetConn(req, addr) | ||||
| 	call := p.getStartDialLocked(addr) | ||||
| 	p.mu.Unlock() | ||||
| 	<-call.done | ||||
| 	return call.res, call.err | ||||
| } | ||||
|  | ||||
| // dialCall is an in-flight Transport dial call to a host. | ||||
| type dialCall struct { | ||||
| 	_    incomparable | ||||
| 	p    *clientConnPool | ||||
| 	done chan struct{} // closed when done | ||||
| 	res  *ClientConn   // valid after done is closed | ||||
| 	err  error         // valid after done is closed | ||||
| } | ||||
|  | ||||
| // requires p.mu is held. | ||||
| func (p *clientConnPool) getStartDialLocked(addr string) *dialCall { | ||||
| 	if call, ok := p.dialing[addr]; ok { | ||||
| 		// A dial is already in-flight. Don't start another. | ||||
| 		return call | ||||
| 	} | ||||
| 	call := &dialCall{p: p, done: make(chan struct{})} | ||||
| 	if p.dialing == nil { | ||||
| 		p.dialing = make(map[string]*dialCall) | ||||
| 	} | ||||
| 	p.dialing[addr] = call | ||||
| 	go call.dial(addr) | ||||
| 	return call | ||||
| } | ||||
|  | ||||
| // run in its own goroutine. | ||||
| func (c *dialCall) dial(addr string) { | ||||
| 	const singleUse = false // shared conn | ||||
| 	c.res, c.err = c.p.t.dialClientConn(addr, singleUse) | ||||
| 	close(c.done) | ||||
|  | ||||
| 	c.p.mu.Lock() | ||||
| 	delete(c.p.dialing, addr) | ||||
| 	if c.err == nil { | ||||
| 		c.p.addConnLocked(addr, c.res) | ||||
| 	} | ||||
| 	c.p.mu.Unlock() | ||||
| } | ||||
|  | ||||
| // addConnIfNeeded makes a NewClientConn out of c if a connection for key doesn't | ||||
| // already exist. It coalesces concurrent calls with the same key. | ||||
| // This is used by the http1 Transport code when it creates a new connection. Because | ||||
| // the http1 Transport doesn't de-dup TCP dials to outbound hosts (because it doesn't know | ||||
| // the protocol), it can get into a situation where it has multiple TLS connections. | ||||
| // This code decides which ones live or die. | ||||
| // The return value used is whether c was used. | ||||
| // c is never closed. | ||||
| func (p *clientConnPool) addConnIfNeeded(key string, t *Transport, c *tls.Conn) (used bool, err error) { | ||||
| 	p.mu.Lock() | ||||
| 	for _, cc := range p.conns[key] { | ||||
| 		if cc.CanTakeNewRequest() { | ||||
| 			p.mu.Unlock() | ||||
| 			return false, nil | ||||
| 		} | ||||
| 	} | ||||
| 	call, dup := p.addConnCalls[key] | ||||
| 	if !dup { | ||||
| 		if p.addConnCalls == nil { | ||||
| 			p.addConnCalls = make(map[string]*addConnCall) | ||||
| 		} | ||||
| 		call = &addConnCall{ | ||||
| 			p:    p, | ||||
| 			done: make(chan struct{}), | ||||
| 		} | ||||
| 		p.addConnCalls[key] = call | ||||
| 		go call.run(t, key, c) | ||||
| 	} | ||||
| 	p.mu.Unlock() | ||||
|  | ||||
| 	<-call.done | ||||
| 	if call.err != nil { | ||||
| 		return false, call.err | ||||
| 	} | ||||
| 	return !dup, nil | ||||
| } | ||||
|  | ||||
| type addConnCall struct { | ||||
| 	_    incomparable | ||||
| 	p    *clientConnPool | ||||
| 	done chan struct{} // closed when done | ||||
| 	err  error | ||||
| } | ||||
|  | ||||
| func (c *addConnCall) run(t *Transport, key string, tc *tls.Conn) { | ||||
| 	cc, err := t.NewClientConn(tc) | ||||
|  | ||||
| 	p := c.p | ||||
| 	p.mu.Lock() | ||||
| 	if err != nil { | ||||
| 		c.err = err | ||||
| 	} else { | ||||
| 		p.addConnLocked(key, cc) | ||||
| 	} | ||||
| 	delete(p.addConnCalls, key) | ||||
| 	p.mu.Unlock() | ||||
| 	close(c.done) | ||||
| } | ||||
|  | ||||
| // p.mu must be held | ||||
| func (p *clientConnPool) addConnLocked(key string, cc *ClientConn) { | ||||
| 	for _, v := range p.conns[key] { | ||||
| 		if v == cc { | ||||
| 			return | ||||
| 		} | ||||
| 	} | ||||
| 	if p.conns == nil { | ||||
| 		p.conns = make(map[string][]*ClientConn) | ||||
| 	} | ||||
| 	if p.keys == nil { | ||||
| 		p.keys = make(map[*ClientConn][]string) | ||||
| 	} | ||||
| 	p.conns[key] = append(p.conns[key], cc) | ||||
| 	p.keys[cc] = append(p.keys[cc], key) | ||||
| } | ||||
|  | ||||
| func (p *clientConnPool) MarkDead(cc *ClientConn) { | ||||
| 	p.mu.Lock() | ||||
| 	defer p.mu.Unlock() | ||||
| 	for _, key := range p.keys[cc] { | ||||
| 		vv, ok := p.conns[key] | ||||
| 		if !ok { | ||||
| 			continue | ||||
| 		} | ||||
| 		newList := filterOutClientConn(vv, cc) | ||||
| 		if len(newList) > 0 { | ||||
| 			p.conns[key] = newList | ||||
| 		} else { | ||||
| 			delete(p.conns, key) | ||||
| 		} | ||||
| 	} | ||||
| 	delete(p.keys, cc) | ||||
| } | ||||
|  | ||||
| func (p *clientConnPool) closeIdleConnections() { | ||||
| 	p.mu.Lock() | ||||
| 	defer p.mu.Unlock() | ||||
| 	// TODO: don't close a cc if it was just added to the pool | ||||
| 	// milliseconds ago and has never been used. There's currently | ||||
| 	// a small race window with the HTTP/1 Transport's integration | ||||
| 	// where it can add an idle conn just before using it, and | ||||
| 	// somebody else can concurrently call CloseIdleConns and | ||||
| 	// break some caller's RoundTrip. | ||||
| 	for _, vv := range p.conns { | ||||
| 		for _, cc := range vv { | ||||
| 			cc.closeIfIdle() | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func filterOutClientConn(in []*ClientConn, exclude *ClientConn) []*ClientConn { | ||||
| 	out := in[:0] | ||||
| 	for _, v := range in { | ||||
| 		if v != exclude { | ||||
| 			out = append(out, v) | ||||
| 		} | ||||
| 	} | ||||
| 	// If we filtered it out, zero out the last item to prevent | ||||
| 	// the GC from seeing it. | ||||
| 	if len(in) != len(out) { | ||||
| 		in[len(in)-1] = nil | ||||
| 	} | ||||
| 	return out | ||||
| } | ||||
|  | ||||
| // noDialClientConnPool is an implementation of http2.ClientConnPool | ||||
| // which never dials. We let the HTTP/1.1 client dial and use its TLS | ||||
| // connection instead. | ||||
| type noDialClientConnPool struct{ *clientConnPool } | ||||
|  | ||||
| func (p noDialClientConnPool) GetClientConn(req *http.Request, addr string) (*ClientConn, error) { | ||||
| 	return p.getClientConn(req, addr, noDialOnMiss) | ||||
| } | ||||
							
								
								
									
										146
									
								
								vendor/golang.org/x/net/http2/databuffer.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										146
									
								
								vendor/golang.org/x/net/http2/databuffer.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,146 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package http2 | ||||
|  | ||||
| import ( | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
| 	"sync" | ||||
| ) | ||||
|  | ||||
| // Buffer chunks are allocated from a pool to reduce pressure on GC. | ||||
| // The maximum wasted space per dataBuffer is 2x the largest size class, | ||||
| // which happens when the dataBuffer has multiple chunks and there is | ||||
| // one unread byte in both the first and last chunks. We use a few size | ||||
| // classes to minimize overheads for servers that typically receive very | ||||
| // small request bodies. | ||||
| // | ||||
| // TODO: Benchmark to determine if the pools are necessary. The GC may have | ||||
| // improved enough that we can instead allocate chunks like this: | ||||
| // make([]byte, max(16<<10, expectedBytesRemaining)) | ||||
| var ( | ||||
| 	dataChunkSizeClasses = []int{ | ||||
| 		1 << 10, | ||||
| 		2 << 10, | ||||
| 		4 << 10, | ||||
| 		8 << 10, | ||||
| 		16 << 10, | ||||
| 	} | ||||
| 	dataChunkPools = [...]sync.Pool{ | ||||
| 		{New: func() interface{} { return make([]byte, 1<<10) }}, | ||||
| 		{New: func() interface{} { return make([]byte, 2<<10) }}, | ||||
| 		{New: func() interface{} { return make([]byte, 4<<10) }}, | ||||
| 		{New: func() interface{} { return make([]byte, 8<<10) }}, | ||||
| 		{New: func() interface{} { return make([]byte, 16<<10) }}, | ||||
| 	} | ||||
| ) | ||||
|  | ||||
| func getDataBufferChunk(size int64) []byte { | ||||
| 	i := 0 | ||||
| 	for ; i < len(dataChunkSizeClasses)-1; i++ { | ||||
| 		if size <= int64(dataChunkSizeClasses[i]) { | ||||
| 			break | ||||
| 		} | ||||
| 	} | ||||
| 	return dataChunkPools[i].Get().([]byte) | ||||
| } | ||||
|  | ||||
| func putDataBufferChunk(p []byte) { | ||||
| 	for i, n := range dataChunkSizeClasses { | ||||
| 		if len(p) == n { | ||||
| 			dataChunkPools[i].Put(p) | ||||
| 			return | ||||
| 		} | ||||
| 	} | ||||
| 	panic(fmt.Sprintf("unexpected buffer len=%v", len(p))) | ||||
| } | ||||
|  | ||||
| // dataBuffer is an io.ReadWriter backed by a list of data chunks. | ||||
| // Each dataBuffer is used to read DATA frames on a single stream. | ||||
| // The buffer is divided into chunks so the server can limit the | ||||
| // total memory used by a single connection without limiting the | ||||
| // request body size on any single stream. | ||||
| type dataBuffer struct { | ||||
| 	chunks   [][]byte | ||||
| 	r        int   // next byte to read is chunks[0][r] | ||||
| 	w        int   // next byte to write is chunks[len(chunks)-1][w] | ||||
| 	size     int   // total buffered bytes | ||||
| 	expected int64 // we expect at least this many bytes in future Write calls (ignored if <= 0) | ||||
| } | ||||
|  | ||||
| var errReadEmpty = errors.New("read from empty dataBuffer") | ||||
|  | ||||
| // Read copies bytes from the buffer into p. | ||||
| // It is an error to read when no data is available. | ||||
| func (b *dataBuffer) Read(p []byte) (int, error) { | ||||
| 	if b.size == 0 { | ||||
| 		return 0, errReadEmpty | ||||
| 	} | ||||
| 	var ntotal int | ||||
| 	for len(p) > 0 && b.size > 0 { | ||||
| 		readFrom := b.bytesFromFirstChunk() | ||||
| 		n := copy(p, readFrom) | ||||
| 		p = p[n:] | ||||
| 		ntotal += n | ||||
| 		b.r += n | ||||
| 		b.size -= n | ||||
| 		// If the first chunk has been consumed, advance to the next chunk. | ||||
| 		if b.r == len(b.chunks[0]) { | ||||
| 			putDataBufferChunk(b.chunks[0]) | ||||
| 			end := len(b.chunks) - 1 | ||||
| 			copy(b.chunks[:end], b.chunks[1:]) | ||||
| 			b.chunks[end] = nil | ||||
| 			b.chunks = b.chunks[:end] | ||||
| 			b.r = 0 | ||||
| 		} | ||||
| 	} | ||||
| 	return ntotal, nil | ||||
| } | ||||
|  | ||||
| func (b *dataBuffer) bytesFromFirstChunk() []byte { | ||||
| 	if len(b.chunks) == 1 { | ||||
| 		return b.chunks[0][b.r:b.w] | ||||
| 	} | ||||
| 	return b.chunks[0][b.r:] | ||||
| } | ||||
|  | ||||
| // Len returns the number of bytes of the unread portion of the buffer. | ||||
| func (b *dataBuffer) Len() int { | ||||
| 	return b.size | ||||
| } | ||||
|  | ||||
| // Write appends p to the buffer. | ||||
| func (b *dataBuffer) Write(p []byte) (int, error) { | ||||
| 	ntotal := len(p) | ||||
| 	for len(p) > 0 { | ||||
| 		// If the last chunk is empty, allocate a new chunk. Try to allocate | ||||
| 		// enough to fully copy p plus any additional bytes we expect to | ||||
| 		// receive. However, this may allocate less than len(p). | ||||
| 		want := int64(len(p)) | ||||
| 		if b.expected > want { | ||||
| 			want = b.expected | ||||
| 		} | ||||
| 		chunk := b.lastChunkOrAlloc(want) | ||||
| 		n := copy(chunk[b.w:], p) | ||||
| 		p = p[n:] | ||||
| 		b.w += n | ||||
| 		b.size += n | ||||
| 		b.expected -= int64(n) | ||||
| 	} | ||||
| 	return ntotal, nil | ||||
| } | ||||
|  | ||||
| func (b *dataBuffer) lastChunkOrAlloc(want int64) []byte { | ||||
| 	if len(b.chunks) != 0 { | ||||
| 		last := b.chunks[len(b.chunks)-1] | ||||
| 		if b.w < len(last) { | ||||
| 			return last | ||||
| 		} | ||||
| 	} | ||||
| 	chunk := getDataBufferChunk(want) | ||||
| 	b.chunks = append(b.chunks, chunk) | ||||
| 	b.w = 0 | ||||
| 	return chunk | ||||
| } | ||||
							
								
								
									
										133
									
								
								vendor/golang.org/x/net/http2/errors.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										133
									
								
								vendor/golang.org/x/net/http2/errors.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,133 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package http2 | ||||
|  | ||||
| import ( | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
| ) | ||||
|  | ||||
| // An ErrCode is an unsigned 32-bit error code as defined in the HTTP/2 spec. | ||||
| type ErrCode uint32 | ||||
|  | ||||
| const ( | ||||
| 	ErrCodeNo                 ErrCode = 0x0 | ||||
| 	ErrCodeProtocol           ErrCode = 0x1 | ||||
| 	ErrCodeInternal           ErrCode = 0x2 | ||||
| 	ErrCodeFlowControl        ErrCode = 0x3 | ||||
| 	ErrCodeSettingsTimeout    ErrCode = 0x4 | ||||
| 	ErrCodeStreamClosed       ErrCode = 0x5 | ||||
| 	ErrCodeFrameSize          ErrCode = 0x6 | ||||
| 	ErrCodeRefusedStream      ErrCode = 0x7 | ||||
| 	ErrCodeCancel             ErrCode = 0x8 | ||||
| 	ErrCodeCompression        ErrCode = 0x9 | ||||
| 	ErrCodeConnect            ErrCode = 0xa | ||||
| 	ErrCodeEnhanceYourCalm    ErrCode = 0xb | ||||
| 	ErrCodeInadequateSecurity ErrCode = 0xc | ||||
| 	ErrCodeHTTP11Required     ErrCode = 0xd | ||||
| ) | ||||
|  | ||||
| var errCodeName = map[ErrCode]string{ | ||||
| 	ErrCodeNo:                 "NO_ERROR", | ||||
| 	ErrCodeProtocol:           "PROTOCOL_ERROR", | ||||
| 	ErrCodeInternal:           "INTERNAL_ERROR", | ||||
| 	ErrCodeFlowControl:        "FLOW_CONTROL_ERROR", | ||||
| 	ErrCodeSettingsTimeout:    "SETTINGS_TIMEOUT", | ||||
| 	ErrCodeStreamClosed:       "STREAM_CLOSED", | ||||
| 	ErrCodeFrameSize:          "FRAME_SIZE_ERROR", | ||||
| 	ErrCodeRefusedStream:      "REFUSED_STREAM", | ||||
| 	ErrCodeCancel:             "CANCEL", | ||||
| 	ErrCodeCompression:        "COMPRESSION_ERROR", | ||||
| 	ErrCodeConnect:            "CONNECT_ERROR", | ||||
| 	ErrCodeEnhanceYourCalm:    "ENHANCE_YOUR_CALM", | ||||
| 	ErrCodeInadequateSecurity: "INADEQUATE_SECURITY", | ||||
| 	ErrCodeHTTP11Required:     "HTTP_1_1_REQUIRED", | ||||
| } | ||||
|  | ||||
| func (e ErrCode) String() string { | ||||
| 	if s, ok := errCodeName[e]; ok { | ||||
| 		return s | ||||
| 	} | ||||
| 	return fmt.Sprintf("unknown error code 0x%x", uint32(e)) | ||||
| } | ||||
|  | ||||
| // ConnectionError is an error that results in the termination of the | ||||
| // entire connection. | ||||
| type ConnectionError ErrCode | ||||
|  | ||||
| func (e ConnectionError) Error() string { return fmt.Sprintf("connection error: %s", ErrCode(e)) } | ||||
|  | ||||
| // StreamError is an error that only affects one stream within an | ||||
| // HTTP/2 connection. | ||||
| type StreamError struct { | ||||
| 	StreamID uint32 | ||||
| 	Code     ErrCode | ||||
| 	Cause    error // optional additional detail | ||||
| } | ||||
|  | ||||
| func streamError(id uint32, code ErrCode) StreamError { | ||||
| 	return StreamError{StreamID: id, Code: code} | ||||
| } | ||||
|  | ||||
| func (e StreamError) Error() string { | ||||
| 	if e.Cause != nil { | ||||
| 		return fmt.Sprintf("stream error: stream ID %d; %v; %v", e.StreamID, e.Code, e.Cause) | ||||
| 	} | ||||
| 	return fmt.Sprintf("stream error: stream ID %d; %v", e.StreamID, e.Code) | ||||
| } | ||||
|  | ||||
| // 6.9.1 The Flow Control Window | ||||
| // "If a sender receives a WINDOW_UPDATE that causes a flow control | ||||
| // window to exceed this maximum it MUST terminate either the stream | ||||
| // or the connection, as appropriate. For streams, [...]; for the | ||||
| // connection, a GOAWAY frame with a FLOW_CONTROL_ERROR code." | ||||
| type goAwayFlowError struct{} | ||||
|  | ||||
| func (goAwayFlowError) Error() string { return "connection exceeded flow control window size" } | ||||
|  | ||||
| // connError represents an HTTP/2 ConnectionError error code, along | ||||
| // with a string (for debugging) explaining why. | ||||
| // | ||||
| // Errors of this type are only returned by the frame parser functions | ||||
| // and converted into ConnectionError(Code), after stashing away | ||||
| // the Reason into the Framer's errDetail field, accessible via | ||||
| // the (*Framer).ErrorDetail method. | ||||
| type connError struct { | ||||
| 	Code   ErrCode // the ConnectionError error code | ||||
| 	Reason string  // additional reason | ||||
| } | ||||
|  | ||||
| func (e connError) Error() string { | ||||
| 	return fmt.Sprintf("http2: connection error: %v: %v", e.Code, e.Reason) | ||||
| } | ||||
|  | ||||
| type pseudoHeaderError string | ||||
|  | ||||
| func (e pseudoHeaderError) Error() string { | ||||
| 	return fmt.Sprintf("invalid pseudo-header %q", string(e)) | ||||
| } | ||||
|  | ||||
| type duplicatePseudoHeaderError string | ||||
|  | ||||
| func (e duplicatePseudoHeaderError) Error() string { | ||||
| 	return fmt.Sprintf("duplicate pseudo-header %q", string(e)) | ||||
| } | ||||
|  | ||||
| type headerFieldNameError string | ||||
|  | ||||
| func (e headerFieldNameError) Error() string { | ||||
| 	return fmt.Sprintf("invalid header field name %q", string(e)) | ||||
| } | ||||
|  | ||||
| type headerFieldValueError string | ||||
|  | ||||
| func (e headerFieldValueError) Error() string { | ||||
| 	return fmt.Sprintf("invalid header field value %q", string(e)) | ||||
| } | ||||
|  | ||||
| var ( | ||||
| 	errMixPseudoHeaderTypes = errors.New("mix of request and response pseudo headers") | ||||
| 	errPseudoAfterRegular   = errors.New("pseudo header field after regular") | ||||
| ) | ||||
							
								
								
									
										52
									
								
								vendor/golang.org/x/net/http2/flow.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										52
									
								
								vendor/golang.org/x/net/http2/flow.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,52 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // Flow control | ||||
|  | ||||
| package http2 | ||||
|  | ||||
| // flow is the flow control window's size. | ||||
| type flow struct { | ||||
| 	_ incomparable | ||||
|  | ||||
| 	// n is the number of DATA bytes we're allowed to send. | ||||
| 	// A flow is kept both on a conn and a per-stream. | ||||
| 	n int32 | ||||
|  | ||||
| 	// conn points to the shared connection-level flow that is | ||||
| 	// shared by all streams on that conn. It is nil for the flow | ||||
| 	// that's on the conn directly. | ||||
| 	conn *flow | ||||
| } | ||||
|  | ||||
| func (f *flow) setConnFlow(cf *flow) { f.conn = cf } | ||||
|  | ||||
| func (f *flow) available() int32 { | ||||
| 	n := f.n | ||||
| 	if f.conn != nil && f.conn.n < n { | ||||
| 		n = f.conn.n | ||||
| 	} | ||||
| 	return n | ||||
| } | ||||
|  | ||||
| func (f *flow) take(n int32) { | ||||
| 	if n > f.available() { | ||||
| 		panic("internal error: took too much") | ||||
| 	} | ||||
| 	f.n -= n | ||||
| 	if f.conn != nil { | ||||
| 		f.conn.n -= n | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // add adds n bytes (positive or negative) to the flow control window. | ||||
| // It returns false if the sum would exceed 2^31-1. | ||||
| func (f *flow) add(n int32) bool { | ||||
| 	sum := f.n + n | ||||
| 	if (sum > n) == (f.n > 0) { | ||||
| 		f.n = sum | ||||
| 		return true | ||||
| 	} | ||||
| 	return false | ||||
| } | ||||
							
								
								
									
										1614
									
								
								vendor/golang.org/x/net/http2/frame.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										1614
									
								
								vendor/golang.org/x/net/http2/frame.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							
							
								
								
									
										29
									
								
								vendor/golang.org/x/net/http2/go111.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										29
									
								
								vendor/golang.org/x/net/http2/go111.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,29 +0,0 @@ | ||||
| // Copyright 2018 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // +build go1.11 | ||||
|  | ||||
| package http2 | ||||
|  | ||||
| import ( | ||||
| 	"net/http/httptrace" | ||||
| 	"net/textproto" | ||||
| ) | ||||
|  | ||||
| func traceHasWroteHeaderField(trace *httptrace.ClientTrace) bool { | ||||
| 	return trace != nil && trace.WroteHeaderField != nil | ||||
| } | ||||
|  | ||||
| func traceWroteHeaderField(trace *httptrace.ClientTrace, k, v string) { | ||||
| 	if trace != nil && trace.WroteHeaderField != nil { | ||||
| 		trace.WroteHeaderField(k, []string{v}) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func traceGot1xxResponseFunc(trace *httptrace.ClientTrace) func(int, textproto.MIMEHeader) error { | ||||
| 	if trace != nil { | ||||
| 		return trace.Got1xxResponse | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										170
									
								
								vendor/golang.org/x/net/http2/gotrack.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										170
									
								
								vendor/golang.org/x/net/http2/gotrack.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,170 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // Defensive debug-only utility to track that functions run on the | ||||
| // goroutine that they're supposed to. | ||||
|  | ||||
| package http2 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
| 	"os" | ||||
| 	"runtime" | ||||
| 	"strconv" | ||||
| 	"sync" | ||||
| ) | ||||
|  | ||||
| var DebugGoroutines = os.Getenv("DEBUG_HTTP2_GOROUTINES") == "1" | ||||
|  | ||||
| type goroutineLock uint64 | ||||
|  | ||||
| func newGoroutineLock() goroutineLock { | ||||
| 	if !DebugGoroutines { | ||||
| 		return 0 | ||||
| 	} | ||||
| 	return goroutineLock(curGoroutineID()) | ||||
| } | ||||
|  | ||||
| func (g goroutineLock) check() { | ||||
| 	if !DebugGoroutines { | ||||
| 		return | ||||
| 	} | ||||
| 	if curGoroutineID() != uint64(g) { | ||||
| 		panic("running on the wrong goroutine") | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func (g goroutineLock) checkNotOn() { | ||||
| 	if !DebugGoroutines { | ||||
| 		return | ||||
| 	} | ||||
| 	if curGoroutineID() == uint64(g) { | ||||
| 		panic("running on the wrong goroutine") | ||||
| 	} | ||||
| } | ||||
|  | ||||
| var goroutineSpace = []byte("goroutine ") | ||||
|  | ||||
| func curGoroutineID() uint64 { | ||||
| 	bp := littleBuf.Get().(*[]byte) | ||||
| 	defer littleBuf.Put(bp) | ||||
| 	b := *bp | ||||
| 	b = b[:runtime.Stack(b, false)] | ||||
| 	// Parse the 4707 out of "goroutine 4707 [" | ||||
| 	b = bytes.TrimPrefix(b, goroutineSpace) | ||||
| 	i := bytes.IndexByte(b, ' ') | ||||
| 	if i < 0 { | ||||
| 		panic(fmt.Sprintf("No space found in %q", b)) | ||||
| 	} | ||||
| 	b = b[:i] | ||||
| 	n, err := parseUintBytes(b, 10, 64) | ||||
| 	if err != nil { | ||||
| 		panic(fmt.Sprintf("Failed to parse goroutine ID out of %q: %v", b, err)) | ||||
| 	} | ||||
| 	return n | ||||
| } | ||||
|  | ||||
| var littleBuf = sync.Pool{ | ||||
| 	New: func() interface{} { | ||||
| 		buf := make([]byte, 64) | ||||
| 		return &buf | ||||
| 	}, | ||||
| } | ||||
|  | ||||
| // parseUintBytes is like strconv.ParseUint, but using a []byte. | ||||
| func parseUintBytes(s []byte, base int, bitSize int) (n uint64, err error) { | ||||
| 	var cutoff, maxVal uint64 | ||||
|  | ||||
| 	if bitSize == 0 { | ||||
| 		bitSize = int(strconv.IntSize) | ||||
| 	} | ||||
|  | ||||
| 	s0 := s | ||||
| 	switch { | ||||
| 	case len(s) < 1: | ||||
| 		err = strconv.ErrSyntax | ||||
| 		goto Error | ||||
|  | ||||
| 	case 2 <= base && base <= 36: | ||||
| 		// valid base; nothing to do | ||||
|  | ||||
| 	case base == 0: | ||||
| 		// Look for octal, hex prefix. | ||||
| 		switch { | ||||
| 		case s[0] == '0' && len(s) > 1 && (s[1] == 'x' || s[1] == 'X'): | ||||
| 			base = 16 | ||||
| 			s = s[2:] | ||||
| 			if len(s) < 1 { | ||||
| 				err = strconv.ErrSyntax | ||||
| 				goto Error | ||||
| 			} | ||||
| 		case s[0] == '0': | ||||
| 			base = 8 | ||||
| 		default: | ||||
| 			base = 10 | ||||
| 		} | ||||
|  | ||||
| 	default: | ||||
| 		err = errors.New("invalid base " + strconv.Itoa(base)) | ||||
| 		goto Error | ||||
| 	} | ||||
|  | ||||
| 	n = 0 | ||||
| 	cutoff = cutoff64(base) | ||||
| 	maxVal = 1<<uint(bitSize) - 1 | ||||
|  | ||||
| 	for i := 0; i < len(s); i++ { | ||||
| 		var v byte | ||||
| 		d := s[i] | ||||
| 		switch { | ||||
| 		case '0' <= d && d <= '9': | ||||
| 			v = d - '0' | ||||
| 		case 'a' <= d && d <= 'z': | ||||
| 			v = d - 'a' + 10 | ||||
| 		case 'A' <= d && d <= 'Z': | ||||
| 			v = d - 'A' + 10 | ||||
| 		default: | ||||
| 			n = 0 | ||||
| 			err = strconv.ErrSyntax | ||||
| 			goto Error | ||||
| 		} | ||||
| 		if int(v) >= base { | ||||
| 			n = 0 | ||||
| 			err = strconv.ErrSyntax | ||||
| 			goto Error | ||||
| 		} | ||||
|  | ||||
| 		if n >= cutoff { | ||||
| 			// n*base overflows | ||||
| 			n = 1<<64 - 1 | ||||
| 			err = strconv.ErrRange | ||||
| 			goto Error | ||||
| 		} | ||||
| 		n *= uint64(base) | ||||
|  | ||||
| 		n1 := n + uint64(v) | ||||
| 		if n1 < n || n1 > maxVal { | ||||
| 			// n+v overflows | ||||
| 			n = 1<<64 - 1 | ||||
| 			err = strconv.ErrRange | ||||
| 			goto Error | ||||
| 		} | ||||
| 		n = n1 | ||||
| 	} | ||||
|  | ||||
| 	return n, nil | ||||
|  | ||||
| Error: | ||||
| 	return n, &strconv.NumError{Func: "ParseUint", Num: string(s0), Err: err} | ||||
| } | ||||
|  | ||||
| // Return the first number n such that n*base >= 1<<64. | ||||
| func cutoff64(base int) uint64 { | ||||
| 	if base < 2 { | ||||
| 		return 0 | ||||
| 	} | ||||
| 	return (1<<64-1)/uint64(base) + 1 | ||||
| } | ||||
							
								
								
									
										88
									
								
								vendor/golang.org/x/net/http2/headermap.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										88
									
								
								vendor/golang.org/x/net/http2/headermap.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,88 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package http2 | ||||
|  | ||||
| import ( | ||||
| 	"net/http" | ||||
| 	"strings" | ||||
| 	"sync" | ||||
| ) | ||||
|  | ||||
| var ( | ||||
| 	commonBuildOnce   sync.Once | ||||
| 	commonLowerHeader map[string]string // Go-Canonical-Case -> lower-case | ||||
| 	commonCanonHeader map[string]string // lower-case -> Go-Canonical-Case | ||||
| ) | ||||
|  | ||||
| func buildCommonHeaderMapsOnce() { | ||||
| 	commonBuildOnce.Do(buildCommonHeaderMaps) | ||||
| } | ||||
|  | ||||
| func buildCommonHeaderMaps() { | ||||
| 	common := []string{ | ||||
| 		"accept", | ||||
| 		"accept-charset", | ||||
| 		"accept-encoding", | ||||
| 		"accept-language", | ||||
| 		"accept-ranges", | ||||
| 		"age", | ||||
| 		"access-control-allow-origin", | ||||
| 		"allow", | ||||
| 		"authorization", | ||||
| 		"cache-control", | ||||
| 		"content-disposition", | ||||
| 		"content-encoding", | ||||
| 		"content-language", | ||||
| 		"content-length", | ||||
| 		"content-location", | ||||
| 		"content-range", | ||||
| 		"content-type", | ||||
| 		"cookie", | ||||
| 		"date", | ||||
| 		"etag", | ||||
| 		"expect", | ||||
| 		"expires", | ||||
| 		"from", | ||||
| 		"host", | ||||
| 		"if-match", | ||||
| 		"if-modified-since", | ||||
| 		"if-none-match", | ||||
| 		"if-unmodified-since", | ||||
| 		"last-modified", | ||||
| 		"link", | ||||
| 		"location", | ||||
| 		"max-forwards", | ||||
| 		"proxy-authenticate", | ||||
| 		"proxy-authorization", | ||||
| 		"range", | ||||
| 		"referer", | ||||
| 		"refresh", | ||||
| 		"retry-after", | ||||
| 		"server", | ||||
| 		"set-cookie", | ||||
| 		"strict-transport-security", | ||||
| 		"trailer", | ||||
| 		"transfer-encoding", | ||||
| 		"user-agent", | ||||
| 		"vary", | ||||
| 		"via", | ||||
| 		"www-authenticate", | ||||
| 	} | ||||
| 	commonLowerHeader = make(map[string]string, len(common)) | ||||
| 	commonCanonHeader = make(map[string]string, len(common)) | ||||
| 	for _, v := range common { | ||||
| 		chk := http.CanonicalHeaderKey(v) | ||||
| 		commonLowerHeader[chk] = v | ||||
| 		commonCanonHeader[v] = chk | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func lowerHeader(v string) string { | ||||
| 	buildCommonHeaderMapsOnce() | ||||
| 	if s, ok := commonLowerHeader[v]; ok { | ||||
| 		return s | ||||
| 	} | ||||
| 	return strings.ToLower(v) | ||||
| } | ||||
							
								
								
									
										240
									
								
								vendor/golang.org/x/net/http2/hpack/encode.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										240
									
								
								vendor/golang.org/x/net/http2/hpack/encode.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,240 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package hpack | ||||
|  | ||||
| import ( | ||||
| 	"io" | ||||
| ) | ||||
|  | ||||
| const ( | ||||
| 	uint32Max              = ^uint32(0) | ||||
| 	initialHeaderTableSize = 4096 | ||||
| ) | ||||
|  | ||||
| type Encoder struct { | ||||
| 	dynTab dynamicTable | ||||
| 	// minSize is the minimum table size set by | ||||
| 	// SetMaxDynamicTableSize after the previous Header Table Size | ||||
| 	// Update. | ||||
| 	minSize uint32 | ||||
| 	// maxSizeLimit is the maximum table size this encoder | ||||
| 	// supports. This will protect the encoder from too large | ||||
| 	// size. | ||||
| 	maxSizeLimit uint32 | ||||
| 	// tableSizeUpdate indicates whether "Header Table Size | ||||
| 	// Update" is required. | ||||
| 	tableSizeUpdate bool | ||||
| 	w               io.Writer | ||||
| 	buf             []byte | ||||
| } | ||||
|  | ||||
| // NewEncoder returns a new Encoder which performs HPACK encoding. An | ||||
| // encoded data is written to w. | ||||
| func NewEncoder(w io.Writer) *Encoder { | ||||
| 	e := &Encoder{ | ||||
| 		minSize:         uint32Max, | ||||
| 		maxSizeLimit:    initialHeaderTableSize, | ||||
| 		tableSizeUpdate: false, | ||||
| 		w:               w, | ||||
| 	} | ||||
| 	e.dynTab.table.init() | ||||
| 	e.dynTab.setMaxSize(initialHeaderTableSize) | ||||
| 	return e | ||||
| } | ||||
|  | ||||
| // WriteField encodes f into a single Write to e's underlying Writer. | ||||
| // This function may also produce bytes for "Header Table Size Update" | ||||
| // if necessary. If produced, it is done before encoding f. | ||||
| func (e *Encoder) WriteField(f HeaderField) error { | ||||
| 	e.buf = e.buf[:0] | ||||
|  | ||||
| 	if e.tableSizeUpdate { | ||||
| 		e.tableSizeUpdate = false | ||||
| 		if e.minSize < e.dynTab.maxSize { | ||||
| 			e.buf = appendTableSize(e.buf, e.minSize) | ||||
| 		} | ||||
| 		e.minSize = uint32Max | ||||
| 		e.buf = appendTableSize(e.buf, e.dynTab.maxSize) | ||||
| 	} | ||||
|  | ||||
| 	idx, nameValueMatch := e.searchTable(f) | ||||
| 	if nameValueMatch { | ||||
| 		e.buf = appendIndexed(e.buf, idx) | ||||
| 	} else { | ||||
| 		indexing := e.shouldIndex(f) | ||||
| 		if indexing { | ||||
| 			e.dynTab.add(f) | ||||
| 		} | ||||
|  | ||||
| 		if idx == 0 { | ||||
| 			e.buf = appendNewName(e.buf, f, indexing) | ||||
| 		} else { | ||||
| 			e.buf = appendIndexedName(e.buf, f, idx, indexing) | ||||
| 		} | ||||
| 	} | ||||
| 	n, err := e.w.Write(e.buf) | ||||
| 	if err == nil && n != len(e.buf) { | ||||
| 		err = io.ErrShortWrite | ||||
| 	} | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| // searchTable searches f in both stable and dynamic header tables. | ||||
| // The static header table is searched first. Only when there is no | ||||
| // exact match for both name and value, the dynamic header table is | ||||
| // then searched. If there is no match, i is 0. If both name and value | ||||
| // match, i is the matched index and nameValueMatch becomes true. If | ||||
| // only name matches, i points to that index and nameValueMatch | ||||
| // becomes false. | ||||
| func (e *Encoder) searchTable(f HeaderField) (i uint64, nameValueMatch bool) { | ||||
| 	i, nameValueMatch = staticTable.search(f) | ||||
| 	if nameValueMatch { | ||||
| 		return i, true | ||||
| 	} | ||||
|  | ||||
| 	j, nameValueMatch := e.dynTab.table.search(f) | ||||
| 	if nameValueMatch || (i == 0 && j != 0) { | ||||
| 		return j + uint64(staticTable.len()), nameValueMatch | ||||
| 	} | ||||
|  | ||||
| 	return i, false | ||||
| } | ||||
|  | ||||
| // SetMaxDynamicTableSize changes the dynamic header table size to v. | ||||
| // The actual size is bounded by the value passed to | ||||
| // SetMaxDynamicTableSizeLimit. | ||||
| func (e *Encoder) SetMaxDynamicTableSize(v uint32) { | ||||
| 	if v > e.maxSizeLimit { | ||||
| 		v = e.maxSizeLimit | ||||
| 	} | ||||
| 	if v < e.minSize { | ||||
| 		e.minSize = v | ||||
| 	} | ||||
| 	e.tableSizeUpdate = true | ||||
| 	e.dynTab.setMaxSize(v) | ||||
| } | ||||
|  | ||||
| // SetMaxDynamicTableSizeLimit changes the maximum value that can be | ||||
| // specified in SetMaxDynamicTableSize to v. By default, it is set to | ||||
| // 4096, which is the same size of the default dynamic header table | ||||
| // size described in HPACK specification. If the current maximum | ||||
| // dynamic header table size is strictly greater than v, "Header Table | ||||
| // Size Update" will be done in the next WriteField call and the | ||||
| // maximum dynamic header table size is truncated to v. | ||||
| func (e *Encoder) SetMaxDynamicTableSizeLimit(v uint32) { | ||||
| 	e.maxSizeLimit = v | ||||
| 	if e.dynTab.maxSize > v { | ||||
| 		e.tableSizeUpdate = true | ||||
| 		e.dynTab.setMaxSize(v) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // shouldIndex reports whether f should be indexed. | ||||
| func (e *Encoder) shouldIndex(f HeaderField) bool { | ||||
| 	return !f.Sensitive && f.Size() <= e.dynTab.maxSize | ||||
| } | ||||
|  | ||||
| // appendIndexed appends index i, as encoded in "Indexed Header Field" | ||||
| // representation, to dst and returns the extended buffer. | ||||
| func appendIndexed(dst []byte, i uint64) []byte { | ||||
| 	first := len(dst) | ||||
| 	dst = appendVarInt(dst, 7, i) | ||||
| 	dst[first] |= 0x80 | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // appendNewName appends f, as encoded in one of "Literal Header field | ||||
| // - New Name" representation variants, to dst and returns the | ||||
| // extended buffer. | ||||
| // | ||||
| // If f.Sensitive is true, "Never Indexed" representation is used. If | ||||
| // f.Sensitive is false and indexing is true, "Incremental Indexing" | ||||
| // representation is used. | ||||
| func appendNewName(dst []byte, f HeaderField, indexing bool) []byte { | ||||
| 	dst = append(dst, encodeTypeByte(indexing, f.Sensitive)) | ||||
| 	dst = appendHpackString(dst, f.Name) | ||||
| 	return appendHpackString(dst, f.Value) | ||||
| } | ||||
|  | ||||
| // appendIndexedName appends f and index i referring indexed name | ||||
| // entry, as encoded in one of "Literal Header field - Indexed Name" | ||||
| // representation variants, to dst and returns the extended buffer. | ||||
| // | ||||
| // If f.Sensitive is true, "Never Indexed" representation is used. If | ||||
| // f.Sensitive is false and indexing is true, "Incremental Indexing" | ||||
| // representation is used. | ||||
| func appendIndexedName(dst []byte, f HeaderField, i uint64, indexing bool) []byte { | ||||
| 	first := len(dst) | ||||
| 	var n byte | ||||
| 	if indexing { | ||||
| 		n = 6 | ||||
| 	} else { | ||||
| 		n = 4 | ||||
| 	} | ||||
| 	dst = appendVarInt(dst, n, i) | ||||
| 	dst[first] |= encodeTypeByte(indexing, f.Sensitive) | ||||
| 	return appendHpackString(dst, f.Value) | ||||
| } | ||||
|  | ||||
| // appendTableSize appends v, as encoded in "Header Table Size Update" | ||||
| // representation, to dst and returns the extended buffer. | ||||
| func appendTableSize(dst []byte, v uint32) []byte { | ||||
| 	first := len(dst) | ||||
| 	dst = appendVarInt(dst, 5, uint64(v)) | ||||
| 	dst[first] |= 0x20 | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // appendVarInt appends i, as encoded in variable integer form using n | ||||
| // bit prefix, to dst and returns the extended buffer. | ||||
| // | ||||
| // See | ||||
| // http://http2.github.io/http2-spec/compression.html#integer.representation | ||||
| func appendVarInt(dst []byte, n byte, i uint64) []byte { | ||||
| 	k := uint64((1 << n) - 1) | ||||
| 	if i < k { | ||||
| 		return append(dst, byte(i)) | ||||
| 	} | ||||
| 	dst = append(dst, byte(k)) | ||||
| 	i -= k | ||||
| 	for ; i >= 128; i >>= 7 { | ||||
| 		dst = append(dst, byte(0x80|(i&0x7f))) | ||||
| 	} | ||||
| 	return append(dst, byte(i)) | ||||
| } | ||||
|  | ||||
| // appendHpackString appends s, as encoded in "String Literal" | ||||
| // representation, to dst and returns the extended buffer. | ||||
| // | ||||
| // s will be encoded in Huffman codes only when it produces strictly | ||||
| // shorter byte string. | ||||
| func appendHpackString(dst []byte, s string) []byte { | ||||
| 	huffmanLength := HuffmanEncodeLength(s) | ||||
| 	if huffmanLength < uint64(len(s)) { | ||||
| 		first := len(dst) | ||||
| 		dst = appendVarInt(dst, 7, huffmanLength) | ||||
| 		dst = AppendHuffmanString(dst, s) | ||||
| 		dst[first] |= 0x80 | ||||
| 	} else { | ||||
| 		dst = appendVarInt(dst, 7, uint64(len(s))) | ||||
| 		dst = append(dst, s...) | ||||
| 	} | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // encodeTypeByte returns type byte. If sensitive is true, type byte | ||||
| // for "Never Indexed" representation is returned. If sensitive is | ||||
| // false and indexing is true, type byte for "Incremental Indexing" | ||||
| // representation is returned. Otherwise, type byte for "Without | ||||
| // Indexing" is returned. | ||||
| func encodeTypeByte(indexing, sensitive bool) byte { | ||||
| 	if sensitive { | ||||
| 		return 0x10 | ||||
| 	} | ||||
| 	if indexing { | ||||
| 		return 0x40 | ||||
| 	} | ||||
| 	return 0 | ||||
| } | ||||
							
								
								
									
										504
									
								
								vendor/golang.org/x/net/http2/hpack/hpack.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										504
									
								
								vendor/golang.org/x/net/http2/hpack/hpack.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,504 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // Package hpack implements HPACK, a compression format for | ||||
| // efficiently representing HTTP header fields in the context of HTTP/2. | ||||
| // | ||||
| // See http://tools.ietf.org/html/draft-ietf-httpbis-header-compression-09 | ||||
| package hpack | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
| ) | ||||
|  | ||||
| // A DecodingError is something the spec defines as a decoding error. | ||||
| type DecodingError struct { | ||||
| 	Err error | ||||
| } | ||||
|  | ||||
| func (de DecodingError) Error() string { | ||||
| 	return fmt.Sprintf("decoding error: %v", de.Err) | ||||
| } | ||||
|  | ||||
| // An InvalidIndexError is returned when an encoder references a table | ||||
| // entry before the static table or after the end of the dynamic table. | ||||
| type InvalidIndexError int | ||||
|  | ||||
| func (e InvalidIndexError) Error() string { | ||||
| 	return fmt.Sprintf("invalid indexed representation index %d", int(e)) | ||||
| } | ||||
|  | ||||
| // A HeaderField is a name-value pair. Both the name and value are | ||||
| // treated as opaque sequences of octets. | ||||
| type HeaderField struct { | ||||
| 	Name, Value string | ||||
|  | ||||
| 	// Sensitive means that this header field should never be | ||||
| 	// indexed. | ||||
| 	Sensitive bool | ||||
| } | ||||
|  | ||||
| // IsPseudo reports whether the header field is an http2 pseudo header. | ||||
| // That is, it reports whether it starts with a colon. | ||||
| // It is not otherwise guaranteed to be a valid pseudo header field, | ||||
| // though. | ||||
| func (hf HeaderField) IsPseudo() bool { | ||||
| 	return len(hf.Name) != 0 && hf.Name[0] == ':' | ||||
| } | ||||
|  | ||||
| func (hf HeaderField) String() string { | ||||
| 	var suffix string | ||||
| 	if hf.Sensitive { | ||||
| 		suffix = " (sensitive)" | ||||
| 	} | ||||
| 	return fmt.Sprintf("header field %q = %q%s", hf.Name, hf.Value, suffix) | ||||
| } | ||||
|  | ||||
| // Size returns the size of an entry per RFC 7541 section 4.1. | ||||
| func (hf HeaderField) Size() uint32 { | ||||
| 	// http://http2.github.io/http2-spec/compression.html#rfc.section.4.1 | ||||
| 	// "The size of the dynamic table is the sum of the size of | ||||
| 	// its entries. The size of an entry is the sum of its name's | ||||
| 	// length in octets (as defined in Section 5.2), its value's | ||||
| 	// length in octets (see Section 5.2), plus 32.  The size of | ||||
| 	// an entry is calculated using the length of the name and | ||||
| 	// value without any Huffman encoding applied." | ||||
|  | ||||
| 	// This can overflow if somebody makes a large HeaderField | ||||
| 	// Name and/or Value by hand, but we don't care, because that | ||||
| 	// won't happen on the wire because the encoding doesn't allow | ||||
| 	// it. | ||||
| 	return uint32(len(hf.Name) + len(hf.Value) + 32) | ||||
| } | ||||
|  | ||||
| // A Decoder is the decoding context for incremental processing of | ||||
| // header blocks. | ||||
| type Decoder struct { | ||||
| 	dynTab dynamicTable | ||||
| 	emit   func(f HeaderField) | ||||
|  | ||||
| 	emitEnabled bool // whether calls to emit are enabled | ||||
| 	maxStrLen   int  // 0 means unlimited | ||||
|  | ||||
| 	// buf is the unparsed buffer. It's only written to | ||||
| 	// saveBuf if it was truncated in the middle of a header | ||||
| 	// block. Because it's usually not owned, we can only | ||||
| 	// process it under Write. | ||||
| 	buf []byte // not owned; only valid during Write | ||||
|  | ||||
| 	// saveBuf is previous data passed to Write which we weren't able | ||||
| 	// to fully parse before. Unlike buf, we own this data. | ||||
| 	saveBuf bytes.Buffer | ||||
|  | ||||
| 	firstField bool // processing the first field of the header block | ||||
| } | ||||
|  | ||||
| // NewDecoder returns a new decoder with the provided maximum dynamic | ||||
| // table size. The emitFunc will be called for each valid field | ||||
| // parsed, in the same goroutine as calls to Write, before Write returns. | ||||
| func NewDecoder(maxDynamicTableSize uint32, emitFunc func(f HeaderField)) *Decoder { | ||||
| 	d := &Decoder{ | ||||
| 		emit:        emitFunc, | ||||
| 		emitEnabled: true, | ||||
| 		firstField:  true, | ||||
| 	} | ||||
| 	d.dynTab.table.init() | ||||
| 	d.dynTab.allowedMaxSize = maxDynamicTableSize | ||||
| 	d.dynTab.setMaxSize(maxDynamicTableSize) | ||||
| 	return d | ||||
| } | ||||
|  | ||||
| // ErrStringLength is returned by Decoder.Write when the max string length | ||||
| // (as configured by Decoder.SetMaxStringLength) would be violated. | ||||
| var ErrStringLength = errors.New("hpack: string too long") | ||||
|  | ||||
| // SetMaxStringLength sets the maximum size of a HeaderField name or | ||||
| // value string. If a string exceeds this length (even after any | ||||
| // decompression), Write will return ErrStringLength. | ||||
| // A value of 0 means unlimited and is the default from NewDecoder. | ||||
| func (d *Decoder) SetMaxStringLength(n int) { | ||||
| 	d.maxStrLen = n | ||||
| } | ||||
|  | ||||
| // SetEmitFunc changes the callback used when new header fields | ||||
| // are decoded. | ||||
| // It must be non-nil. It does not affect EmitEnabled. | ||||
| func (d *Decoder) SetEmitFunc(emitFunc func(f HeaderField)) { | ||||
| 	d.emit = emitFunc | ||||
| } | ||||
|  | ||||
| // SetEmitEnabled controls whether the emitFunc provided to NewDecoder | ||||
| // should be called. The default is true. | ||||
| // | ||||
| // This facility exists to let servers enforce MAX_HEADER_LIST_SIZE | ||||
| // while still decoding and keeping in-sync with decoder state, but | ||||
| // without doing unnecessary decompression or generating unnecessary | ||||
| // garbage for header fields past the limit. | ||||
| func (d *Decoder) SetEmitEnabled(v bool) { d.emitEnabled = v } | ||||
|  | ||||
| // EmitEnabled reports whether calls to the emitFunc provided to NewDecoder | ||||
| // are currently enabled. The default is true. | ||||
| func (d *Decoder) EmitEnabled() bool { return d.emitEnabled } | ||||
|  | ||||
| // TODO: add method *Decoder.Reset(maxSize, emitFunc) to let callers re-use Decoders and their | ||||
| // underlying buffers for garbage reasons. | ||||
|  | ||||
| func (d *Decoder) SetMaxDynamicTableSize(v uint32) { | ||||
| 	d.dynTab.setMaxSize(v) | ||||
| } | ||||
|  | ||||
| // SetAllowedMaxDynamicTableSize sets the upper bound that the encoded | ||||
| // stream (via dynamic table size updates) may set the maximum size | ||||
| // to. | ||||
| func (d *Decoder) SetAllowedMaxDynamicTableSize(v uint32) { | ||||
| 	d.dynTab.allowedMaxSize = v | ||||
| } | ||||
|  | ||||
| type dynamicTable struct { | ||||
| 	// http://http2.github.io/http2-spec/compression.html#rfc.section.2.3.2 | ||||
| 	table          headerFieldTable | ||||
| 	size           uint32 // in bytes | ||||
| 	maxSize        uint32 // current maxSize | ||||
| 	allowedMaxSize uint32 // maxSize may go up to this, inclusive | ||||
| } | ||||
|  | ||||
| func (dt *dynamicTable) setMaxSize(v uint32) { | ||||
| 	dt.maxSize = v | ||||
| 	dt.evict() | ||||
| } | ||||
|  | ||||
| func (dt *dynamicTable) add(f HeaderField) { | ||||
| 	dt.table.addEntry(f) | ||||
| 	dt.size += f.Size() | ||||
| 	dt.evict() | ||||
| } | ||||
|  | ||||
| // If we're too big, evict old stuff. | ||||
| func (dt *dynamicTable) evict() { | ||||
| 	var n int | ||||
| 	for dt.size > dt.maxSize && n < dt.table.len() { | ||||
| 		dt.size -= dt.table.ents[n].Size() | ||||
| 		n++ | ||||
| 	} | ||||
| 	dt.table.evictOldest(n) | ||||
| } | ||||
|  | ||||
| func (d *Decoder) maxTableIndex() int { | ||||
| 	// This should never overflow. RFC 7540 Section 6.5.2 limits the size of | ||||
| 	// the dynamic table to 2^32 bytes, where each entry will occupy more than | ||||
| 	// one byte. Further, the staticTable has a fixed, small length. | ||||
| 	return d.dynTab.table.len() + staticTable.len() | ||||
| } | ||||
|  | ||||
| func (d *Decoder) at(i uint64) (hf HeaderField, ok bool) { | ||||
| 	// See Section 2.3.3. | ||||
| 	if i == 0 { | ||||
| 		return | ||||
| 	} | ||||
| 	if i <= uint64(staticTable.len()) { | ||||
| 		return staticTable.ents[i-1], true | ||||
| 	} | ||||
| 	if i > uint64(d.maxTableIndex()) { | ||||
| 		return | ||||
| 	} | ||||
| 	// In the dynamic table, newer entries have lower indices. | ||||
| 	// However, dt.ents[0] is the oldest entry. Hence, dt.ents is | ||||
| 	// the reversed dynamic table. | ||||
| 	dt := d.dynTab.table | ||||
| 	return dt.ents[dt.len()-(int(i)-staticTable.len())], true | ||||
| } | ||||
|  | ||||
| // Decode decodes an entire block. | ||||
| // | ||||
| // TODO: remove this method and make it incremental later? This is | ||||
| // easier for debugging now. | ||||
| func (d *Decoder) DecodeFull(p []byte) ([]HeaderField, error) { | ||||
| 	var hf []HeaderField | ||||
| 	saveFunc := d.emit | ||||
| 	defer func() { d.emit = saveFunc }() | ||||
| 	d.emit = func(f HeaderField) { hf = append(hf, f) } | ||||
| 	if _, err := d.Write(p); err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	if err := d.Close(); err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	return hf, nil | ||||
| } | ||||
|  | ||||
| // Close declares that the decoding is complete and resets the Decoder | ||||
| // to be reused again for a new header block. If there is any remaining | ||||
| // data in the decoder's buffer, Close returns an error. | ||||
| func (d *Decoder) Close() error { | ||||
| 	if d.saveBuf.Len() > 0 { | ||||
| 		d.saveBuf.Reset() | ||||
| 		return DecodingError{errors.New("truncated headers")} | ||||
| 	} | ||||
| 	d.firstField = true | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func (d *Decoder) Write(p []byte) (n int, err error) { | ||||
| 	if len(p) == 0 { | ||||
| 		// Prevent state machine CPU attacks (making us redo | ||||
| 		// work up to the point of finding out we don't have | ||||
| 		// enough data) | ||||
| 		return | ||||
| 	} | ||||
| 	// Only copy the data if we have to. Optimistically assume | ||||
| 	// that p will contain a complete header block. | ||||
| 	if d.saveBuf.Len() == 0 { | ||||
| 		d.buf = p | ||||
| 	} else { | ||||
| 		d.saveBuf.Write(p) | ||||
| 		d.buf = d.saveBuf.Bytes() | ||||
| 		d.saveBuf.Reset() | ||||
| 	} | ||||
|  | ||||
| 	for len(d.buf) > 0 { | ||||
| 		err = d.parseHeaderFieldRepr() | ||||
| 		if err == errNeedMore { | ||||
| 			// Extra paranoia, making sure saveBuf won't | ||||
| 			// get too large. All the varint and string | ||||
| 			// reading code earlier should already catch | ||||
| 			// overlong things and return ErrStringLength, | ||||
| 			// but keep this as a last resort. | ||||
| 			const varIntOverhead = 8 // conservative | ||||
| 			if d.maxStrLen != 0 && int64(len(d.buf)) > 2*(int64(d.maxStrLen)+varIntOverhead) { | ||||
| 				return 0, ErrStringLength | ||||
| 			} | ||||
| 			d.saveBuf.Write(d.buf) | ||||
| 			return len(p), nil | ||||
| 		} | ||||
| 		d.firstField = false | ||||
| 		if err != nil { | ||||
| 			break | ||||
| 		} | ||||
| 	} | ||||
| 	return len(p), err | ||||
| } | ||||
|  | ||||
| // errNeedMore is an internal sentinel error value that means the | ||||
| // buffer is truncated and we need to read more data before we can | ||||
| // continue parsing. | ||||
| var errNeedMore = errors.New("need more data") | ||||
|  | ||||
| type indexType int | ||||
|  | ||||
| const ( | ||||
| 	indexedTrue indexType = iota | ||||
| 	indexedFalse | ||||
| 	indexedNever | ||||
| ) | ||||
|  | ||||
| func (v indexType) indexed() bool   { return v == indexedTrue } | ||||
| func (v indexType) sensitive() bool { return v == indexedNever } | ||||
|  | ||||
| // returns errNeedMore if there isn't enough data available. | ||||
| // any other error is fatal. | ||||
| // consumes d.buf iff it returns nil. | ||||
| // precondition: must be called with len(d.buf) > 0 | ||||
| func (d *Decoder) parseHeaderFieldRepr() error { | ||||
| 	b := d.buf[0] | ||||
| 	switch { | ||||
| 	case b&128 != 0: | ||||
| 		// Indexed representation. | ||||
| 		// High bit set? | ||||
| 		// http://http2.github.io/http2-spec/compression.html#rfc.section.6.1 | ||||
| 		return d.parseFieldIndexed() | ||||
| 	case b&192 == 64: | ||||
| 		// 6.2.1 Literal Header Field with Incremental Indexing | ||||
| 		// 0b10xxxxxx: top two bits are 10 | ||||
| 		// http://http2.github.io/http2-spec/compression.html#rfc.section.6.2.1 | ||||
| 		return d.parseFieldLiteral(6, indexedTrue) | ||||
| 	case b&240 == 0: | ||||
| 		// 6.2.2 Literal Header Field without Indexing | ||||
| 		// 0b0000xxxx: top four bits are 0000 | ||||
| 		// http://http2.github.io/http2-spec/compression.html#rfc.section.6.2.2 | ||||
| 		return d.parseFieldLiteral(4, indexedFalse) | ||||
| 	case b&240 == 16: | ||||
| 		// 6.2.3 Literal Header Field never Indexed | ||||
| 		// 0b0001xxxx: top four bits are 0001 | ||||
| 		// http://http2.github.io/http2-spec/compression.html#rfc.section.6.2.3 | ||||
| 		return d.parseFieldLiteral(4, indexedNever) | ||||
| 	case b&224 == 32: | ||||
| 		// 6.3 Dynamic Table Size Update | ||||
| 		// Top three bits are '001'. | ||||
| 		// http://http2.github.io/http2-spec/compression.html#rfc.section.6.3 | ||||
| 		return d.parseDynamicTableSizeUpdate() | ||||
| 	} | ||||
|  | ||||
| 	return DecodingError{errors.New("invalid encoding")} | ||||
| } | ||||
|  | ||||
| // (same invariants and behavior as parseHeaderFieldRepr) | ||||
| func (d *Decoder) parseFieldIndexed() error { | ||||
| 	buf := d.buf | ||||
| 	idx, buf, err := readVarInt(7, buf) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	hf, ok := d.at(idx) | ||||
| 	if !ok { | ||||
| 		return DecodingError{InvalidIndexError(idx)} | ||||
| 	} | ||||
| 	d.buf = buf | ||||
| 	return d.callEmit(HeaderField{Name: hf.Name, Value: hf.Value}) | ||||
| } | ||||
|  | ||||
| // (same invariants and behavior as parseHeaderFieldRepr) | ||||
| func (d *Decoder) parseFieldLiteral(n uint8, it indexType) error { | ||||
| 	buf := d.buf | ||||
| 	nameIdx, buf, err := readVarInt(n, buf) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	var hf HeaderField | ||||
| 	wantStr := d.emitEnabled || it.indexed() | ||||
| 	if nameIdx > 0 { | ||||
| 		ihf, ok := d.at(nameIdx) | ||||
| 		if !ok { | ||||
| 			return DecodingError{InvalidIndexError(nameIdx)} | ||||
| 		} | ||||
| 		hf.Name = ihf.Name | ||||
| 	} else { | ||||
| 		hf.Name, buf, err = d.readString(buf, wantStr) | ||||
| 		if err != nil { | ||||
| 			return err | ||||
| 		} | ||||
| 	} | ||||
| 	hf.Value, buf, err = d.readString(buf, wantStr) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	d.buf = buf | ||||
| 	if it.indexed() { | ||||
| 		d.dynTab.add(hf) | ||||
| 	} | ||||
| 	hf.Sensitive = it.sensitive() | ||||
| 	return d.callEmit(hf) | ||||
| } | ||||
|  | ||||
| func (d *Decoder) callEmit(hf HeaderField) error { | ||||
| 	if d.maxStrLen != 0 { | ||||
| 		if len(hf.Name) > d.maxStrLen || len(hf.Value) > d.maxStrLen { | ||||
| 			return ErrStringLength | ||||
| 		} | ||||
| 	} | ||||
| 	if d.emitEnabled { | ||||
| 		d.emit(hf) | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // (same invariants and behavior as parseHeaderFieldRepr) | ||||
| func (d *Decoder) parseDynamicTableSizeUpdate() error { | ||||
| 	// RFC 7541, sec 4.2: This dynamic table size update MUST occur at the | ||||
| 	// beginning of the first header block following the change to the dynamic table size. | ||||
| 	if !d.firstField && d.dynTab.size > 0 { | ||||
| 		return DecodingError{errors.New("dynamic table size update MUST occur at the beginning of a header block")} | ||||
| 	} | ||||
|  | ||||
| 	buf := d.buf | ||||
| 	size, buf, err := readVarInt(5, buf) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	if size > uint64(d.dynTab.allowedMaxSize) { | ||||
| 		return DecodingError{errors.New("dynamic table size update too large")} | ||||
| 	} | ||||
| 	d.dynTab.setMaxSize(uint32(size)) | ||||
| 	d.buf = buf | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| var errVarintOverflow = DecodingError{errors.New("varint integer overflow")} | ||||
|  | ||||
| // readVarInt reads an unsigned variable length integer off the | ||||
| // beginning of p. n is the parameter as described in | ||||
| // http://http2.github.io/http2-spec/compression.html#rfc.section.5.1. | ||||
| // | ||||
| // n must always be between 1 and 8. | ||||
| // | ||||
| // The returned remain buffer is either a smaller suffix of p, or err != nil. | ||||
| // The error is errNeedMore if p doesn't contain a complete integer. | ||||
| func readVarInt(n byte, p []byte) (i uint64, remain []byte, err error) { | ||||
| 	if n < 1 || n > 8 { | ||||
| 		panic("bad n") | ||||
| 	} | ||||
| 	if len(p) == 0 { | ||||
| 		return 0, p, errNeedMore | ||||
| 	} | ||||
| 	i = uint64(p[0]) | ||||
| 	if n < 8 { | ||||
| 		i &= (1 << uint64(n)) - 1 | ||||
| 	} | ||||
| 	if i < (1<<uint64(n))-1 { | ||||
| 		return i, p[1:], nil | ||||
| 	} | ||||
|  | ||||
| 	origP := p | ||||
| 	p = p[1:] | ||||
| 	var m uint64 | ||||
| 	for len(p) > 0 { | ||||
| 		b := p[0] | ||||
| 		p = p[1:] | ||||
| 		i += uint64(b&127) << m | ||||
| 		if b&128 == 0 { | ||||
| 			return i, p, nil | ||||
| 		} | ||||
| 		m += 7 | ||||
| 		if m >= 63 { // TODO: proper overflow check. making this up. | ||||
| 			return 0, origP, errVarintOverflow | ||||
| 		} | ||||
| 	} | ||||
| 	return 0, origP, errNeedMore | ||||
| } | ||||
|  | ||||
| // readString decodes an hpack string from p. | ||||
| // | ||||
| // wantStr is whether s will be used. If false, decompression and | ||||
| // []byte->string garbage are skipped if s will be ignored | ||||
| // anyway. This does mean that huffman decoding errors for non-indexed | ||||
| // strings past the MAX_HEADER_LIST_SIZE are ignored, but the server | ||||
| // is returning an error anyway, and because they're not indexed, the error | ||||
| // won't affect the decoding state. | ||||
| func (d *Decoder) readString(p []byte, wantStr bool) (s string, remain []byte, err error) { | ||||
| 	if len(p) == 0 { | ||||
| 		return "", p, errNeedMore | ||||
| 	} | ||||
| 	isHuff := p[0]&128 != 0 | ||||
| 	strLen, p, err := readVarInt(7, p) | ||||
| 	if err != nil { | ||||
| 		return "", p, err | ||||
| 	} | ||||
| 	if d.maxStrLen != 0 && strLen > uint64(d.maxStrLen) { | ||||
| 		return "", nil, ErrStringLength | ||||
| 	} | ||||
| 	if uint64(len(p)) < strLen { | ||||
| 		return "", p, errNeedMore | ||||
| 	} | ||||
| 	if !isHuff { | ||||
| 		if wantStr { | ||||
| 			s = string(p[:strLen]) | ||||
| 		} | ||||
| 		return s, p[strLen:], nil | ||||
| 	} | ||||
|  | ||||
| 	if wantStr { | ||||
| 		buf := bufPool.Get().(*bytes.Buffer) | ||||
| 		buf.Reset() // don't trust others | ||||
| 		defer bufPool.Put(buf) | ||||
| 		if err := huffmanDecode(buf, d.maxStrLen, p[:strLen]); err != nil { | ||||
| 			buf.Reset() | ||||
| 			return "", nil, err | ||||
| 		} | ||||
| 		s = buf.String() | ||||
| 		buf.Reset() // be nice to GC | ||||
| 	} | ||||
| 	return s, p[strLen:], nil | ||||
| } | ||||
							
								
								
									
										229
									
								
								vendor/golang.org/x/net/http2/hpack/huffman.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										229
									
								
								vendor/golang.org/x/net/http2/hpack/huffman.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,229 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package hpack | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"errors" | ||||
| 	"io" | ||||
| 	"sync" | ||||
| ) | ||||
|  | ||||
| var bufPool = sync.Pool{ | ||||
| 	New: func() interface{} { return new(bytes.Buffer) }, | ||||
| } | ||||
|  | ||||
| // HuffmanDecode decodes the string in v and writes the expanded | ||||
| // result to w, returning the number of bytes written to w and the | ||||
| // Write call's return value. At most one Write call is made. | ||||
| func HuffmanDecode(w io.Writer, v []byte) (int, error) { | ||||
| 	buf := bufPool.Get().(*bytes.Buffer) | ||||
| 	buf.Reset() | ||||
| 	defer bufPool.Put(buf) | ||||
| 	if err := huffmanDecode(buf, 0, v); err != nil { | ||||
| 		return 0, err | ||||
| 	} | ||||
| 	return w.Write(buf.Bytes()) | ||||
| } | ||||
|  | ||||
| // HuffmanDecodeToString decodes the string in v. | ||||
| func HuffmanDecodeToString(v []byte) (string, error) { | ||||
| 	buf := bufPool.Get().(*bytes.Buffer) | ||||
| 	buf.Reset() | ||||
| 	defer bufPool.Put(buf) | ||||
| 	if err := huffmanDecode(buf, 0, v); err != nil { | ||||
| 		return "", err | ||||
| 	} | ||||
| 	return buf.String(), nil | ||||
| } | ||||
|  | ||||
| // ErrInvalidHuffman is returned for errors found decoding | ||||
| // Huffman-encoded strings. | ||||
| var ErrInvalidHuffman = errors.New("hpack: invalid Huffman-encoded data") | ||||
|  | ||||
| // huffmanDecode decodes v to buf. | ||||
| // If maxLen is greater than 0, attempts to write more to buf than | ||||
| // maxLen bytes will return ErrStringLength. | ||||
| func huffmanDecode(buf *bytes.Buffer, maxLen int, v []byte) error { | ||||
| 	rootHuffmanNode := getRootHuffmanNode() | ||||
| 	n := rootHuffmanNode | ||||
| 	// cur is the bit buffer that has not been fed into n. | ||||
| 	// cbits is the number of low order bits in cur that are valid. | ||||
| 	// sbits is the number of bits of the symbol prefix being decoded. | ||||
| 	cur, cbits, sbits := uint(0), uint8(0), uint8(0) | ||||
| 	for _, b := range v { | ||||
| 		cur = cur<<8 | uint(b) | ||||
| 		cbits += 8 | ||||
| 		sbits += 8 | ||||
| 		for cbits >= 8 { | ||||
| 			idx := byte(cur >> (cbits - 8)) | ||||
| 			n = n.children[idx] | ||||
| 			if n == nil { | ||||
| 				return ErrInvalidHuffman | ||||
| 			} | ||||
| 			if n.children == nil { | ||||
| 				if maxLen != 0 && buf.Len() == maxLen { | ||||
| 					return ErrStringLength | ||||
| 				} | ||||
| 				buf.WriteByte(n.sym) | ||||
| 				cbits -= n.codeLen | ||||
| 				n = rootHuffmanNode | ||||
| 				sbits = cbits | ||||
| 			} else { | ||||
| 				cbits -= 8 | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	for cbits > 0 { | ||||
| 		n = n.children[byte(cur<<(8-cbits))] | ||||
| 		if n == nil { | ||||
| 			return ErrInvalidHuffman | ||||
| 		} | ||||
| 		if n.children != nil || n.codeLen > cbits { | ||||
| 			break | ||||
| 		} | ||||
| 		if maxLen != 0 && buf.Len() == maxLen { | ||||
| 			return ErrStringLength | ||||
| 		} | ||||
| 		buf.WriteByte(n.sym) | ||||
| 		cbits -= n.codeLen | ||||
| 		n = rootHuffmanNode | ||||
| 		sbits = cbits | ||||
| 	} | ||||
| 	if sbits > 7 { | ||||
| 		// Either there was an incomplete symbol, or overlong padding. | ||||
| 		// Both are decoding errors per RFC 7541 section 5.2. | ||||
| 		return ErrInvalidHuffman | ||||
| 	} | ||||
| 	if mask := uint(1<<cbits - 1); cur&mask != mask { | ||||
| 		// Trailing bits must be a prefix of EOS per RFC 7541 section 5.2. | ||||
| 		return ErrInvalidHuffman | ||||
| 	} | ||||
|  | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // incomparable is a zero-width, non-comparable type. Adding it to a struct | ||||
| // makes that struct also non-comparable, and generally doesn't add | ||||
| // any size (as long as it's first). | ||||
| type incomparable [0]func() | ||||
|  | ||||
| type node struct { | ||||
| 	_ incomparable | ||||
|  | ||||
| 	// children is non-nil for internal nodes | ||||
| 	children *[256]*node | ||||
|  | ||||
| 	// The following are only valid if children is nil: | ||||
| 	codeLen uint8 // number of bits that led to the output of sym | ||||
| 	sym     byte  // output symbol | ||||
| } | ||||
|  | ||||
| func newInternalNode() *node { | ||||
| 	return &node{children: new([256]*node)} | ||||
| } | ||||
|  | ||||
| var ( | ||||
| 	buildRootOnce       sync.Once | ||||
| 	lazyRootHuffmanNode *node | ||||
| ) | ||||
|  | ||||
| func getRootHuffmanNode() *node { | ||||
| 	buildRootOnce.Do(buildRootHuffmanNode) | ||||
| 	return lazyRootHuffmanNode | ||||
| } | ||||
|  | ||||
| func buildRootHuffmanNode() { | ||||
| 	if len(huffmanCodes) != 256 { | ||||
| 		panic("unexpected size") | ||||
| 	} | ||||
| 	lazyRootHuffmanNode = newInternalNode() | ||||
| 	for i, code := range huffmanCodes { | ||||
| 		addDecoderNode(byte(i), code, huffmanCodeLen[i]) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func addDecoderNode(sym byte, code uint32, codeLen uint8) { | ||||
| 	cur := lazyRootHuffmanNode | ||||
| 	for codeLen > 8 { | ||||
| 		codeLen -= 8 | ||||
| 		i := uint8(code >> codeLen) | ||||
| 		if cur.children[i] == nil { | ||||
| 			cur.children[i] = newInternalNode() | ||||
| 		} | ||||
| 		cur = cur.children[i] | ||||
| 	} | ||||
| 	shift := 8 - codeLen | ||||
| 	start, end := int(uint8(code<<shift)), int(1<<shift) | ||||
| 	for i := start; i < start+end; i++ { | ||||
| 		cur.children[i] = &node{sym: sym, codeLen: codeLen} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // AppendHuffmanString appends s, as encoded in Huffman codes, to dst | ||||
| // and returns the extended buffer. | ||||
| func AppendHuffmanString(dst []byte, s string) []byte { | ||||
| 	rembits := uint8(8) | ||||
|  | ||||
| 	for i := 0; i < len(s); i++ { | ||||
| 		if rembits == 8 { | ||||
| 			dst = append(dst, 0) | ||||
| 		} | ||||
| 		dst, rembits = appendByteToHuffmanCode(dst, rembits, s[i]) | ||||
| 	} | ||||
|  | ||||
| 	if rembits < 8 { | ||||
| 		// special EOS symbol | ||||
| 		code := uint32(0x3fffffff) | ||||
| 		nbits := uint8(30) | ||||
|  | ||||
| 		t := uint8(code >> (nbits - rembits)) | ||||
| 		dst[len(dst)-1] |= t | ||||
| 	} | ||||
|  | ||||
| 	return dst | ||||
| } | ||||
|  | ||||
| // HuffmanEncodeLength returns the number of bytes required to encode | ||||
| // s in Huffman codes. The result is round up to byte boundary. | ||||
| func HuffmanEncodeLength(s string) uint64 { | ||||
| 	n := uint64(0) | ||||
| 	for i := 0; i < len(s); i++ { | ||||
| 		n += uint64(huffmanCodeLen[s[i]]) | ||||
| 	} | ||||
| 	return (n + 7) / 8 | ||||
| } | ||||
|  | ||||
| // appendByteToHuffmanCode appends Huffman code for c to dst and | ||||
| // returns the extended buffer and the remaining bits in the last | ||||
| // element. The appending is not byte aligned and the remaining bits | ||||
| // in the last element of dst is given in rembits. | ||||
| func appendByteToHuffmanCode(dst []byte, rembits uint8, c byte) ([]byte, uint8) { | ||||
| 	code := huffmanCodes[c] | ||||
| 	nbits := huffmanCodeLen[c] | ||||
|  | ||||
| 	for { | ||||
| 		if rembits > nbits { | ||||
| 			t := uint8(code << (rembits - nbits)) | ||||
| 			dst[len(dst)-1] |= t | ||||
| 			rembits -= nbits | ||||
| 			break | ||||
| 		} | ||||
|  | ||||
| 		t := uint8(code >> (nbits - rembits)) | ||||
| 		dst[len(dst)-1] |= t | ||||
|  | ||||
| 		nbits -= rembits | ||||
| 		rembits = 8 | ||||
|  | ||||
| 		if nbits == 0 { | ||||
| 			break | ||||
| 		} | ||||
|  | ||||
| 		dst = append(dst, 0) | ||||
| 	} | ||||
|  | ||||
| 	return dst, rembits | ||||
| } | ||||
							
								
								
									
										479
									
								
								vendor/golang.org/x/net/http2/hpack/tables.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										479
									
								
								vendor/golang.org/x/net/http2/hpack/tables.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,479 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package hpack | ||||
|  | ||||
| import ( | ||||
| 	"fmt" | ||||
| ) | ||||
|  | ||||
| // headerFieldTable implements a list of HeaderFields. | ||||
| // This is used to implement the static and dynamic tables. | ||||
| type headerFieldTable struct { | ||||
| 	// For static tables, entries are never evicted. | ||||
| 	// | ||||
| 	// For dynamic tables, entries are evicted from ents[0] and added to the end. | ||||
| 	// Each entry has a unique id that starts at one and increments for each | ||||
| 	// entry that is added. This unique id is stable across evictions, meaning | ||||
| 	// it can be used as a pointer to a specific entry. As in hpack, unique ids | ||||
| 	// are 1-based. The unique id for ents[k] is k + evictCount + 1. | ||||
| 	// | ||||
| 	// Zero is not a valid unique id. | ||||
| 	// | ||||
| 	// evictCount should not overflow in any remotely practical situation. In | ||||
| 	// practice, we will have one dynamic table per HTTP/2 connection. If we | ||||
| 	// assume a very powerful server that handles 1M QPS per connection and each | ||||
| 	// request adds (then evicts) 100 entries from the table, it would still take | ||||
| 	// 2M years for evictCount to overflow. | ||||
| 	ents       []HeaderField | ||||
| 	evictCount uint64 | ||||
|  | ||||
| 	// byName maps a HeaderField name to the unique id of the newest entry with | ||||
| 	// the same name. See above for a definition of "unique id". | ||||
| 	byName map[string]uint64 | ||||
|  | ||||
| 	// byNameValue maps a HeaderField name/value pair to the unique id of the newest | ||||
| 	// entry with the same name and value. See above for a definition of "unique id". | ||||
| 	byNameValue map[pairNameValue]uint64 | ||||
| } | ||||
|  | ||||
| type pairNameValue struct { | ||||
| 	name, value string | ||||
| } | ||||
|  | ||||
| func (t *headerFieldTable) init() { | ||||
| 	t.byName = make(map[string]uint64) | ||||
| 	t.byNameValue = make(map[pairNameValue]uint64) | ||||
| } | ||||
|  | ||||
| // len reports the number of entries in the table. | ||||
| func (t *headerFieldTable) len() int { | ||||
| 	return len(t.ents) | ||||
| } | ||||
|  | ||||
| // addEntry adds a new entry. | ||||
| func (t *headerFieldTable) addEntry(f HeaderField) { | ||||
| 	id := uint64(t.len()) + t.evictCount + 1 | ||||
| 	t.byName[f.Name] = id | ||||
| 	t.byNameValue[pairNameValue{f.Name, f.Value}] = id | ||||
| 	t.ents = append(t.ents, f) | ||||
| } | ||||
|  | ||||
| // evictOldest evicts the n oldest entries in the table. | ||||
| func (t *headerFieldTable) evictOldest(n int) { | ||||
| 	if n > t.len() { | ||||
| 		panic(fmt.Sprintf("evictOldest(%v) on table with %v entries", n, t.len())) | ||||
| 	} | ||||
| 	for k := 0; k < n; k++ { | ||||
| 		f := t.ents[k] | ||||
| 		id := t.evictCount + uint64(k) + 1 | ||||
| 		if t.byName[f.Name] == id { | ||||
| 			delete(t.byName, f.Name) | ||||
| 		} | ||||
| 		if p := (pairNameValue{f.Name, f.Value}); t.byNameValue[p] == id { | ||||
| 			delete(t.byNameValue, p) | ||||
| 		} | ||||
| 	} | ||||
| 	copy(t.ents, t.ents[n:]) | ||||
| 	for k := t.len() - n; k < t.len(); k++ { | ||||
| 		t.ents[k] = HeaderField{} // so strings can be garbage collected | ||||
| 	} | ||||
| 	t.ents = t.ents[:t.len()-n] | ||||
| 	if t.evictCount+uint64(n) < t.evictCount { | ||||
| 		panic("evictCount overflow") | ||||
| 	} | ||||
| 	t.evictCount += uint64(n) | ||||
| } | ||||
|  | ||||
| // search finds f in the table. If there is no match, i is 0. | ||||
| // If both name and value match, i is the matched index and nameValueMatch | ||||
| // becomes true. If only name matches, i points to that index and | ||||
| // nameValueMatch becomes false. | ||||
| // | ||||
| // The returned index is a 1-based HPACK index. For dynamic tables, HPACK says | ||||
| // that index 1 should be the newest entry, but t.ents[0] is the oldest entry, | ||||
| // meaning t.ents is reversed for dynamic tables. Hence, when t is a dynamic | ||||
| // table, the return value i actually refers to the entry t.ents[t.len()-i]. | ||||
| // | ||||
| // All tables are assumed to be a dynamic tables except for the global | ||||
| // staticTable pointer. | ||||
| // | ||||
| // See Section 2.3.3. | ||||
| func (t *headerFieldTable) search(f HeaderField) (i uint64, nameValueMatch bool) { | ||||
| 	if !f.Sensitive { | ||||
| 		if id := t.byNameValue[pairNameValue{f.Name, f.Value}]; id != 0 { | ||||
| 			return t.idToIndex(id), true | ||||
| 		} | ||||
| 	} | ||||
| 	if id := t.byName[f.Name]; id != 0 { | ||||
| 		return t.idToIndex(id), false | ||||
| 	} | ||||
| 	return 0, false | ||||
| } | ||||
|  | ||||
| // idToIndex converts a unique id to an HPACK index. | ||||
| // See Section 2.3.3. | ||||
| func (t *headerFieldTable) idToIndex(id uint64) uint64 { | ||||
| 	if id <= t.evictCount { | ||||
| 		panic(fmt.Sprintf("id (%v) <= evictCount (%v)", id, t.evictCount)) | ||||
| 	} | ||||
| 	k := id - t.evictCount - 1 // convert id to an index t.ents[k] | ||||
| 	if t != staticTable { | ||||
| 		return uint64(t.len()) - k // dynamic table | ||||
| 	} | ||||
| 	return k + 1 | ||||
| } | ||||
|  | ||||
| // http://tools.ietf.org/html/draft-ietf-httpbis-header-compression-07#appendix-B | ||||
| var staticTable = newStaticTable() | ||||
| var staticTableEntries = [...]HeaderField{ | ||||
| 	{Name: ":authority"}, | ||||
| 	{Name: ":method", Value: "GET"}, | ||||
| 	{Name: ":method", Value: "POST"}, | ||||
| 	{Name: ":path", Value: "/"}, | ||||
| 	{Name: ":path", Value: "/index.html"}, | ||||
| 	{Name: ":scheme", Value: "http"}, | ||||
| 	{Name: ":scheme", Value: "https"}, | ||||
| 	{Name: ":status", Value: "200"}, | ||||
| 	{Name: ":status", Value: "204"}, | ||||
| 	{Name: ":status", Value: "206"}, | ||||
| 	{Name: ":status", Value: "304"}, | ||||
| 	{Name: ":status", Value: "400"}, | ||||
| 	{Name: ":status", Value: "404"}, | ||||
| 	{Name: ":status", Value: "500"}, | ||||
| 	{Name: "accept-charset"}, | ||||
| 	{Name: "accept-encoding", Value: "gzip, deflate"}, | ||||
| 	{Name: "accept-language"}, | ||||
| 	{Name: "accept-ranges"}, | ||||
| 	{Name: "accept"}, | ||||
| 	{Name: "access-control-allow-origin"}, | ||||
| 	{Name: "age"}, | ||||
| 	{Name: "allow"}, | ||||
| 	{Name: "authorization"}, | ||||
| 	{Name: "cache-control"}, | ||||
| 	{Name: "content-disposition"}, | ||||
| 	{Name: "content-encoding"}, | ||||
| 	{Name: "content-language"}, | ||||
| 	{Name: "content-length"}, | ||||
| 	{Name: "content-location"}, | ||||
| 	{Name: "content-range"}, | ||||
| 	{Name: "content-type"}, | ||||
| 	{Name: "cookie"}, | ||||
| 	{Name: "date"}, | ||||
| 	{Name: "etag"}, | ||||
| 	{Name: "expect"}, | ||||
| 	{Name: "expires"}, | ||||
| 	{Name: "from"}, | ||||
| 	{Name: "host"}, | ||||
| 	{Name: "if-match"}, | ||||
| 	{Name: "if-modified-since"}, | ||||
| 	{Name: "if-none-match"}, | ||||
| 	{Name: "if-range"}, | ||||
| 	{Name: "if-unmodified-since"}, | ||||
| 	{Name: "last-modified"}, | ||||
| 	{Name: "link"}, | ||||
| 	{Name: "location"}, | ||||
| 	{Name: "max-forwards"}, | ||||
| 	{Name: "proxy-authenticate"}, | ||||
| 	{Name: "proxy-authorization"}, | ||||
| 	{Name: "range"}, | ||||
| 	{Name: "referer"}, | ||||
| 	{Name: "refresh"}, | ||||
| 	{Name: "retry-after"}, | ||||
| 	{Name: "server"}, | ||||
| 	{Name: "set-cookie"}, | ||||
| 	{Name: "strict-transport-security"}, | ||||
| 	{Name: "transfer-encoding"}, | ||||
| 	{Name: "user-agent"}, | ||||
| 	{Name: "vary"}, | ||||
| 	{Name: "via"}, | ||||
| 	{Name: "www-authenticate"}, | ||||
| } | ||||
|  | ||||
| func newStaticTable() *headerFieldTable { | ||||
| 	t := &headerFieldTable{} | ||||
| 	t.init() | ||||
| 	for _, e := range staticTableEntries[:] { | ||||
| 		t.addEntry(e) | ||||
| 	} | ||||
| 	return t | ||||
| } | ||||
|  | ||||
| var huffmanCodes = [256]uint32{ | ||||
| 	0x1ff8, | ||||
| 	0x7fffd8, | ||||
| 	0xfffffe2, | ||||
| 	0xfffffe3, | ||||
| 	0xfffffe4, | ||||
| 	0xfffffe5, | ||||
| 	0xfffffe6, | ||||
| 	0xfffffe7, | ||||
| 	0xfffffe8, | ||||
| 	0xffffea, | ||||
| 	0x3ffffffc, | ||||
| 	0xfffffe9, | ||||
| 	0xfffffea, | ||||
| 	0x3ffffffd, | ||||
| 	0xfffffeb, | ||||
| 	0xfffffec, | ||||
| 	0xfffffed, | ||||
| 	0xfffffee, | ||||
| 	0xfffffef, | ||||
| 	0xffffff0, | ||||
| 	0xffffff1, | ||||
| 	0xffffff2, | ||||
| 	0x3ffffffe, | ||||
| 	0xffffff3, | ||||
| 	0xffffff4, | ||||
| 	0xffffff5, | ||||
| 	0xffffff6, | ||||
| 	0xffffff7, | ||||
| 	0xffffff8, | ||||
| 	0xffffff9, | ||||
| 	0xffffffa, | ||||
| 	0xffffffb, | ||||
| 	0x14, | ||||
| 	0x3f8, | ||||
| 	0x3f9, | ||||
| 	0xffa, | ||||
| 	0x1ff9, | ||||
| 	0x15, | ||||
| 	0xf8, | ||||
| 	0x7fa, | ||||
| 	0x3fa, | ||||
| 	0x3fb, | ||||
| 	0xf9, | ||||
| 	0x7fb, | ||||
| 	0xfa, | ||||
| 	0x16, | ||||
| 	0x17, | ||||
| 	0x18, | ||||
| 	0x0, | ||||
| 	0x1, | ||||
| 	0x2, | ||||
| 	0x19, | ||||
| 	0x1a, | ||||
| 	0x1b, | ||||
| 	0x1c, | ||||
| 	0x1d, | ||||
| 	0x1e, | ||||
| 	0x1f, | ||||
| 	0x5c, | ||||
| 	0xfb, | ||||
| 	0x7ffc, | ||||
| 	0x20, | ||||
| 	0xffb, | ||||
| 	0x3fc, | ||||
| 	0x1ffa, | ||||
| 	0x21, | ||||
| 	0x5d, | ||||
| 	0x5e, | ||||
| 	0x5f, | ||||
| 	0x60, | ||||
| 	0x61, | ||||
| 	0x62, | ||||
| 	0x63, | ||||
| 	0x64, | ||||
| 	0x65, | ||||
| 	0x66, | ||||
| 	0x67, | ||||
| 	0x68, | ||||
| 	0x69, | ||||
| 	0x6a, | ||||
| 	0x6b, | ||||
| 	0x6c, | ||||
| 	0x6d, | ||||
| 	0x6e, | ||||
| 	0x6f, | ||||
| 	0x70, | ||||
| 	0x71, | ||||
| 	0x72, | ||||
| 	0xfc, | ||||
| 	0x73, | ||||
| 	0xfd, | ||||
| 	0x1ffb, | ||||
| 	0x7fff0, | ||||
| 	0x1ffc, | ||||
| 	0x3ffc, | ||||
| 	0x22, | ||||
| 	0x7ffd, | ||||
| 	0x3, | ||||
| 	0x23, | ||||
| 	0x4, | ||||
| 	0x24, | ||||
| 	0x5, | ||||
| 	0x25, | ||||
| 	0x26, | ||||
| 	0x27, | ||||
| 	0x6, | ||||
| 	0x74, | ||||
| 	0x75, | ||||
| 	0x28, | ||||
| 	0x29, | ||||
| 	0x2a, | ||||
| 	0x7, | ||||
| 	0x2b, | ||||
| 	0x76, | ||||
| 	0x2c, | ||||
| 	0x8, | ||||
| 	0x9, | ||||
| 	0x2d, | ||||
| 	0x77, | ||||
| 	0x78, | ||||
| 	0x79, | ||||
| 	0x7a, | ||||
| 	0x7b, | ||||
| 	0x7ffe, | ||||
| 	0x7fc, | ||||
| 	0x3ffd, | ||||
| 	0x1ffd, | ||||
| 	0xffffffc, | ||||
| 	0xfffe6, | ||||
| 	0x3fffd2, | ||||
| 	0xfffe7, | ||||
| 	0xfffe8, | ||||
| 	0x3fffd3, | ||||
| 	0x3fffd4, | ||||
| 	0x3fffd5, | ||||
| 	0x7fffd9, | ||||
| 	0x3fffd6, | ||||
| 	0x7fffda, | ||||
| 	0x7fffdb, | ||||
| 	0x7fffdc, | ||||
| 	0x7fffdd, | ||||
| 	0x7fffde, | ||||
| 	0xffffeb, | ||||
| 	0x7fffdf, | ||||
| 	0xffffec, | ||||
| 	0xffffed, | ||||
| 	0x3fffd7, | ||||
| 	0x7fffe0, | ||||
| 	0xffffee, | ||||
| 	0x7fffe1, | ||||
| 	0x7fffe2, | ||||
| 	0x7fffe3, | ||||
| 	0x7fffe4, | ||||
| 	0x1fffdc, | ||||
| 	0x3fffd8, | ||||
| 	0x7fffe5, | ||||
| 	0x3fffd9, | ||||
| 	0x7fffe6, | ||||
| 	0x7fffe7, | ||||
| 	0xffffef, | ||||
| 	0x3fffda, | ||||
| 	0x1fffdd, | ||||
| 	0xfffe9, | ||||
| 	0x3fffdb, | ||||
| 	0x3fffdc, | ||||
| 	0x7fffe8, | ||||
| 	0x7fffe9, | ||||
| 	0x1fffde, | ||||
| 	0x7fffea, | ||||
| 	0x3fffdd, | ||||
| 	0x3fffde, | ||||
| 	0xfffff0, | ||||
| 	0x1fffdf, | ||||
| 	0x3fffdf, | ||||
| 	0x7fffeb, | ||||
| 	0x7fffec, | ||||
| 	0x1fffe0, | ||||
| 	0x1fffe1, | ||||
| 	0x3fffe0, | ||||
| 	0x1fffe2, | ||||
| 	0x7fffed, | ||||
| 	0x3fffe1, | ||||
| 	0x7fffee, | ||||
| 	0x7fffef, | ||||
| 	0xfffea, | ||||
| 	0x3fffe2, | ||||
| 	0x3fffe3, | ||||
| 	0x3fffe4, | ||||
| 	0x7ffff0, | ||||
| 	0x3fffe5, | ||||
| 	0x3fffe6, | ||||
| 	0x7ffff1, | ||||
| 	0x3ffffe0, | ||||
| 	0x3ffffe1, | ||||
| 	0xfffeb, | ||||
| 	0x7fff1, | ||||
| 	0x3fffe7, | ||||
| 	0x7ffff2, | ||||
| 	0x3fffe8, | ||||
| 	0x1ffffec, | ||||
| 	0x3ffffe2, | ||||
| 	0x3ffffe3, | ||||
| 	0x3ffffe4, | ||||
| 	0x7ffffde, | ||||
| 	0x7ffffdf, | ||||
| 	0x3ffffe5, | ||||
| 	0xfffff1, | ||||
| 	0x1ffffed, | ||||
| 	0x7fff2, | ||||
| 	0x1fffe3, | ||||
| 	0x3ffffe6, | ||||
| 	0x7ffffe0, | ||||
| 	0x7ffffe1, | ||||
| 	0x3ffffe7, | ||||
| 	0x7ffffe2, | ||||
| 	0xfffff2, | ||||
| 	0x1fffe4, | ||||
| 	0x1fffe5, | ||||
| 	0x3ffffe8, | ||||
| 	0x3ffffe9, | ||||
| 	0xffffffd, | ||||
| 	0x7ffffe3, | ||||
| 	0x7ffffe4, | ||||
| 	0x7ffffe5, | ||||
| 	0xfffec, | ||||
| 	0xfffff3, | ||||
| 	0xfffed, | ||||
| 	0x1fffe6, | ||||
| 	0x3fffe9, | ||||
| 	0x1fffe7, | ||||
| 	0x1fffe8, | ||||
| 	0x7ffff3, | ||||
| 	0x3fffea, | ||||
| 	0x3fffeb, | ||||
| 	0x1ffffee, | ||||
| 	0x1ffffef, | ||||
| 	0xfffff4, | ||||
| 	0xfffff5, | ||||
| 	0x3ffffea, | ||||
| 	0x7ffff4, | ||||
| 	0x3ffffeb, | ||||
| 	0x7ffffe6, | ||||
| 	0x3ffffec, | ||||
| 	0x3ffffed, | ||||
| 	0x7ffffe7, | ||||
| 	0x7ffffe8, | ||||
| 	0x7ffffe9, | ||||
| 	0x7ffffea, | ||||
| 	0x7ffffeb, | ||||
| 	0xffffffe, | ||||
| 	0x7ffffec, | ||||
| 	0x7ffffed, | ||||
| 	0x7ffffee, | ||||
| 	0x7ffffef, | ||||
| 	0x7fffff0, | ||||
| 	0x3ffffee, | ||||
| } | ||||
|  | ||||
| var huffmanCodeLen = [256]uint8{ | ||||
| 	13, 23, 28, 28, 28, 28, 28, 28, 28, 24, 30, 28, 28, 30, 28, 28, | ||||
| 	28, 28, 28, 28, 28, 28, 30, 28, 28, 28, 28, 28, 28, 28, 28, 28, | ||||
| 	6, 10, 10, 12, 13, 6, 8, 11, 10, 10, 8, 11, 8, 6, 6, 6, | ||||
| 	5, 5, 5, 6, 6, 6, 6, 6, 6, 6, 7, 8, 15, 6, 12, 10, | ||||
| 	13, 6, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, | ||||
| 	7, 7, 7, 7, 7, 7, 7, 7, 8, 7, 8, 13, 19, 13, 14, 6, | ||||
| 	15, 5, 6, 5, 6, 5, 6, 6, 6, 5, 7, 7, 6, 6, 6, 5, | ||||
| 	6, 7, 6, 5, 5, 6, 7, 7, 7, 7, 7, 15, 11, 14, 13, 28, | ||||
| 	20, 22, 20, 20, 22, 22, 22, 23, 22, 23, 23, 23, 23, 23, 24, 23, | ||||
| 	24, 24, 22, 23, 24, 23, 23, 23, 23, 21, 22, 23, 22, 23, 23, 24, | ||||
| 	22, 21, 20, 22, 22, 23, 23, 21, 23, 22, 22, 24, 21, 22, 23, 23, | ||||
| 	21, 21, 22, 21, 23, 22, 23, 23, 20, 22, 22, 22, 23, 22, 22, 23, | ||||
| 	26, 26, 20, 19, 22, 23, 22, 25, 26, 26, 26, 27, 27, 26, 24, 25, | ||||
| 	19, 21, 26, 27, 27, 26, 27, 24, 21, 21, 26, 26, 28, 27, 27, 27, | ||||
| 	20, 24, 20, 21, 22, 21, 21, 23, 22, 22, 25, 25, 24, 24, 26, 23, | ||||
| 	26, 27, 26, 26, 27, 27, 27, 27, 27, 28, 27, 27, 27, 27, 27, 26, | ||||
| } | ||||
							
								
								
									
										385
									
								
								vendor/golang.org/x/net/http2/http2.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										385
									
								
								vendor/golang.org/x/net/http2/http2.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,385 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // Package http2 implements the HTTP/2 protocol. | ||||
| // | ||||
| // This package is low-level and intended to be used directly by very | ||||
| // few people. Most users will use it indirectly through the automatic | ||||
| // use by the net/http package (from Go 1.6 and later). | ||||
| // For use in earlier Go versions see ConfigureServer. (Transport support | ||||
| // requires Go 1.6 or later) | ||||
| // | ||||
| // See https://http2.github.io/ for more information on HTTP/2. | ||||
| // | ||||
| // See https://http2.golang.org/ for a test server running this code. | ||||
| // | ||||
| package http2 // import "golang.org/x/net/http2" | ||||
|  | ||||
| import ( | ||||
| 	"bufio" | ||||
| 	"crypto/tls" | ||||
| 	"fmt" | ||||
| 	"io" | ||||
| 	"net/http" | ||||
| 	"os" | ||||
| 	"sort" | ||||
| 	"strconv" | ||||
| 	"strings" | ||||
| 	"sync" | ||||
|  | ||||
| 	"golang.org/x/net/http/httpguts" | ||||
| ) | ||||
|  | ||||
| var ( | ||||
| 	VerboseLogs    bool | ||||
| 	logFrameWrites bool | ||||
| 	logFrameReads  bool | ||||
| 	inTests        bool | ||||
| ) | ||||
|  | ||||
| func init() { | ||||
| 	e := os.Getenv("GODEBUG") | ||||
| 	if strings.Contains(e, "http2debug=1") { | ||||
| 		VerboseLogs = true | ||||
| 	} | ||||
| 	if strings.Contains(e, "http2debug=2") { | ||||
| 		VerboseLogs = true | ||||
| 		logFrameWrites = true | ||||
| 		logFrameReads = true | ||||
| 	} | ||||
| } | ||||
|  | ||||
| const ( | ||||
| 	// ClientPreface is the string that must be sent by new | ||||
| 	// connections from clients. | ||||
| 	ClientPreface = "PRI * HTTP/2.0\r\n\r\nSM\r\n\r\n" | ||||
|  | ||||
| 	// SETTINGS_MAX_FRAME_SIZE default | ||||
| 	// http://http2.github.io/http2-spec/#rfc.section.6.5.2 | ||||
| 	initialMaxFrameSize = 16384 | ||||
|  | ||||
| 	// NextProtoTLS is the NPN/ALPN protocol negotiated during | ||||
| 	// HTTP/2's TLS setup. | ||||
| 	NextProtoTLS = "h2" | ||||
|  | ||||
| 	// http://http2.github.io/http2-spec/#SettingValues | ||||
| 	initialHeaderTableSize = 4096 | ||||
|  | ||||
| 	initialWindowSize = 65535 // 6.9.2 Initial Flow Control Window Size | ||||
|  | ||||
| 	defaultMaxReadFrameSize = 1 << 20 | ||||
| ) | ||||
|  | ||||
| var ( | ||||
| 	clientPreface = []byte(ClientPreface) | ||||
| ) | ||||
|  | ||||
| type streamState int | ||||
|  | ||||
| // HTTP/2 stream states. | ||||
| // | ||||
| // See http://tools.ietf.org/html/rfc7540#section-5.1. | ||||
| // | ||||
| // For simplicity, the server code merges "reserved (local)" into | ||||
| // "half-closed (remote)". This is one less state transition to track. | ||||
| // The only downside is that we send PUSH_PROMISEs slightly less | ||||
| // liberally than allowable. More discussion here: | ||||
| // https://lists.w3.org/Archives/Public/ietf-http-wg/2016JulSep/0599.html | ||||
| // | ||||
| // "reserved (remote)" is omitted since the client code does not | ||||
| // support server push. | ||||
| const ( | ||||
| 	stateIdle streamState = iota | ||||
| 	stateOpen | ||||
| 	stateHalfClosedLocal | ||||
| 	stateHalfClosedRemote | ||||
| 	stateClosed | ||||
| ) | ||||
|  | ||||
| var stateName = [...]string{ | ||||
| 	stateIdle:             "Idle", | ||||
| 	stateOpen:             "Open", | ||||
| 	stateHalfClosedLocal:  "HalfClosedLocal", | ||||
| 	stateHalfClosedRemote: "HalfClosedRemote", | ||||
| 	stateClosed:           "Closed", | ||||
| } | ||||
|  | ||||
| func (st streamState) String() string { | ||||
| 	return stateName[st] | ||||
| } | ||||
|  | ||||
| // Setting is a setting parameter: which setting it is, and its value. | ||||
| type Setting struct { | ||||
| 	// ID is which setting is being set. | ||||
| 	// See http://http2.github.io/http2-spec/#SettingValues | ||||
| 	ID SettingID | ||||
|  | ||||
| 	// Val is the value. | ||||
| 	Val uint32 | ||||
| } | ||||
|  | ||||
| func (s Setting) String() string { | ||||
| 	return fmt.Sprintf("[%v = %d]", s.ID, s.Val) | ||||
| } | ||||
|  | ||||
| // Valid reports whether the setting is valid. | ||||
| func (s Setting) Valid() error { | ||||
| 	// Limits and error codes from 6.5.2 Defined SETTINGS Parameters | ||||
| 	switch s.ID { | ||||
| 	case SettingEnablePush: | ||||
| 		if s.Val != 1 && s.Val != 0 { | ||||
| 			return ConnectionError(ErrCodeProtocol) | ||||
| 		} | ||||
| 	case SettingInitialWindowSize: | ||||
| 		if s.Val > 1<<31-1 { | ||||
| 			return ConnectionError(ErrCodeFlowControl) | ||||
| 		} | ||||
| 	case SettingMaxFrameSize: | ||||
| 		if s.Val < 16384 || s.Val > 1<<24-1 { | ||||
| 			return ConnectionError(ErrCodeProtocol) | ||||
| 		} | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // A SettingID is an HTTP/2 setting as defined in | ||||
| // http://http2.github.io/http2-spec/#iana-settings | ||||
| type SettingID uint16 | ||||
|  | ||||
| const ( | ||||
| 	SettingHeaderTableSize      SettingID = 0x1 | ||||
| 	SettingEnablePush           SettingID = 0x2 | ||||
| 	SettingMaxConcurrentStreams SettingID = 0x3 | ||||
| 	SettingInitialWindowSize    SettingID = 0x4 | ||||
| 	SettingMaxFrameSize         SettingID = 0x5 | ||||
| 	SettingMaxHeaderListSize    SettingID = 0x6 | ||||
| ) | ||||
|  | ||||
| var settingName = map[SettingID]string{ | ||||
| 	SettingHeaderTableSize:      "HEADER_TABLE_SIZE", | ||||
| 	SettingEnablePush:           "ENABLE_PUSH", | ||||
| 	SettingMaxConcurrentStreams: "MAX_CONCURRENT_STREAMS", | ||||
| 	SettingInitialWindowSize:    "INITIAL_WINDOW_SIZE", | ||||
| 	SettingMaxFrameSize:         "MAX_FRAME_SIZE", | ||||
| 	SettingMaxHeaderListSize:    "MAX_HEADER_LIST_SIZE", | ||||
| } | ||||
|  | ||||
| func (s SettingID) String() string { | ||||
| 	if v, ok := settingName[s]; ok { | ||||
| 		return v | ||||
| 	} | ||||
| 	return fmt.Sprintf("UNKNOWN_SETTING_%d", uint16(s)) | ||||
| } | ||||
|  | ||||
| // validWireHeaderFieldName reports whether v is a valid header field | ||||
| // name (key). See httpguts.ValidHeaderName for the base rules. | ||||
| // | ||||
| // Further, http2 says: | ||||
| //   "Just as in HTTP/1.x, header field names are strings of ASCII | ||||
| //   characters that are compared in a case-insensitive | ||||
| //   fashion. However, header field names MUST be converted to | ||||
| //   lowercase prior to their encoding in HTTP/2. " | ||||
| func validWireHeaderFieldName(v string) bool { | ||||
| 	if len(v) == 0 { | ||||
| 		return false | ||||
| 	} | ||||
| 	for _, r := range v { | ||||
| 		if !httpguts.IsTokenRune(r) { | ||||
| 			return false | ||||
| 		} | ||||
| 		if 'A' <= r && r <= 'Z' { | ||||
| 			return false | ||||
| 		} | ||||
| 	} | ||||
| 	return true | ||||
| } | ||||
|  | ||||
| func httpCodeString(code int) string { | ||||
| 	switch code { | ||||
| 	case 200: | ||||
| 		return "200" | ||||
| 	case 404: | ||||
| 		return "404" | ||||
| 	} | ||||
| 	return strconv.Itoa(code) | ||||
| } | ||||
|  | ||||
| // from pkg io | ||||
| type stringWriter interface { | ||||
| 	WriteString(s string) (n int, err error) | ||||
| } | ||||
|  | ||||
| // A gate lets two goroutines coordinate their activities. | ||||
| type gate chan struct{} | ||||
|  | ||||
| func (g gate) Done() { g <- struct{}{} } | ||||
| func (g gate) Wait() { <-g } | ||||
|  | ||||
| // A closeWaiter is like a sync.WaitGroup but only goes 1 to 0 (open to closed). | ||||
| type closeWaiter chan struct{} | ||||
|  | ||||
| // Init makes a closeWaiter usable. | ||||
| // It exists because so a closeWaiter value can be placed inside a | ||||
| // larger struct and have the Mutex and Cond's memory in the same | ||||
| // allocation. | ||||
| func (cw *closeWaiter) Init() { | ||||
| 	*cw = make(chan struct{}) | ||||
| } | ||||
|  | ||||
| // Close marks the closeWaiter as closed and unblocks any waiters. | ||||
| func (cw closeWaiter) Close() { | ||||
| 	close(cw) | ||||
| } | ||||
|  | ||||
| // Wait waits for the closeWaiter to become closed. | ||||
| func (cw closeWaiter) Wait() { | ||||
| 	<-cw | ||||
| } | ||||
|  | ||||
| // bufferedWriter is a buffered writer that writes to w. | ||||
| // Its buffered writer is lazily allocated as needed, to minimize | ||||
| // idle memory usage with many connections. | ||||
| type bufferedWriter struct { | ||||
| 	_  incomparable | ||||
| 	w  io.Writer     // immutable | ||||
| 	bw *bufio.Writer // non-nil when data is buffered | ||||
| } | ||||
|  | ||||
| func newBufferedWriter(w io.Writer) *bufferedWriter { | ||||
| 	return &bufferedWriter{w: w} | ||||
| } | ||||
|  | ||||
| // bufWriterPoolBufferSize is the size of bufio.Writer's | ||||
| // buffers created using bufWriterPool. | ||||
| // | ||||
| // TODO: pick a less arbitrary value? this is a bit under | ||||
| // (3 x typical 1500 byte MTU) at least. Other than that, | ||||
| // not much thought went into it. | ||||
| const bufWriterPoolBufferSize = 4 << 10 | ||||
|  | ||||
| var bufWriterPool = sync.Pool{ | ||||
| 	New: func() interface{} { | ||||
| 		return bufio.NewWriterSize(nil, bufWriterPoolBufferSize) | ||||
| 	}, | ||||
| } | ||||
|  | ||||
| func (w *bufferedWriter) Available() int { | ||||
| 	if w.bw == nil { | ||||
| 		return bufWriterPoolBufferSize | ||||
| 	} | ||||
| 	return w.bw.Available() | ||||
| } | ||||
|  | ||||
| func (w *bufferedWriter) Write(p []byte) (n int, err error) { | ||||
| 	if w.bw == nil { | ||||
| 		bw := bufWriterPool.Get().(*bufio.Writer) | ||||
| 		bw.Reset(w.w) | ||||
| 		w.bw = bw | ||||
| 	} | ||||
| 	return w.bw.Write(p) | ||||
| } | ||||
|  | ||||
| func (w *bufferedWriter) Flush() error { | ||||
| 	bw := w.bw | ||||
| 	if bw == nil { | ||||
| 		return nil | ||||
| 	} | ||||
| 	err := bw.Flush() | ||||
| 	bw.Reset(nil) | ||||
| 	bufWriterPool.Put(bw) | ||||
| 	w.bw = nil | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| func mustUint31(v int32) uint32 { | ||||
| 	if v < 0 || v > 2147483647 { | ||||
| 		panic("out of range") | ||||
| 	} | ||||
| 	return uint32(v) | ||||
| } | ||||
|  | ||||
| // bodyAllowedForStatus reports whether a given response status code | ||||
| // permits a body. See RFC 7230, section 3.3. | ||||
| func bodyAllowedForStatus(status int) bool { | ||||
| 	switch { | ||||
| 	case status >= 100 && status <= 199: | ||||
| 		return false | ||||
| 	case status == 204: | ||||
| 		return false | ||||
| 	case status == 304: | ||||
| 		return false | ||||
| 	} | ||||
| 	return true | ||||
| } | ||||
|  | ||||
| type httpError struct { | ||||
| 	_       incomparable | ||||
| 	msg     string | ||||
| 	timeout bool | ||||
| } | ||||
|  | ||||
| func (e *httpError) Error() string   { return e.msg } | ||||
| func (e *httpError) Timeout() bool   { return e.timeout } | ||||
| func (e *httpError) Temporary() bool { return true } | ||||
|  | ||||
| var errTimeout error = &httpError{msg: "http2: timeout awaiting response headers", timeout: true} | ||||
|  | ||||
| type connectionStater interface { | ||||
| 	ConnectionState() tls.ConnectionState | ||||
| } | ||||
|  | ||||
| var sorterPool = sync.Pool{New: func() interface{} { return new(sorter) }} | ||||
|  | ||||
| type sorter struct { | ||||
| 	v []string // owned by sorter | ||||
| } | ||||
|  | ||||
| func (s *sorter) Len() int           { return len(s.v) } | ||||
| func (s *sorter) Swap(i, j int)      { s.v[i], s.v[j] = s.v[j], s.v[i] } | ||||
| func (s *sorter) Less(i, j int) bool { return s.v[i] < s.v[j] } | ||||
|  | ||||
| // Keys returns the sorted keys of h. | ||||
| // | ||||
| // The returned slice is only valid until s used again or returned to | ||||
| // its pool. | ||||
| func (s *sorter) Keys(h http.Header) []string { | ||||
| 	keys := s.v[:0] | ||||
| 	for k := range h { | ||||
| 		keys = append(keys, k) | ||||
| 	} | ||||
| 	s.v = keys | ||||
| 	sort.Sort(s) | ||||
| 	return keys | ||||
| } | ||||
|  | ||||
| func (s *sorter) SortStrings(ss []string) { | ||||
| 	// Our sorter works on s.v, which sorter owns, so | ||||
| 	// stash it away while we sort the user's buffer. | ||||
| 	save := s.v | ||||
| 	s.v = ss | ||||
| 	sort.Sort(s) | ||||
| 	s.v = save | ||||
| } | ||||
|  | ||||
| // validPseudoPath reports whether v is a valid :path pseudo-header | ||||
| // value. It must be either: | ||||
| // | ||||
| //     *) a non-empty string starting with '/' | ||||
| //     *) the string '*', for OPTIONS requests. | ||||
| // | ||||
| // For now this is only used a quick check for deciding when to clean | ||||
| // up Opaque URLs before sending requests from the Transport. | ||||
| // See golang.org/issue/16847 | ||||
| // | ||||
| // We used to enforce that the path also didn't start with "//", but | ||||
| // Google's GFE accepts such paths and Chrome sends them, so ignore | ||||
| // that part of the spec. See golang.org/issue/19103. | ||||
| func validPseudoPath(v string) bool { | ||||
| 	return (len(v) > 0 && v[0] == '/') || v == "*" | ||||
| } | ||||
|  | ||||
| // incomparable is a zero-width, non-comparable type. Adding it to a struct | ||||
| // makes that struct also non-comparable, and generally doesn't add | ||||
| // any size (as long as it's first). | ||||
| type incomparable [0]func() | ||||
							
								
								
									
										20
									
								
								vendor/golang.org/x/net/http2/not_go111.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										20
									
								
								vendor/golang.org/x/net/http2/not_go111.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,20 +0,0 @@ | ||||
| // Copyright 2018 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // +build !go1.11 | ||||
|  | ||||
| package http2 | ||||
|  | ||||
| import ( | ||||
| 	"net/http/httptrace" | ||||
| 	"net/textproto" | ||||
| ) | ||||
|  | ||||
| func traceHasWroteHeaderField(trace *httptrace.ClientTrace) bool { return false } | ||||
|  | ||||
| func traceWroteHeaderField(trace *httptrace.ClientTrace, k, v string) {} | ||||
|  | ||||
| func traceGot1xxResponseFunc(trace *httptrace.ClientTrace) func(int, textproto.MIMEHeader) error { | ||||
| 	return nil | ||||
| } | ||||
							
								
								
									
										168
									
								
								vendor/golang.org/x/net/http2/pipe.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										168
									
								
								vendor/golang.org/x/net/http2/pipe.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,168 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package http2 | ||||
|  | ||||
| import ( | ||||
| 	"errors" | ||||
| 	"io" | ||||
| 	"sync" | ||||
| ) | ||||
|  | ||||
| // pipe is a goroutine-safe io.Reader/io.Writer pair. It's like | ||||
| // io.Pipe except there are no PipeReader/PipeWriter halves, and the | ||||
| // underlying buffer is an interface. (io.Pipe is always unbuffered) | ||||
| type pipe struct { | ||||
| 	mu       sync.Mutex | ||||
| 	c        sync.Cond     // c.L lazily initialized to &p.mu | ||||
| 	b        pipeBuffer    // nil when done reading | ||||
| 	unread   int           // bytes unread when done | ||||
| 	err      error         // read error once empty. non-nil means closed. | ||||
| 	breakErr error         // immediate read error (caller doesn't see rest of b) | ||||
| 	donec    chan struct{} // closed on error | ||||
| 	readFn   func()        // optional code to run in Read before error | ||||
| } | ||||
|  | ||||
| type pipeBuffer interface { | ||||
| 	Len() int | ||||
| 	io.Writer | ||||
| 	io.Reader | ||||
| } | ||||
|  | ||||
| func (p *pipe) Len() int { | ||||
| 	p.mu.Lock() | ||||
| 	defer p.mu.Unlock() | ||||
| 	if p.b == nil { | ||||
| 		return p.unread | ||||
| 	} | ||||
| 	return p.b.Len() | ||||
| } | ||||
|  | ||||
| // Read waits until data is available and copies bytes | ||||
| // from the buffer into p. | ||||
| func (p *pipe) Read(d []byte) (n int, err error) { | ||||
| 	p.mu.Lock() | ||||
| 	defer p.mu.Unlock() | ||||
| 	if p.c.L == nil { | ||||
| 		p.c.L = &p.mu | ||||
| 	} | ||||
| 	for { | ||||
| 		if p.breakErr != nil { | ||||
| 			return 0, p.breakErr | ||||
| 		} | ||||
| 		if p.b != nil && p.b.Len() > 0 { | ||||
| 			return p.b.Read(d) | ||||
| 		} | ||||
| 		if p.err != nil { | ||||
| 			if p.readFn != nil { | ||||
| 				p.readFn()     // e.g. copy trailers | ||||
| 				p.readFn = nil // not sticky like p.err | ||||
| 			} | ||||
| 			p.b = nil | ||||
| 			return 0, p.err | ||||
| 		} | ||||
| 		p.c.Wait() | ||||
| 	} | ||||
| } | ||||
|  | ||||
| var errClosedPipeWrite = errors.New("write on closed buffer") | ||||
|  | ||||
| // Write copies bytes from p into the buffer and wakes a reader. | ||||
| // It is an error to write more data than the buffer can hold. | ||||
| func (p *pipe) Write(d []byte) (n int, err error) { | ||||
| 	p.mu.Lock() | ||||
| 	defer p.mu.Unlock() | ||||
| 	if p.c.L == nil { | ||||
| 		p.c.L = &p.mu | ||||
| 	} | ||||
| 	defer p.c.Signal() | ||||
| 	if p.err != nil { | ||||
| 		return 0, errClosedPipeWrite | ||||
| 	} | ||||
| 	if p.breakErr != nil { | ||||
| 		p.unread += len(d) | ||||
| 		return len(d), nil // discard when there is no reader | ||||
| 	} | ||||
| 	return p.b.Write(d) | ||||
| } | ||||
|  | ||||
| // CloseWithError causes the next Read (waking up a current blocked | ||||
| // Read if needed) to return the provided err after all data has been | ||||
| // read. | ||||
| // | ||||
| // The error must be non-nil. | ||||
| func (p *pipe) CloseWithError(err error) { p.closeWithError(&p.err, err, nil) } | ||||
|  | ||||
| // BreakWithError causes the next Read (waking up a current blocked | ||||
| // Read if needed) to return the provided err immediately, without | ||||
| // waiting for unread data. | ||||
| func (p *pipe) BreakWithError(err error) { p.closeWithError(&p.breakErr, err, nil) } | ||||
|  | ||||
| // closeWithErrorAndCode is like CloseWithError but also sets some code to run | ||||
| // in the caller's goroutine before returning the error. | ||||
| func (p *pipe) closeWithErrorAndCode(err error, fn func()) { p.closeWithError(&p.err, err, fn) } | ||||
|  | ||||
| func (p *pipe) closeWithError(dst *error, err error, fn func()) { | ||||
| 	if err == nil { | ||||
| 		panic("err must be non-nil") | ||||
| 	} | ||||
| 	p.mu.Lock() | ||||
| 	defer p.mu.Unlock() | ||||
| 	if p.c.L == nil { | ||||
| 		p.c.L = &p.mu | ||||
| 	} | ||||
| 	defer p.c.Signal() | ||||
| 	if *dst != nil { | ||||
| 		// Already been done. | ||||
| 		return | ||||
| 	} | ||||
| 	p.readFn = fn | ||||
| 	if dst == &p.breakErr { | ||||
| 		if p.b != nil { | ||||
| 			p.unread += p.b.Len() | ||||
| 		} | ||||
| 		p.b = nil | ||||
| 	} | ||||
| 	*dst = err | ||||
| 	p.closeDoneLocked() | ||||
| } | ||||
|  | ||||
| // requires p.mu be held. | ||||
| func (p *pipe) closeDoneLocked() { | ||||
| 	if p.donec == nil { | ||||
| 		return | ||||
| 	} | ||||
| 	// Close if unclosed. This isn't racy since we always | ||||
| 	// hold p.mu while closing. | ||||
| 	select { | ||||
| 	case <-p.donec: | ||||
| 	default: | ||||
| 		close(p.donec) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // Err returns the error (if any) first set by BreakWithError or CloseWithError. | ||||
| func (p *pipe) Err() error { | ||||
| 	p.mu.Lock() | ||||
| 	defer p.mu.Unlock() | ||||
| 	if p.breakErr != nil { | ||||
| 		return p.breakErr | ||||
| 	} | ||||
| 	return p.err | ||||
| } | ||||
|  | ||||
| // Done returns a channel which is closed if and when this pipe is closed | ||||
| // with CloseWithError. | ||||
| func (p *pipe) Done() <-chan struct{} { | ||||
| 	p.mu.Lock() | ||||
| 	defer p.mu.Unlock() | ||||
| 	if p.donec == nil { | ||||
| 		p.donec = make(chan struct{}) | ||||
| 		if p.err != nil || p.breakErr != nil { | ||||
| 			// Already hit an error. | ||||
| 			p.closeDoneLocked() | ||||
| 		} | ||||
| 	} | ||||
| 	return p.donec | ||||
| } | ||||
							
								
								
									
										2968
									
								
								vendor/golang.org/x/net/http2/server.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										2968
									
								
								vendor/golang.org/x/net/http2/server.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							
							
								
								
									
										2760
									
								
								vendor/golang.org/x/net/http2/transport.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										2760
									
								
								vendor/golang.org/x/net/http2/transport.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							
							
								
								
									
										365
									
								
								vendor/golang.org/x/net/http2/write.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										365
									
								
								vendor/golang.org/x/net/http2/write.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,365 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package http2 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"fmt" | ||||
| 	"log" | ||||
| 	"net/http" | ||||
| 	"net/url" | ||||
|  | ||||
| 	"golang.org/x/net/http/httpguts" | ||||
| 	"golang.org/x/net/http2/hpack" | ||||
| ) | ||||
|  | ||||
| // writeFramer is implemented by any type that is used to write frames. | ||||
| type writeFramer interface { | ||||
| 	writeFrame(writeContext) error | ||||
|  | ||||
| 	// staysWithinBuffer reports whether this writer promises that | ||||
| 	// it will only write less than or equal to size bytes, and it | ||||
| 	// won't Flush the write context. | ||||
| 	staysWithinBuffer(size int) bool | ||||
| } | ||||
|  | ||||
| // writeContext is the interface needed by the various frame writer | ||||
| // types below. All the writeFrame methods below are scheduled via the | ||||
| // frame writing scheduler (see writeScheduler in writesched.go). | ||||
| // | ||||
| // This interface is implemented by *serverConn. | ||||
| // | ||||
| // TODO: decide whether to a) use this in the client code (which didn't | ||||
| // end up using this yet, because it has a simpler design, not | ||||
| // currently implementing priorities), or b) delete this and | ||||
| // make the server code a bit more concrete. | ||||
| type writeContext interface { | ||||
| 	Framer() *Framer | ||||
| 	Flush() error | ||||
| 	CloseConn() error | ||||
| 	// HeaderEncoder returns an HPACK encoder that writes to the | ||||
| 	// returned buffer. | ||||
| 	HeaderEncoder() (*hpack.Encoder, *bytes.Buffer) | ||||
| } | ||||
|  | ||||
| // writeEndsStream reports whether w writes a frame that will transition | ||||
| // the stream to a half-closed local state. This returns false for RST_STREAM, | ||||
| // which closes the entire stream (not just the local half). | ||||
| func writeEndsStream(w writeFramer) bool { | ||||
| 	switch v := w.(type) { | ||||
| 	case *writeData: | ||||
| 		return v.endStream | ||||
| 	case *writeResHeaders: | ||||
| 		return v.endStream | ||||
| 	case nil: | ||||
| 		// This can only happen if the caller reuses w after it's | ||||
| 		// been intentionally nil'ed out to prevent use. Keep this | ||||
| 		// here to catch future refactoring breaking it. | ||||
| 		panic("writeEndsStream called on nil writeFramer") | ||||
| 	} | ||||
| 	return false | ||||
| } | ||||
|  | ||||
| type flushFrameWriter struct{} | ||||
|  | ||||
| func (flushFrameWriter) writeFrame(ctx writeContext) error { | ||||
| 	return ctx.Flush() | ||||
| } | ||||
|  | ||||
| func (flushFrameWriter) staysWithinBuffer(max int) bool { return false } | ||||
|  | ||||
| type writeSettings []Setting | ||||
|  | ||||
| func (s writeSettings) staysWithinBuffer(max int) bool { | ||||
| 	const settingSize = 6 // uint16 + uint32 | ||||
| 	return frameHeaderLen+settingSize*len(s) <= max | ||||
|  | ||||
| } | ||||
|  | ||||
| func (s writeSettings) writeFrame(ctx writeContext) error { | ||||
| 	return ctx.Framer().WriteSettings([]Setting(s)...) | ||||
| } | ||||
|  | ||||
| type writeGoAway struct { | ||||
| 	maxStreamID uint32 | ||||
| 	code        ErrCode | ||||
| } | ||||
|  | ||||
| func (p *writeGoAway) writeFrame(ctx writeContext) error { | ||||
| 	err := ctx.Framer().WriteGoAway(p.maxStreamID, p.code, nil) | ||||
| 	ctx.Flush() // ignore error: we're hanging up on them anyway | ||||
| 	return err | ||||
| } | ||||
|  | ||||
| func (*writeGoAway) staysWithinBuffer(max int) bool { return false } // flushes | ||||
|  | ||||
| type writeData struct { | ||||
| 	streamID  uint32 | ||||
| 	p         []byte | ||||
| 	endStream bool | ||||
| } | ||||
|  | ||||
| func (w *writeData) String() string { | ||||
| 	return fmt.Sprintf("writeData(stream=%d, p=%d, endStream=%v)", w.streamID, len(w.p), w.endStream) | ||||
| } | ||||
|  | ||||
| func (w *writeData) writeFrame(ctx writeContext) error { | ||||
| 	return ctx.Framer().WriteData(w.streamID, w.endStream, w.p) | ||||
| } | ||||
|  | ||||
| func (w *writeData) staysWithinBuffer(max int) bool { | ||||
| 	return frameHeaderLen+len(w.p) <= max | ||||
| } | ||||
|  | ||||
| // handlerPanicRST is the message sent from handler goroutines when | ||||
| // the handler panics. | ||||
| type handlerPanicRST struct { | ||||
| 	StreamID uint32 | ||||
| } | ||||
|  | ||||
| func (hp handlerPanicRST) writeFrame(ctx writeContext) error { | ||||
| 	return ctx.Framer().WriteRSTStream(hp.StreamID, ErrCodeInternal) | ||||
| } | ||||
|  | ||||
| func (hp handlerPanicRST) staysWithinBuffer(max int) bool { return frameHeaderLen+4 <= max } | ||||
|  | ||||
| func (se StreamError) writeFrame(ctx writeContext) error { | ||||
| 	return ctx.Framer().WriteRSTStream(se.StreamID, se.Code) | ||||
| } | ||||
|  | ||||
| func (se StreamError) staysWithinBuffer(max int) bool { return frameHeaderLen+4 <= max } | ||||
|  | ||||
| type writePingAck struct{ pf *PingFrame } | ||||
|  | ||||
| func (w writePingAck) writeFrame(ctx writeContext) error { | ||||
| 	return ctx.Framer().WritePing(true, w.pf.Data) | ||||
| } | ||||
|  | ||||
| func (w writePingAck) staysWithinBuffer(max int) bool { return frameHeaderLen+len(w.pf.Data) <= max } | ||||
|  | ||||
| type writeSettingsAck struct{} | ||||
|  | ||||
| func (writeSettingsAck) writeFrame(ctx writeContext) error { | ||||
| 	return ctx.Framer().WriteSettingsAck() | ||||
| } | ||||
|  | ||||
| func (writeSettingsAck) staysWithinBuffer(max int) bool { return frameHeaderLen <= max } | ||||
|  | ||||
| // splitHeaderBlock splits headerBlock into fragments so that each fragment fits | ||||
| // in a single frame, then calls fn for each fragment. firstFrag/lastFrag are true | ||||
| // for the first/last fragment, respectively. | ||||
| func splitHeaderBlock(ctx writeContext, headerBlock []byte, fn func(ctx writeContext, frag []byte, firstFrag, lastFrag bool) error) error { | ||||
| 	// For now we're lazy and just pick the minimum MAX_FRAME_SIZE | ||||
| 	// that all peers must support (16KB). Later we could care | ||||
| 	// more and send larger frames if the peer advertised it, but | ||||
| 	// there's little point. Most headers are small anyway (so we | ||||
| 	// generally won't have CONTINUATION frames), and extra frames | ||||
| 	// only waste 9 bytes anyway. | ||||
| 	const maxFrameSize = 16384 | ||||
|  | ||||
| 	first := true | ||||
| 	for len(headerBlock) > 0 { | ||||
| 		frag := headerBlock | ||||
| 		if len(frag) > maxFrameSize { | ||||
| 			frag = frag[:maxFrameSize] | ||||
| 		} | ||||
| 		headerBlock = headerBlock[len(frag):] | ||||
| 		if err := fn(ctx, frag, first, len(headerBlock) == 0); err != nil { | ||||
| 			return err | ||||
| 		} | ||||
| 		first = false | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // writeResHeaders is a request to write a HEADERS and 0+ CONTINUATION frames | ||||
| // for HTTP response headers or trailers from a server handler. | ||||
| type writeResHeaders struct { | ||||
| 	streamID    uint32 | ||||
| 	httpResCode int         // 0 means no ":status" line | ||||
| 	h           http.Header // may be nil | ||||
| 	trailers    []string    // if non-nil, which keys of h to write. nil means all. | ||||
| 	endStream   bool | ||||
|  | ||||
| 	date          string | ||||
| 	contentType   string | ||||
| 	contentLength string | ||||
| } | ||||
|  | ||||
| func encKV(enc *hpack.Encoder, k, v string) { | ||||
| 	if VerboseLogs { | ||||
| 		log.Printf("http2: server encoding header %q = %q", k, v) | ||||
| 	} | ||||
| 	enc.WriteField(hpack.HeaderField{Name: k, Value: v}) | ||||
| } | ||||
|  | ||||
| func (w *writeResHeaders) staysWithinBuffer(max int) bool { | ||||
| 	// TODO: this is a common one. It'd be nice to return true | ||||
| 	// here and get into the fast path if we could be clever and | ||||
| 	// calculate the size fast enough, or at least a conservative | ||||
| 	// upper bound that usually fires. (Maybe if w.h and | ||||
| 	// w.trailers are nil, so we don't need to enumerate it.) | ||||
| 	// Otherwise I'm afraid that just calculating the length to | ||||
| 	// answer this question would be slower than the ~2µs benefit. | ||||
| 	return false | ||||
| } | ||||
|  | ||||
| func (w *writeResHeaders) writeFrame(ctx writeContext) error { | ||||
| 	enc, buf := ctx.HeaderEncoder() | ||||
| 	buf.Reset() | ||||
|  | ||||
| 	if w.httpResCode != 0 { | ||||
| 		encKV(enc, ":status", httpCodeString(w.httpResCode)) | ||||
| 	} | ||||
|  | ||||
| 	encodeHeaders(enc, w.h, w.trailers) | ||||
|  | ||||
| 	if w.contentType != "" { | ||||
| 		encKV(enc, "content-type", w.contentType) | ||||
| 	} | ||||
| 	if w.contentLength != "" { | ||||
| 		encKV(enc, "content-length", w.contentLength) | ||||
| 	} | ||||
| 	if w.date != "" { | ||||
| 		encKV(enc, "date", w.date) | ||||
| 	} | ||||
|  | ||||
| 	headerBlock := buf.Bytes() | ||||
| 	if len(headerBlock) == 0 && w.trailers == nil { | ||||
| 		panic("unexpected empty hpack") | ||||
| 	} | ||||
|  | ||||
| 	return splitHeaderBlock(ctx, headerBlock, w.writeHeaderBlock) | ||||
| } | ||||
|  | ||||
| func (w *writeResHeaders) writeHeaderBlock(ctx writeContext, frag []byte, firstFrag, lastFrag bool) error { | ||||
| 	if firstFrag { | ||||
| 		return ctx.Framer().WriteHeaders(HeadersFrameParam{ | ||||
| 			StreamID:      w.streamID, | ||||
| 			BlockFragment: frag, | ||||
| 			EndStream:     w.endStream, | ||||
| 			EndHeaders:    lastFrag, | ||||
| 		}) | ||||
| 	} else { | ||||
| 		return ctx.Framer().WriteContinuation(w.streamID, lastFrag, frag) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // writePushPromise is a request to write a PUSH_PROMISE and 0+ CONTINUATION frames. | ||||
| type writePushPromise struct { | ||||
| 	streamID uint32   // pusher stream | ||||
| 	method   string   // for :method | ||||
| 	url      *url.URL // for :scheme, :authority, :path | ||||
| 	h        http.Header | ||||
|  | ||||
| 	// Creates an ID for a pushed stream. This runs on serveG just before | ||||
| 	// the frame is written. The returned ID is copied to promisedID. | ||||
| 	allocatePromisedID func() (uint32, error) | ||||
| 	promisedID         uint32 | ||||
| } | ||||
|  | ||||
| func (w *writePushPromise) staysWithinBuffer(max int) bool { | ||||
| 	// TODO: see writeResHeaders.staysWithinBuffer | ||||
| 	return false | ||||
| } | ||||
|  | ||||
| func (w *writePushPromise) writeFrame(ctx writeContext) error { | ||||
| 	enc, buf := ctx.HeaderEncoder() | ||||
| 	buf.Reset() | ||||
|  | ||||
| 	encKV(enc, ":method", w.method) | ||||
| 	encKV(enc, ":scheme", w.url.Scheme) | ||||
| 	encKV(enc, ":authority", w.url.Host) | ||||
| 	encKV(enc, ":path", w.url.RequestURI()) | ||||
| 	encodeHeaders(enc, w.h, nil) | ||||
|  | ||||
| 	headerBlock := buf.Bytes() | ||||
| 	if len(headerBlock) == 0 { | ||||
| 		panic("unexpected empty hpack") | ||||
| 	} | ||||
|  | ||||
| 	return splitHeaderBlock(ctx, headerBlock, w.writeHeaderBlock) | ||||
| } | ||||
|  | ||||
| func (w *writePushPromise) writeHeaderBlock(ctx writeContext, frag []byte, firstFrag, lastFrag bool) error { | ||||
| 	if firstFrag { | ||||
| 		return ctx.Framer().WritePushPromise(PushPromiseParam{ | ||||
| 			StreamID:      w.streamID, | ||||
| 			PromiseID:     w.promisedID, | ||||
| 			BlockFragment: frag, | ||||
| 			EndHeaders:    lastFrag, | ||||
| 		}) | ||||
| 	} else { | ||||
| 		return ctx.Framer().WriteContinuation(w.streamID, lastFrag, frag) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| type write100ContinueHeadersFrame struct { | ||||
| 	streamID uint32 | ||||
| } | ||||
|  | ||||
| func (w write100ContinueHeadersFrame) writeFrame(ctx writeContext) error { | ||||
| 	enc, buf := ctx.HeaderEncoder() | ||||
| 	buf.Reset() | ||||
| 	encKV(enc, ":status", "100") | ||||
| 	return ctx.Framer().WriteHeaders(HeadersFrameParam{ | ||||
| 		StreamID:      w.streamID, | ||||
| 		BlockFragment: buf.Bytes(), | ||||
| 		EndStream:     false, | ||||
| 		EndHeaders:    true, | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| func (w write100ContinueHeadersFrame) staysWithinBuffer(max int) bool { | ||||
| 	// Sloppy but conservative: | ||||
| 	return 9+2*(len(":status")+len("100")) <= max | ||||
| } | ||||
|  | ||||
| type writeWindowUpdate struct { | ||||
| 	streamID uint32 // or 0 for conn-level | ||||
| 	n        uint32 | ||||
| } | ||||
|  | ||||
| func (wu writeWindowUpdate) staysWithinBuffer(max int) bool { return frameHeaderLen+4 <= max } | ||||
|  | ||||
| func (wu writeWindowUpdate) writeFrame(ctx writeContext) error { | ||||
| 	return ctx.Framer().WriteWindowUpdate(wu.streamID, wu.n) | ||||
| } | ||||
|  | ||||
| // encodeHeaders encodes an http.Header. If keys is not nil, then (k, h[k]) | ||||
| // is encoded only if k is in keys. | ||||
| func encodeHeaders(enc *hpack.Encoder, h http.Header, keys []string) { | ||||
| 	if keys == nil { | ||||
| 		sorter := sorterPool.Get().(*sorter) | ||||
| 		// Using defer here, since the returned keys from the | ||||
| 		// sorter.Keys method is only valid until the sorter | ||||
| 		// is returned: | ||||
| 		defer sorterPool.Put(sorter) | ||||
| 		keys = sorter.Keys(h) | ||||
| 	} | ||||
| 	for _, k := range keys { | ||||
| 		vv := h[k] | ||||
| 		k = lowerHeader(k) | ||||
| 		if !validWireHeaderFieldName(k) { | ||||
| 			// Skip it as backup paranoia. Per | ||||
| 			// golang.org/issue/14048, these should | ||||
| 			// already be rejected at a higher level. | ||||
| 			continue | ||||
| 		} | ||||
| 		isTE := k == "transfer-encoding" | ||||
| 		for _, v := range vv { | ||||
| 			if !httpguts.ValidHeaderFieldValue(v) { | ||||
| 				// TODO: return an error? golang.org/issue/14048 | ||||
| 				// For now just omit it. | ||||
| 				continue | ||||
| 			} | ||||
| 			// TODO: more of "8.1.2.2 Connection-Specific Header Fields" | ||||
| 			if isTE && v != "trailers" { | ||||
| 				continue | ||||
| 			} | ||||
| 			encKV(enc, k, v) | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
							
								
								
									
										248
									
								
								vendor/golang.org/x/net/http2/writesched.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										248
									
								
								vendor/golang.org/x/net/http2/writesched.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,248 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package http2 | ||||
|  | ||||
| import "fmt" | ||||
|  | ||||
| // WriteScheduler is the interface implemented by HTTP/2 write schedulers. | ||||
| // Methods are never called concurrently. | ||||
| type WriteScheduler interface { | ||||
| 	// OpenStream opens a new stream in the write scheduler. | ||||
| 	// It is illegal to call this with streamID=0 or with a streamID that is | ||||
| 	// already open -- the call may panic. | ||||
| 	OpenStream(streamID uint32, options OpenStreamOptions) | ||||
|  | ||||
| 	// CloseStream closes a stream in the write scheduler. Any frames queued on | ||||
| 	// this stream should be discarded. It is illegal to call this on a stream | ||||
| 	// that is not open -- the call may panic. | ||||
| 	CloseStream(streamID uint32) | ||||
|  | ||||
| 	// AdjustStream adjusts the priority of the given stream. This may be called | ||||
| 	// on a stream that has not yet been opened or has been closed. Note that | ||||
| 	// RFC 7540 allows PRIORITY frames to be sent on streams in any state. See: | ||||
| 	// https://tools.ietf.org/html/rfc7540#section-5.1 | ||||
| 	AdjustStream(streamID uint32, priority PriorityParam) | ||||
|  | ||||
| 	// Push queues a frame in the scheduler. In most cases, this will not be | ||||
| 	// called with wr.StreamID()!=0 unless that stream is currently open. The one | ||||
| 	// exception is RST_STREAM frames, which may be sent on idle or closed streams. | ||||
| 	Push(wr FrameWriteRequest) | ||||
|  | ||||
| 	// Pop dequeues the next frame to write. Returns false if no frames can | ||||
| 	// be written. Frames with a given wr.StreamID() are Pop'd in the same | ||||
| 	// order they are Push'd. No frames should be discarded except by CloseStream. | ||||
| 	Pop() (wr FrameWriteRequest, ok bool) | ||||
| } | ||||
|  | ||||
| // OpenStreamOptions specifies extra options for WriteScheduler.OpenStream. | ||||
| type OpenStreamOptions struct { | ||||
| 	// PusherID is zero if the stream was initiated by the client. Otherwise, | ||||
| 	// PusherID names the stream that pushed the newly opened stream. | ||||
| 	PusherID uint32 | ||||
| } | ||||
|  | ||||
| // FrameWriteRequest is a request to write a frame. | ||||
| type FrameWriteRequest struct { | ||||
| 	// write is the interface value that does the writing, once the | ||||
| 	// WriteScheduler has selected this frame to write. The write | ||||
| 	// functions are all defined in write.go. | ||||
| 	write writeFramer | ||||
|  | ||||
| 	// stream is the stream on which this frame will be written. | ||||
| 	// nil for non-stream frames like PING and SETTINGS. | ||||
| 	stream *stream | ||||
|  | ||||
| 	// done, if non-nil, must be a buffered channel with space for | ||||
| 	// 1 message and is sent the return value from write (or an | ||||
| 	// earlier error) when the frame has been written. | ||||
| 	done chan error | ||||
| } | ||||
|  | ||||
| // StreamID returns the id of the stream this frame will be written to. | ||||
| // 0 is used for non-stream frames such as PING and SETTINGS. | ||||
| func (wr FrameWriteRequest) StreamID() uint32 { | ||||
| 	if wr.stream == nil { | ||||
| 		if se, ok := wr.write.(StreamError); ok { | ||||
| 			// (*serverConn).resetStream doesn't set | ||||
| 			// stream because it doesn't necessarily have | ||||
| 			// one. So special case this type of write | ||||
| 			// message. | ||||
| 			return se.StreamID | ||||
| 		} | ||||
| 		return 0 | ||||
| 	} | ||||
| 	return wr.stream.id | ||||
| } | ||||
|  | ||||
| // isControl reports whether wr is a control frame for MaxQueuedControlFrames | ||||
| // purposes. That includes non-stream frames and RST_STREAM frames. | ||||
| func (wr FrameWriteRequest) isControl() bool { | ||||
| 	return wr.stream == nil | ||||
| } | ||||
|  | ||||
| // DataSize returns the number of flow control bytes that must be consumed | ||||
| // to write this entire frame. This is 0 for non-DATA frames. | ||||
| func (wr FrameWriteRequest) DataSize() int { | ||||
| 	if wd, ok := wr.write.(*writeData); ok { | ||||
| 		return len(wd.p) | ||||
| 	} | ||||
| 	return 0 | ||||
| } | ||||
|  | ||||
| // Consume consumes min(n, available) bytes from this frame, where available | ||||
| // is the number of flow control bytes available on the stream. Consume returns | ||||
| // 0, 1, or 2 frames, where the integer return value gives the number of frames | ||||
| // returned. | ||||
| // | ||||
| // If flow control prevents consuming any bytes, this returns (_, _, 0). If | ||||
| // the entire frame was consumed, this returns (wr, _, 1). Otherwise, this | ||||
| // returns (consumed, rest, 2), where 'consumed' contains the consumed bytes and | ||||
| // 'rest' contains the remaining bytes. The consumed bytes are deducted from the | ||||
| // underlying stream's flow control budget. | ||||
| func (wr FrameWriteRequest) Consume(n int32) (FrameWriteRequest, FrameWriteRequest, int) { | ||||
| 	var empty FrameWriteRequest | ||||
|  | ||||
| 	// Non-DATA frames are always consumed whole. | ||||
| 	wd, ok := wr.write.(*writeData) | ||||
| 	if !ok || len(wd.p) == 0 { | ||||
| 		return wr, empty, 1 | ||||
| 	} | ||||
|  | ||||
| 	// Might need to split after applying limits. | ||||
| 	allowed := wr.stream.flow.available() | ||||
| 	if n < allowed { | ||||
| 		allowed = n | ||||
| 	} | ||||
| 	if wr.stream.sc.maxFrameSize < allowed { | ||||
| 		allowed = wr.stream.sc.maxFrameSize | ||||
| 	} | ||||
| 	if allowed <= 0 { | ||||
| 		return empty, empty, 0 | ||||
| 	} | ||||
| 	if len(wd.p) > int(allowed) { | ||||
| 		wr.stream.flow.take(allowed) | ||||
| 		consumed := FrameWriteRequest{ | ||||
| 			stream: wr.stream, | ||||
| 			write: &writeData{ | ||||
| 				streamID: wd.streamID, | ||||
| 				p:        wd.p[:allowed], | ||||
| 				// Even if the original had endStream set, there | ||||
| 				// are bytes remaining because len(wd.p) > allowed, | ||||
| 				// so we know endStream is false. | ||||
| 				endStream: false, | ||||
| 			}, | ||||
| 			// Our caller is blocking on the final DATA frame, not | ||||
| 			// this intermediate frame, so no need to wait. | ||||
| 			done: nil, | ||||
| 		} | ||||
| 		rest := FrameWriteRequest{ | ||||
| 			stream: wr.stream, | ||||
| 			write: &writeData{ | ||||
| 				streamID:  wd.streamID, | ||||
| 				p:         wd.p[allowed:], | ||||
| 				endStream: wd.endStream, | ||||
| 			}, | ||||
| 			done: wr.done, | ||||
| 		} | ||||
| 		return consumed, rest, 2 | ||||
| 	} | ||||
|  | ||||
| 	// The frame is consumed whole. | ||||
| 	// NB: This cast cannot overflow because allowed is <= math.MaxInt32. | ||||
| 	wr.stream.flow.take(int32(len(wd.p))) | ||||
| 	return wr, empty, 1 | ||||
| } | ||||
|  | ||||
| // String is for debugging only. | ||||
| func (wr FrameWriteRequest) String() string { | ||||
| 	var des string | ||||
| 	if s, ok := wr.write.(fmt.Stringer); ok { | ||||
| 		des = s.String() | ||||
| 	} else { | ||||
| 		des = fmt.Sprintf("%T", wr.write) | ||||
| 	} | ||||
| 	return fmt.Sprintf("[FrameWriteRequest stream=%d, ch=%v, writer=%v]", wr.StreamID(), wr.done != nil, des) | ||||
| } | ||||
|  | ||||
| // replyToWriter sends err to wr.done and panics if the send must block | ||||
| // This does nothing if wr.done is nil. | ||||
| func (wr *FrameWriteRequest) replyToWriter(err error) { | ||||
| 	if wr.done == nil { | ||||
| 		return | ||||
| 	} | ||||
| 	select { | ||||
| 	case wr.done <- err: | ||||
| 	default: | ||||
| 		panic(fmt.Sprintf("unbuffered done channel passed in for type %T", wr.write)) | ||||
| 	} | ||||
| 	wr.write = nil // prevent use (assume it's tainted after wr.done send) | ||||
| } | ||||
|  | ||||
| // writeQueue is used by implementations of WriteScheduler. | ||||
| type writeQueue struct { | ||||
| 	s []FrameWriteRequest | ||||
| } | ||||
|  | ||||
| func (q *writeQueue) empty() bool { return len(q.s) == 0 } | ||||
|  | ||||
| func (q *writeQueue) push(wr FrameWriteRequest) { | ||||
| 	q.s = append(q.s, wr) | ||||
| } | ||||
|  | ||||
| func (q *writeQueue) shift() FrameWriteRequest { | ||||
| 	if len(q.s) == 0 { | ||||
| 		panic("invalid use of queue") | ||||
| 	} | ||||
| 	wr := q.s[0] | ||||
| 	// TODO: less copy-happy queue. | ||||
| 	copy(q.s, q.s[1:]) | ||||
| 	q.s[len(q.s)-1] = FrameWriteRequest{} | ||||
| 	q.s = q.s[:len(q.s)-1] | ||||
| 	return wr | ||||
| } | ||||
|  | ||||
| // consume consumes up to n bytes from q.s[0]. If the frame is | ||||
| // entirely consumed, it is removed from the queue. If the frame | ||||
| // is partially consumed, the frame is kept with the consumed | ||||
| // bytes removed. Returns true iff any bytes were consumed. | ||||
| func (q *writeQueue) consume(n int32) (FrameWriteRequest, bool) { | ||||
| 	if len(q.s) == 0 { | ||||
| 		return FrameWriteRequest{}, false | ||||
| 	} | ||||
| 	consumed, rest, numresult := q.s[0].Consume(n) | ||||
| 	switch numresult { | ||||
| 	case 0: | ||||
| 		return FrameWriteRequest{}, false | ||||
| 	case 1: | ||||
| 		q.shift() | ||||
| 	case 2: | ||||
| 		q.s[0] = rest | ||||
| 	} | ||||
| 	return consumed, true | ||||
| } | ||||
|  | ||||
| type writeQueuePool []*writeQueue | ||||
|  | ||||
| // put inserts an unused writeQueue into the pool. | ||||
| func (p *writeQueuePool) put(q *writeQueue) { | ||||
| 	for i := range q.s { | ||||
| 		q.s[i] = FrameWriteRequest{} | ||||
| 	} | ||||
| 	q.s = q.s[:0] | ||||
| 	*p = append(*p, q) | ||||
| } | ||||
|  | ||||
| // get returns an empty writeQueue. | ||||
| func (p *writeQueuePool) get() *writeQueue { | ||||
| 	ln := len(*p) | ||||
| 	if ln == 0 { | ||||
| 		return new(writeQueue) | ||||
| 	} | ||||
| 	x := ln - 1 | ||||
| 	q := (*p)[x] | ||||
| 	(*p)[x] = nil | ||||
| 	*p = (*p)[:x] | ||||
| 	return q | ||||
| } | ||||
							
								
								
									
										452
									
								
								vendor/golang.org/x/net/http2/writesched_priority.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										452
									
								
								vendor/golang.org/x/net/http2/writesched_priority.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,452 +0,0 @@ | ||||
| // Copyright 2016 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package http2 | ||||
|  | ||||
| import ( | ||||
| 	"fmt" | ||||
| 	"math" | ||||
| 	"sort" | ||||
| ) | ||||
|  | ||||
| // RFC 7540, Section 5.3.5: the default weight is 16. | ||||
| const priorityDefaultWeight = 15 // 16 = 15 + 1 | ||||
|  | ||||
| // PriorityWriteSchedulerConfig configures a priorityWriteScheduler. | ||||
| type PriorityWriteSchedulerConfig struct { | ||||
| 	// MaxClosedNodesInTree controls the maximum number of closed streams to | ||||
| 	// retain in the priority tree. Setting this to zero saves a small amount | ||||
| 	// of memory at the cost of performance. | ||||
| 	// | ||||
| 	// See RFC 7540, Section 5.3.4: | ||||
| 	//   "It is possible for a stream to become closed while prioritization | ||||
| 	//   information ... is in transit. ... This potentially creates suboptimal | ||||
| 	//   prioritization, since the stream could be given a priority that is | ||||
| 	//   different from what is intended. To avoid these problems, an endpoint | ||||
| 	//   SHOULD retain stream prioritization state for a period after streams | ||||
| 	//   become closed. The longer state is retained, the lower the chance that | ||||
| 	//   streams are assigned incorrect or default priority values." | ||||
| 	MaxClosedNodesInTree int | ||||
|  | ||||
| 	// MaxIdleNodesInTree controls the maximum number of idle streams to | ||||
| 	// retain in the priority tree. Setting this to zero saves a small amount | ||||
| 	// of memory at the cost of performance. | ||||
| 	// | ||||
| 	// See RFC 7540, Section 5.3.4: | ||||
| 	//   Similarly, streams that are in the "idle" state can be assigned | ||||
| 	//   priority or become a parent of other streams. This allows for the | ||||
| 	//   creation of a grouping node in the dependency tree, which enables | ||||
| 	//   more flexible expressions of priority. Idle streams begin with a | ||||
| 	//   default priority (Section 5.3.5). | ||||
| 	MaxIdleNodesInTree int | ||||
|  | ||||
| 	// ThrottleOutOfOrderWrites enables write throttling to help ensure that | ||||
| 	// data is delivered in priority order. This works around a race where | ||||
| 	// stream B depends on stream A and both streams are about to call Write | ||||
| 	// to queue DATA frames. If B wins the race, a naive scheduler would eagerly | ||||
| 	// write as much data from B as possible, but this is suboptimal because A | ||||
| 	// is a higher-priority stream. With throttling enabled, we write a small | ||||
| 	// amount of data from B to minimize the amount of bandwidth that B can | ||||
| 	// steal from A. | ||||
| 	ThrottleOutOfOrderWrites bool | ||||
| } | ||||
|  | ||||
| // NewPriorityWriteScheduler constructs a WriteScheduler that schedules | ||||
| // frames by following HTTP/2 priorities as described in RFC 7540 Section 5.3. | ||||
| // If cfg is nil, default options are used. | ||||
| func NewPriorityWriteScheduler(cfg *PriorityWriteSchedulerConfig) WriteScheduler { | ||||
| 	if cfg == nil { | ||||
| 		// For justification of these defaults, see: | ||||
| 		// https://docs.google.com/document/d/1oLhNg1skaWD4_DtaoCxdSRN5erEXrH-KnLrMwEpOtFY | ||||
| 		cfg = &PriorityWriteSchedulerConfig{ | ||||
| 			MaxClosedNodesInTree:     10, | ||||
| 			MaxIdleNodesInTree:       10, | ||||
| 			ThrottleOutOfOrderWrites: false, | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	ws := &priorityWriteScheduler{ | ||||
| 		nodes:                make(map[uint32]*priorityNode), | ||||
| 		maxClosedNodesInTree: cfg.MaxClosedNodesInTree, | ||||
| 		maxIdleNodesInTree:   cfg.MaxIdleNodesInTree, | ||||
| 		enableWriteThrottle:  cfg.ThrottleOutOfOrderWrites, | ||||
| 	} | ||||
| 	ws.nodes[0] = &ws.root | ||||
| 	if cfg.ThrottleOutOfOrderWrites { | ||||
| 		ws.writeThrottleLimit = 1024 | ||||
| 	} else { | ||||
| 		ws.writeThrottleLimit = math.MaxInt32 | ||||
| 	} | ||||
| 	return ws | ||||
| } | ||||
|  | ||||
| type priorityNodeState int | ||||
|  | ||||
| const ( | ||||
| 	priorityNodeOpen priorityNodeState = iota | ||||
| 	priorityNodeClosed | ||||
| 	priorityNodeIdle | ||||
| ) | ||||
|  | ||||
| // priorityNode is a node in an HTTP/2 priority tree. | ||||
| // Each node is associated with a single stream ID. | ||||
| // See RFC 7540, Section 5.3. | ||||
| type priorityNode struct { | ||||
| 	q            writeQueue        // queue of pending frames to write | ||||
| 	id           uint32            // id of the stream, or 0 for the root of the tree | ||||
| 	weight       uint8             // the actual weight is weight+1, so the value is in [1,256] | ||||
| 	state        priorityNodeState // open | closed | idle | ||||
| 	bytes        int64             // number of bytes written by this node, or 0 if closed | ||||
| 	subtreeBytes int64             // sum(node.bytes) of all nodes in this subtree | ||||
|  | ||||
| 	// These links form the priority tree. | ||||
| 	parent     *priorityNode | ||||
| 	kids       *priorityNode // start of the kids list | ||||
| 	prev, next *priorityNode // doubly-linked list of siblings | ||||
| } | ||||
|  | ||||
| func (n *priorityNode) setParent(parent *priorityNode) { | ||||
| 	if n == parent { | ||||
| 		panic("setParent to self") | ||||
| 	} | ||||
| 	if n.parent == parent { | ||||
| 		return | ||||
| 	} | ||||
| 	// Unlink from current parent. | ||||
| 	if parent := n.parent; parent != nil { | ||||
| 		if n.prev == nil { | ||||
| 			parent.kids = n.next | ||||
| 		} else { | ||||
| 			n.prev.next = n.next | ||||
| 		} | ||||
| 		if n.next != nil { | ||||
| 			n.next.prev = n.prev | ||||
| 		} | ||||
| 	} | ||||
| 	// Link to new parent. | ||||
| 	// If parent=nil, remove n from the tree. | ||||
| 	// Always insert at the head of parent.kids (this is assumed by walkReadyInOrder). | ||||
| 	n.parent = parent | ||||
| 	if parent == nil { | ||||
| 		n.next = nil | ||||
| 		n.prev = nil | ||||
| 	} else { | ||||
| 		n.next = parent.kids | ||||
| 		n.prev = nil | ||||
| 		if n.next != nil { | ||||
| 			n.next.prev = n | ||||
| 		} | ||||
| 		parent.kids = n | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func (n *priorityNode) addBytes(b int64) { | ||||
| 	n.bytes += b | ||||
| 	for ; n != nil; n = n.parent { | ||||
| 		n.subtreeBytes += b | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // walkReadyInOrder iterates over the tree in priority order, calling f for each node | ||||
| // with a non-empty write queue. When f returns true, this function returns true and the | ||||
| // walk halts. tmp is used as scratch space for sorting. | ||||
| // | ||||
| // f(n, openParent) takes two arguments: the node to visit, n, and a bool that is true | ||||
| // if any ancestor p of n is still open (ignoring the root node). | ||||
| func (n *priorityNode) walkReadyInOrder(openParent bool, tmp *[]*priorityNode, f func(*priorityNode, bool) bool) bool { | ||||
| 	if !n.q.empty() && f(n, openParent) { | ||||
| 		return true | ||||
| 	} | ||||
| 	if n.kids == nil { | ||||
| 		return false | ||||
| 	} | ||||
|  | ||||
| 	// Don't consider the root "open" when updating openParent since | ||||
| 	// we can't send data frames on the root stream (only control frames). | ||||
| 	if n.id != 0 { | ||||
| 		openParent = openParent || (n.state == priorityNodeOpen) | ||||
| 	} | ||||
|  | ||||
| 	// Common case: only one kid or all kids have the same weight. | ||||
| 	// Some clients don't use weights; other clients (like web browsers) | ||||
| 	// use mostly-linear priority trees. | ||||
| 	w := n.kids.weight | ||||
| 	needSort := false | ||||
| 	for k := n.kids.next; k != nil; k = k.next { | ||||
| 		if k.weight != w { | ||||
| 			needSort = true | ||||
| 			break | ||||
| 		} | ||||
| 	} | ||||
| 	if !needSort { | ||||
| 		for k := n.kids; k != nil; k = k.next { | ||||
| 			if k.walkReadyInOrder(openParent, tmp, f) { | ||||
| 				return true | ||||
| 			} | ||||
| 		} | ||||
| 		return false | ||||
| 	} | ||||
|  | ||||
| 	// Uncommon case: sort the child nodes. We remove the kids from the parent, | ||||
| 	// then re-insert after sorting so we can reuse tmp for future sort calls. | ||||
| 	*tmp = (*tmp)[:0] | ||||
| 	for n.kids != nil { | ||||
| 		*tmp = append(*tmp, n.kids) | ||||
| 		n.kids.setParent(nil) | ||||
| 	} | ||||
| 	sort.Sort(sortPriorityNodeSiblings(*tmp)) | ||||
| 	for i := len(*tmp) - 1; i >= 0; i-- { | ||||
| 		(*tmp)[i].setParent(n) // setParent inserts at the head of n.kids | ||||
| 	} | ||||
| 	for k := n.kids; k != nil; k = k.next { | ||||
| 		if k.walkReadyInOrder(openParent, tmp, f) { | ||||
| 			return true | ||||
| 		} | ||||
| 	} | ||||
| 	return false | ||||
| } | ||||
|  | ||||
| type sortPriorityNodeSiblings []*priorityNode | ||||
|  | ||||
| func (z sortPriorityNodeSiblings) Len() int      { return len(z) } | ||||
| func (z sortPriorityNodeSiblings) Swap(i, k int) { z[i], z[k] = z[k], z[i] } | ||||
| func (z sortPriorityNodeSiblings) Less(i, k int) bool { | ||||
| 	// Prefer the subtree that has sent fewer bytes relative to its weight. | ||||
| 	// See sections 5.3.2 and 5.3.4. | ||||
| 	wi, bi := float64(z[i].weight+1), float64(z[i].subtreeBytes) | ||||
| 	wk, bk := float64(z[k].weight+1), float64(z[k].subtreeBytes) | ||||
| 	if bi == 0 && bk == 0 { | ||||
| 		return wi >= wk | ||||
| 	} | ||||
| 	if bk == 0 { | ||||
| 		return false | ||||
| 	} | ||||
| 	return bi/bk <= wi/wk | ||||
| } | ||||
|  | ||||
| type priorityWriteScheduler struct { | ||||
| 	// root is the root of the priority tree, where root.id = 0. | ||||
| 	// The root queues control frames that are not associated with any stream. | ||||
| 	root priorityNode | ||||
|  | ||||
| 	// nodes maps stream ids to priority tree nodes. | ||||
| 	nodes map[uint32]*priorityNode | ||||
|  | ||||
| 	// maxID is the maximum stream id in nodes. | ||||
| 	maxID uint32 | ||||
|  | ||||
| 	// lists of nodes that have been closed or are idle, but are kept in | ||||
| 	// the tree for improved prioritization. When the lengths exceed either | ||||
| 	// maxClosedNodesInTree or maxIdleNodesInTree, old nodes are discarded. | ||||
| 	closedNodes, idleNodes []*priorityNode | ||||
|  | ||||
| 	// From the config. | ||||
| 	maxClosedNodesInTree int | ||||
| 	maxIdleNodesInTree   int | ||||
| 	writeThrottleLimit   int32 | ||||
| 	enableWriteThrottle  bool | ||||
|  | ||||
| 	// tmp is scratch space for priorityNode.walkReadyInOrder to reduce allocations. | ||||
| 	tmp []*priorityNode | ||||
|  | ||||
| 	// pool of empty queues for reuse. | ||||
| 	queuePool writeQueuePool | ||||
| } | ||||
|  | ||||
| func (ws *priorityWriteScheduler) OpenStream(streamID uint32, options OpenStreamOptions) { | ||||
| 	// The stream may be currently idle but cannot be opened or closed. | ||||
| 	if curr := ws.nodes[streamID]; curr != nil { | ||||
| 		if curr.state != priorityNodeIdle { | ||||
| 			panic(fmt.Sprintf("stream %d already opened", streamID)) | ||||
| 		} | ||||
| 		curr.state = priorityNodeOpen | ||||
| 		return | ||||
| 	} | ||||
|  | ||||
| 	// RFC 7540, Section 5.3.5: | ||||
| 	//  "All streams are initially assigned a non-exclusive dependency on stream 0x0. | ||||
| 	//  Pushed streams initially depend on their associated stream. In both cases, | ||||
| 	//  streams are assigned a default weight of 16." | ||||
| 	parent := ws.nodes[options.PusherID] | ||||
| 	if parent == nil { | ||||
| 		parent = &ws.root | ||||
| 	} | ||||
| 	n := &priorityNode{ | ||||
| 		q:      *ws.queuePool.get(), | ||||
| 		id:     streamID, | ||||
| 		weight: priorityDefaultWeight, | ||||
| 		state:  priorityNodeOpen, | ||||
| 	} | ||||
| 	n.setParent(parent) | ||||
| 	ws.nodes[streamID] = n | ||||
| 	if streamID > ws.maxID { | ||||
| 		ws.maxID = streamID | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func (ws *priorityWriteScheduler) CloseStream(streamID uint32) { | ||||
| 	if streamID == 0 { | ||||
| 		panic("violation of WriteScheduler interface: cannot close stream 0") | ||||
| 	} | ||||
| 	if ws.nodes[streamID] == nil { | ||||
| 		panic(fmt.Sprintf("violation of WriteScheduler interface: unknown stream %d", streamID)) | ||||
| 	} | ||||
| 	if ws.nodes[streamID].state != priorityNodeOpen { | ||||
| 		panic(fmt.Sprintf("violation of WriteScheduler interface: stream %d already closed", streamID)) | ||||
| 	} | ||||
|  | ||||
| 	n := ws.nodes[streamID] | ||||
| 	n.state = priorityNodeClosed | ||||
| 	n.addBytes(-n.bytes) | ||||
|  | ||||
| 	q := n.q | ||||
| 	ws.queuePool.put(&q) | ||||
| 	n.q.s = nil | ||||
| 	if ws.maxClosedNodesInTree > 0 { | ||||
| 		ws.addClosedOrIdleNode(&ws.closedNodes, ws.maxClosedNodesInTree, n) | ||||
| 	} else { | ||||
| 		ws.removeNode(n) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func (ws *priorityWriteScheduler) AdjustStream(streamID uint32, priority PriorityParam) { | ||||
| 	if streamID == 0 { | ||||
| 		panic("adjustPriority on root") | ||||
| 	} | ||||
|  | ||||
| 	// If streamID does not exist, there are two cases: | ||||
| 	// - A closed stream that has been removed (this will have ID <= maxID) | ||||
| 	// - An idle stream that is being used for "grouping" (this will have ID > maxID) | ||||
| 	n := ws.nodes[streamID] | ||||
| 	if n == nil { | ||||
| 		if streamID <= ws.maxID || ws.maxIdleNodesInTree == 0 { | ||||
| 			return | ||||
| 		} | ||||
| 		ws.maxID = streamID | ||||
| 		n = &priorityNode{ | ||||
| 			q:      *ws.queuePool.get(), | ||||
| 			id:     streamID, | ||||
| 			weight: priorityDefaultWeight, | ||||
| 			state:  priorityNodeIdle, | ||||
| 		} | ||||
| 		n.setParent(&ws.root) | ||||
| 		ws.nodes[streamID] = n | ||||
| 		ws.addClosedOrIdleNode(&ws.idleNodes, ws.maxIdleNodesInTree, n) | ||||
| 	} | ||||
|  | ||||
| 	// Section 5.3.1: A dependency on a stream that is not currently in the tree | ||||
| 	// results in that stream being given a default priority (Section 5.3.5). | ||||
| 	parent := ws.nodes[priority.StreamDep] | ||||
| 	if parent == nil { | ||||
| 		n.setParent(&ws.root) | ||||
| 		n.weight = priorityDefaultWeight | ||||
| 		return | ||||
| 	} | ||||
|  | ||||
| 	// Ignore if the client tries to make a node its own parent. | ||||
| 	if n == parent { | ||||
| 		return | ||||
| 	} | ||||
|  | ||||
| 	// Section 5.3.3: | ||||
| 	//   "If a stream is made dependent on one of its own dependencies, the | ||||
| 	//   formerly dependent stream is first moved to be dependent on the | ||||
| 	//   reprioritized stream's previous parent. The moved dependency retains | ||||
| 	//   its weight." | ||||
| 	// | ||||
| 	// That is: if parent depends on n, move parent to depend on n.parent. | ||||
| 	for x := parent.parent; x != nil; x = x.parent { | ||||
| 		if x == n { | ||||
| 			parent.setParent(n.parent) | ||||
| 			break | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	// Section 5.3.3: The exclusive flag causes the stream to become the sole | ||||
| 	// dependency of its parent stream, causing other dependencies to become | ||||
| 	// dependent on the exclusive stream. | ||||
| 	if priority.Exclusive { | ||||
| 		k := parent.kids | ||||
| 		for k != nil { | ||||
| 			next := k.next | ||||
| 			if k != n { | ||||
| 				k.setParent(n) | ||||
| 			} | ||||
| 			k = next | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	n.setParent(parent) | ||||
| 	n.weight = priority.Weight | ||||
| } | ||||
|  | ||||
| func (ws *priorityWriteScheduler) Push(wr FrameWriteRequest) { | ||||
| 	var n *priorityNode | ||||
| 	if id := wr.StreamID(); id == 0 { | ||||
| 		n = &ws.root | ||||
| 	} else { | ||||
| 		n = ws.nodes[id] | ||||
| 		if n == nil { | ||||
| 			// id is an idle or closed stream. wr should not be a HEADERS or | ||||
| 			// DATA frame. However, wr can be a RST_STREAM. In this case, we | ||||
| 			// push wr onto the root, rather than creating a new priorityNode, | ||||
| 			// since RST_STREAM is tiny and the stream's priority is unknown | ||||
| 			// anyway. See issue #17919. | ||||
| 			if wr.DataSize() > 0 { | ||||
| 				panic("add DATA on non-open stream") | ||||
| 			} | ||||
| 			n = &ws.root | ||||
| 		} | ||||
| 	} | ||||
| 	n.q.push(wr) | ||||
| } | ||||
|  | ||||
| func (ws *priorityWriteScheduler) Pop() (wr FrameWriteRequest, ok bool) { | ||||
| 	ws.root.walkReadyInOrder(false, &ws.tmp, func(n *priorityNode, openParent bool) bool { | ||||
| 		limit := int32(math.MaxInt32) | ||||
| 		if openParent { | ||||
| 			limit = ws.writeThrottleLimit | ||||
| 		} | ||||
| 		wr, ok = n.q.consume(limit) | ||||
| 		if !ok { | ||||
| 			return false | ||||
| 		} | ||||
| 		n.addBytes(int64(wr.DataSize())) | ||||
| 		// If B depends on A and B continuously has data available but A | ||||
| 		// does not, gradually increase the throttling limit to allow B to | ||||
| 		// steal more and more bandwidth from A. | ||||
| 		if openParent { | ||||
| 			ws.writeThrottleLimit += 1024 | ||||
| 			if ws.writeThrottleLimit < 0 { | ||||
| 				ws.writeThrottleLimit = math.MaxInt32 | ||||
| 			} | ||||
| 		} else if ws.enableWriteThrottle { | ||||
| 			ws.writeThrottleLimit = 1024 | ||||
| 		} | ||||
| 		return true | ||||
| 	}) | ||||
| 	return wr, ok | ||||
| } | ||||
|  | ||||
| func (ws *priorityWriteScheduler) addClosedOrIdleNode(list *[]*priorityNode, maxSize int, n *priorityNode) { | ||||
| 	if maxSize == 0 { | ||||
| 		return | ||||
| 	} | ||||
| 	if len(*list) == maxSize { | ||||
| 		// Remove the oldest node, then shift left. | ||||
| 		ws.removeNode((*list)[0]) | ||||
| 		x := (*list)[1:] | ||||
| 		copy(*list, x) | ||||
| 		*list = (*list)[:len(x)] | ||||
| 	} | ||||
| 	*list = append(*list, n) | ||||
| } | ||||
|  | ||||
| func (ws *priorityWriteScheduler) removeNode(n *priorityNode) { | ||||
| 	for k := n.kids; k != nil; k = k.next { | ||||
| 		k.setParent(n.parent) | ||||
| 	} | ||||
| 	n.setParent(nil) | ||||
| 	delete(ws.nodes, n.id) | ||||
| } | ||||
							
								
								
									
										77
									
								
								vendor/golang.org/x/net/http2/writesched_random.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										77
									
								
								vendor/golang.org/x/net/http2/writesched_random.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,77 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package http2 | ||||
|  | ||||
| import "math" | ||||
|  | ||||
| // NewRandomWriteScheduler constructs a WriteScheduler that ignores HTTP/2 | ||||
| // priorities. Control frames like SETTINGS and PING are written before DATA | ||||
| // frames, but if no control frames are queued and multiple streams have queued | ||||
| // HEADERS or DATA frames, Pop selects a ready stream arbitrarily. | ||||
| func NewRandomWriteScheduler() WriteScheduler { | ||||
| 	return &randomWriteScheduler{sq: make(map[uint32]*writeQueue)} | ||||
| } | ||||
|  | ||||
| type randomWriteScheduler struct { | ||||
| 	// zero are frames not associated with a specific stream. | ||||
| 	zero writeQueue | ||||
|  | ||||
| 	// sq contains the stream-specific queues, keyed by stream ID. | ||||
| 	// When a stream is idle, closed, or emptied, it's deleted | ||||
| 	// from the map. | ||||
| 	sq map[uint32]*writeQueue | ||||
|  | ||||
| 	// pool of empty queues for reuse. | ||||
| 	queuePool writeQueuePool | ||||
| } | ||||
|  | ||||
| func (ws *randomWriteScheduler) OpenStream(streamID uint32, options OpenStreamOptions) { | ||||
| 	// no-op: idle streams are not tracked | ||||
| } | ||||
|  | ||||
| func (ws *randomWriteScheduler) CloseStream(streamID uint32) { | ||||
| 	q, ok := ws.sq[streamID] | ||||
| 	if !ok { | ||||
| 		return | ||||
| 	} | ||||
| 	delete(ws.sq, streamID) | ||||
| 	ws.queuePool.put(q) | ||||
| } | ||||
|  | ||||
| func (ws *randomWriteScheduler) AdjustStream(streamID uint32, priority PriorityParam) { | ||||
| 	// no-op: priorities are ignored | ||||
| } | ||||
|  | ||||
| func (ws *randomWriteScheduler) Push(wr FrameWriteRequest) { | ||||
| 	id := wr.StreamID() | ||||
| 	if id == 0 { | ||||
| 		ws.zero.push(wr) | ||||
| 		return | ||||
| 	} | ||||
| 	q, ok := ws.sq[id] | ||||
| 	if !ok { | ||||
| 		q = ws.queuePool.get() | ||||
| 		ws.sq[id] = q | ||||
| 	} | ||||
| 	q.push(wr) | ||||
| } | ||||
|  | ||||
| func (ws *randomWriteScheduler) Pop() (FrameWriteRequest, bool) { | ||||
| 	// Control frames first. | ||||
| 	if !ws.zero.empty() { | ||||
| 		return ws.zero.shift(), true | ||||
| 	} | ||||
| 	// Iterate over all non-idle streams until finding one that can be consumed. | ||||
| 	for streamID, q := range ws.sq { | ||||
| 		if wr, ok := q.consume(math.MaxInt32); ok { | ||||
| 			if q.empty() { | ||||
| 				delete(ws.sq, streamID) | ||||
| 				ws.queuePool.put(q) | ||||
| 			} | ||||
| 			return wr, true | ||||
| 		} | ||||
| 	} | ||||
| 	return FrameWriteRequest{}, false | ||||
| } | ||||
							
								
								
									
										734
									
								
								vendor/golang.org/x/net/idna/idna10.0.0.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										734
									
								
								vendor/golang.org/x/net/idna/idna10.0.0.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,734 +0,0 @@ | ||||
| // Code generated by running "go generate" in golang.org/x/text. DO NOT EDIT. | ||||
|  | ||||
| // Copyright 2016 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // +build go1.10 | ||||
|  | ||||
| // Package idna implements IDNA2008 using the compatibility processing | ||||
| // defined by UTS (Unicode Technical Standard) #46, which defines a standard to | ||||
| // deal with the transition from IDNA2003. | ||||
| // | ||||
| // IDNA2008 (Internationalized Domain Names for Applications), is defined in RFC | ||||
| // 5890, RFC 5891, RFC 5892, RFC 5893 and RFC 5894. | ||||
| // UTS #46 is defined in https://www.unicode.org/reports/tr46. | ||||
| // See https://unicode.org/cldr/utility/idna.jsp for a visualization of the | ||||
| // differences between these two standards. | ||||
| package idna // import "golang.org/x/net/idna" | ||||
|  | ||||
| import ( | ||||
| 	"fmt" | ||||
| 	"strings" | ||||
| 	"unicode/utf8" | ||||
|  | ||||
| 	"golang.org/x/text/secure/bidirule" | ||||
| 	"golang.org/x/text/unicode/bidi" | ||||
| 	"golang.org/x/text/unicode/norm" | ||||
| ) | ||||
|  | ||||
| // NOTE: Unlike common practice in Go APIs, the functions will return a | ||||
| // sanitized domain name in case of errors. Browsers sometimes use a partially | ||||
| // evaluated string as lookup. | ||||
| // TODO: the current error handling is, in my opinion, the least opinionated. | ||||
| // Other strategies are also viable, though: | ||||
| // Option 1) Return an empty string in case of error, but allow the user to | ||||
| //    specify explicitly which errors to ignore. | ||||
| // Option 2) Return the partially evaluated string if it is itself a valid | ||||
| //    string, otherwise return the empty string in case of error. | ||||
| // Option 3) Option 1 and 2. | ||||
| // Option 4) Always return an empty string for now and implement Option 1 as | ||||
| //    needed, and document that the return string may not be empty in case of | ||||
| //    error in the future. | ||||
| // I think Option 1 is best, but it is quite opinionated. | ||||
|  | ||||
| // ToASCII is a wrapper for Punycode.ToASCII. | ||||
| func ToASCII(s string) (string, error) { | ||||
| 	return Punycode.process(s, true) | ||||
| } | ||||
|  | ||||
| // ToUnicode is a wrapper for Punycode.ToUnicode. | ||||
| func ToUnicode(s string) (string, error) { | ||||
| 	return Punycode.process(s, false) | ||||
| } | ||||
|  | ||||
| // An Option configures a Profile at creation time. | ||||
| type Option func(*options) | ||||
|  | ||||
| // Transitional sets a Profile to use the Transitional mapping as defined in UTS | ||||
| // #46. This will cause, for example, "ß" to be mapped to "ss". Using the | ||||
| // transitional mapping provides a compromise between IDNA2003 and IDNA2008 | ||||
| // compatibility. It is used by most browsers when resolving domain names. This | ||||
| // option is only meaningful if combined with MapForLookup. | ||||
| func Transitional(transitional bool) Option { | ||||
| 	return func(o *options) { o.transitional = true } | ||||
| } | ||||
|  | ||||
| // VerifyDNSLength sets whether a Profile should fail if any of the IDN parts | ||||
| // are longer than allowed by the RFC. | ||||
| func VerifyDNSLength(verify bool) Option { | ||||
| 	return func(o *options) { o.verifyDNSLength = verify } | ||||
| } | ||||
|  | ||||
| // RemoveLeadingDots removes leading label separators. Leading runes that map to | ||||
| // dots, such as U+3002 IDEOGRAPHIC FULL STOP, are removed as well. | ||||
| // | ||||
| // This is the behavior suggested by the UTS #46 and is adopted by some | ||||
| // browsers. | ||||
| func RemoveLeadingDots(remove bool) Option { | ||||
| 	return func(o *options) { o.removeLeadingDots = remove } | ||||
| } | ||||
|  | ||||
| // ValidateLabels sets whether to check the mandatory label validation criteria | ||||
| // as defined in Section 5.4 of RFC 5891. This includes testing for correct use | ||||
| // of hyphens ('-'), normalization, validity of runes, and the context rules. | ||||
| func ValidateLabels(enable bool) Option { | ||||
| 	return func(o *options) { | ||||
| 		// Don't override existing mappings, but set one that at least checks | ||||
| 		// normalization if it is not set. | ||||
| 		if o.mapping == nil && enable { | ||||
| 			o.mapping = normalize | ||||
| 		} | ||||
| 		o.trie = trie | ||||
| 		o.validateLabels = enable | ||||
| 		o.fromPuny = validateFromPunycode | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // StrictDomainName limits the set of permissible ASCII characters to those | ||||
| // allowed in domain names as defined in RFC 1034 (A-Z, a-z, 0-9 and the | ||||
| // hyphen). This is set by default for MapForLookup and ValidateForRegistration. | ||||
| // | ||||
| // This option is useful, for instance, for browsers that allow characters | ||||
| // outside this range, for example a '_' (U+005F LOW LINE). See | ||||
| // http://www.rfc-editor.org/std/std3.txt for more details This option | ||||
| // corresponds to the UseSTD3ASCIIRules option in UTS #46. | ||||
| func StrictDomainName(use bool) Option { | ||||
| 	return func(o *options) { | ||||
| 		o.trie = trie | ||||
| 		o.useSTD3Rules = use | ||||
| 		o.fromPuny = validateFromPunycode | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // NOTE: the following options pull in tables. The tables should not be linked | ||||
| // in as long as the options are not used. | ||||
|  | ||||
| // BidiRule enables the Bidi rule as defined in RFC 5893. Any application | ||||
| // that relies on proper validation of labels should include this rule. | ||||
| func BidiRule() Option { | ||||
| 	return func(o *options) { o.bidirule = bidirule.ValidString } | ||||
| } | ||||
|  | ||||
| // ValidateForRegistration sets validation options to verify that a given IDN is | ||||
| // properly formatted for registration as defined by Section 4 of RFC 5891. | ||||
| func ValidateForRegistration() Option { | ||||
| 	return func(o *options) { | ||||
| 		o.mapping = validateRegistration | ||||
| 		StrictDomainName(true)(o) | ||||
| 		ValidateLabels(true)(o) | ||||
| 		VerifyDNSLength(true)(o) | ||||
| 		BidiRule()(o) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // MapForLookup sets validation and mapping options such that a given IDN is | ||||
| // transformed for domain name lookup according to the requirements set out in | ||||
| // Section 5 of RFC 5891. The mappings follow the recommendations of RFC 5894, | ||||
| // RFC 5895 and UTS 46. It does not add the Bidi Rule. Use the BidiRule option | ||||
| // to add this check. | ||||
| // | ||||
| // The mappings include normalization and mapping case, width and other | ||||
| // compatibility mappings. | ||||
| func MapForLookup() Option { | ||||
| 	return func(o *options) { | ||||
| 		o.mapping = validateAndMap | ||||
| 		StrictDomainName(true)(o) | ||||
| 		ValidateLabels(true)(o) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| type options struct { | ||||
| 	transitional      bool | ||||
| 	useSTD3Rules      bool | ||||
| 	validateLabels    bool | ||||
| 	verifyDNSLength   bool | ||||
| 	removeLeadingDots bool | ||||
|  | ||||
| 	trie *idnaTrie | ||||
|  | ||||
| 	// fromPuny calls validation rules when converting A-labels to U-labels. | ||||
| 	fromPuny func(p *Profile, s string) error | ||||
|  | ||||
| 	// mapping implements a validation and mapping step as defined in RFC 5895 | ||||
| 	// or UTS 46, tailored to, for example, domain registration or lookup. | ||||
| 	mapping func(p *Profile, s string) (mapped string, isBidi bool, err error) | ||||
|  | ||||
| 	// bidirule, if specified, checks whether s conforms to the Bidi Rule | ||||
| 	// defined in RFC 5893. | ||||
| 	bidirule func(s string) bool | ||||
| } | ||||
|  | ||||
| // A Profile defines the configuration of an IDNA mapper. | ||||
| type Profile struct { | ||||
| 	options | ||||
| } | ||||
|  | ||||
| func apply(o *options, opts []Option) { | ||||
| 	for _, f := range opts { | ||||
| 		f(o) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // New creates a new Profile. | ||||
| // | ||||
| // With no options, the returned Profile is the most permissive and equals the | ||||
| // Punycode Profile. Options can be passed to further restrict the Profile. The | ||||
| // MapForLookup and ValidateForRegistration options set a collection of options, | ||||
| // for lookup and registration purposes respectively, which can be tailored by | ||||
| // adding more fine-grained options, where later options override earlier | ||||
| // options. | ||||
| func New(o ...Option) *Profile { | ||||
| 	p := &Profile{} | ||||
| 	apply(&p.options, o) | ||||
| 	return p | ||||
| } | ||||
|  | ||||
| // ToASCII converts a domain or domain label to its ASCII form. For example, | ||||
| // ToASCII("bücher.example.com") is "xn--bcher-kva.example.com", and | ||||
| // ToASCII("golang") is "golang". If an error is encountered it will return | ||||
| // an error and a (partially) processed result. | ||||
| func (p *Profile) ToASCII(s string) (string, error) { | ||||
| 	return p.process(s, true) | ||||
| } | ||||
|  | ||||
| // ToUnicode converts a domain or domain label to its Unicode form. For example, | ||||
| // ToUnicode("xn--bcher-kva.example.com") is "bücher.example.com", and | ||||
| // ToUnicode("golang") is "golang". If an error is encountered it will return | ||||
| // an error and a (partially) processed result. | ||||
| func (p *Profile) ToUnicode(s string) (string, error) { | ||||
| 	pp := *p | ||||
| 	pp.transitional = false | ||||
| 	return pp.process(s, false) | ||||
| } | ||||
|  | ||||
| // String reports a string with a description of the profile for debugging | ||||
| // purposes. The string format may change with different versions. | ||||
| func (p *Profile) String() string { | ||||
| 	s := "" | ||||
| 	if p.transitional { | ||||
| 		s = "Transitional" | ||||
| 	} else { | ||||
| 		s = "NonTransitional" | ||||
| 	} | ||||
| 	if p.useSTD3Rules { | ||||
| 		s += ":UseSTD3Rules" | ||||
| 	} | ||||
| 	if p.validateLabels { | ||||
| 		s += ":ValidateLabels" | ||||
| 	} | ||||
| 	if p.verifyDNSLength { | ||||
| 		s += ":VerifyDNSLength" | ||||
| 	} | ||||
| 	return s | ||||
| } | ||||
|  | ||||
| var ( | ||||
| 	// Punycode is a Profile that does raw punycode processing with a minimum | ||||
| 	// of validation. | ||||
| 	Punycode *Profile = punycode | ||||
|  | ||||
| 	// Lookup is the recommended profile for looking up domain names, according | ||||
| 	// to Section 5 of RFC 5891. The exact configuration of this profile may | ||||
| 	// change over time. | ||||
| 	Lookup *Profile = lookup | ||||
|  | ||||
| 	// Display is the recommended profile for displaying domain names. | ||||
| 	// The configuration of this profile may change over time. | ||||
| 	Display *Profile = display | ||||
|  | ||||
| 	// Registration is the recommended profile for checking whether a given | ||||
| 	// IDN is valid for registration, according to Section 4 of RFC 5891. | ||||
| 	Registration *Profile = registration | ||||
|  | ||||
| 	punycode = &Profile{} | ||||
| 	lookup   = &Profile{options{ | ||||
| 		transitional:   true, | ||||
| 		useSTD3Rules:   true, | ||||
| 		validateLabels: true, | ||||
| 		trie:           trie, | ||||
| 		fromPuny:       validateFromPunycode, | ||||
| 		mapping:        validateAndMap, | ||||
| 		bidirule:       bidirule.ValidString, | ||||
| 	}} | ||||
| 	display = &Profile{options{ | ||||
| 		useSTD3Rules:   true, | ||||
| 		validateLabels: true, | ||||
| 		trie:           trie, | ||||
| 		fromPuny:       validateFromPunycode, | ||||
| 		mapping:        validateAndMap, | ||||
| 		bidirule:       bidirule.ValidString, | ||||
| 	}} | ||||
| 	registration = &Profile{options{ | ||||
| 		useSTD3Rules:    true, | ||||
| 		validateLabels:  true, | ||||
| 		verifyDNSLength: true, | ||||
| 		trie:            trie, | ||||
| 		fromPuny:        validateFromPunycode, | ||||
| 		mapping:         validateRegistration, | ||||
| 		bidirule:        bidirule.ValidString, | ||||
| 	}} | ||||
|  | ||||
| 	// TODO: profiles | ||||
| 	// Register: recommended for approving domain names: don't do any mappings | ||||
| 	// but rather reject on invalid input. Bundle or block deviation characters. | ||||
| ) | ||||
|  | ||||
| type labelError struct{ label, code_ string } | ||||
|  | ||||
| func (e labelError) code() string { return e.code_ } | ||||
| func (e labelError) Error() string { | ||||
| 	return fmt.Sprintf("idna: invalid label %q", e.label) | ||||
| } | ||||
|  | ||||
| type runeError rune | ||||
|  | ||||
| func (e runeError) code() string { return "P1" } | ||||
| func (e runeError) Error() string { | ||||
| 	return fmt.Sprintf("idna: disallowed rune %U", e) | ||||
| } | ||||
|  | ||||
| // process implements the algorithm described in section 4 of UTS #46, | ||||
| // see https://www.unicode.org/reports/tr46. | ||||
| func (p *Profile) process(s string, toASCII bool) (string, error) { | ||||
| 	var err error | ||||
| 	var isBidi bool | ||||
| 	if p.mapping != nil { | ||||
| 		s, isBidi, err = p.mapping(p, s) | ||||
| 	} | ||||
| 	// Remove leading empty labels. | ||||
| 	if p.removeLeadingDots { | ||||
| 		for ; len(s) > 0 && s[0] == '.'; s = s[1:] { | ||||
| 		} | ||||
| 	} | ||||
| 	// TODO: allow for a quick check of the tables data. | ||||
| 	// It seems like we should only create this error on ToASCII, but the | ||||
| 	// UTS 46 conformance tests suggests we should always check this. | ||||
| 	if err == nil && p.verifyDNSLength && s == "" { | ||||
| 		err = &labelError{s, "A4"} | ||||
| 	} | ||||
| 	labels := labelIter{orig: s} | ||||
| 	for ; !labels.done(); labels.next() { | ||||
| 		label := labels.label() | ||||
| 		if label == "" { | ||||
| 			// Empty labels are not okay. The label iterator skips the last | ||||
| 			// label if it is empty. | ||||
| 			if err == nil && p.verifyDNSLength { | ||||
| 				err = &labelError{s, "A4"} | ||||
| 			} | ||||
| 			continue | ||||
| 		} | ||||
| 		if strings.HasPrefix(label, acePrefix) { | ||||
| 			u, err2 := decode(label[len(acePrefix):]) | ||||
| 			if err2 != nil { | ||||
| 				if err == nil { | ||||
| 					err = err2 | ||||
| 				} | ||||
| 				// Spec says keep the old label. | ||||
| 				continue | ||||
| 			} | ||||
| 			isBidi = isBidi || bidirule.DirectionString(u) != bidi.LeftToRight | ||||
| 			labels.set(u) | ||||
| 			if err == nil && p.validateLabels { | ||||
| 				err = p.fromPuny(p, u) | ||||
| 			} | ||||
| 			if err == nil { | ||||
| 				// This should be called on NonTransitional, according to the | ||||
| 				// spec, but that currently does not have any effect. Use the | ||||
| 				// original profile to preserve options. | ||||
| 				err = p.validateLabel(u) | ||||
| 			} | ||||
| 		} else if err == nil { | ||||
| 			err = p.validateLabel(label) | ||||
| 		} | ||||
| 	} | ||||
| 	if isBidi && p.bidirule != nil && err == nil { | ||||
| 		for labels.reset(); !labels.done(); labels.next() { | ||||
| 			if !p.bidirule(labels.label()) { | ||||
| 				err = &labelError{s, "B"} | ||||
| 				break | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	if toASCII { | ||||
| 		for labels.reset(); !labels.done(); labels.next() { | ||||
| 			label := labels.label() | ||||
| 			if !ascii(label) { | ||||
| 				a, err2 := encode(acePrefix, label) | ||||
| 				if err == nil { | ||||
| 					err = err2 | ||||
| 				} | ||||
| 				label = a | ||||
| 				labels.set(a) | ||||
| 			} | ||||
| 			n := len(label) | ||||
| 			if p.verifyDNSLength && err == nil && (n == 0 || n > 63) { | ||||
| 				err = &labelError{label, "A4"} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	s = labels.result() | ||||
| 	if toASCII && p.verifyDNSLength && err == nil { | ||||
| 		// Compute the length of the domain name minus the root label and its dot. | ||||
| 		n := len(s) | ||||
| 		if n > 0 && s[n-1] == '.' { | ||||
| 			n-- | ||||
| 		} | ||||
| 		if len(s) < 1 || n > 253 { | ||||
| 			err = &labelError{s, "A4"} | ||||
| 		} | ||||
| 	} | ||||
| 	return s, err | ||||
| } | ||||
|  | ||||
| func normalize(p *Profile, s string) (mapped string, isBidi bool, err error) { | ||||
| 	// TODO: consider first doing a quick check to see if any of these checks | ||||
| 	// need to be done. This will make it slower in the general case, but | ||||
| 	// faster in the common case. | ||||
| 	mapped = norm.NFC.String(s) | ||||
| 	isBidi = bidirule.DirectionString(mapped) == bidi.RightToLeft | ||||
| 	return mapped, isBidi, nil | ||||
| } | ||||
|  | ||||
| func validateRegistration(p *Profile, s string) (idem string, bidi bool, err error) { | ||||
| 	// TODO: filter need for normalization in loop below. | ||||
| 	if !norm.NFC.IsNormalString(s) { | ||||
| 		return s, false, &labelError{s, "V1"} | ||||
| 	} | ||||
| 	for i := 0; i < len(s); { | ||||
| 		v, sz := trie.lookupString(s[i:]) | ||||
| 		if sz == 0 { | ||||
| 			return s, bidi, runeError(utf8.RuneError) | ||||
| 		} | ||||
| 		bidi = bidi || info(v).isBidi(s[i:]) | ||||
| 		// Copy bytes not copied so far. | ||||
| 		switch p.simplify(info(v).category()) { | ||||
| 		// TODO: handle the NV8 defined in the Unicode idna data set to allow | ||||
| 		// for strict conformance to IDNA2008. | ||||
| 		case valid, deviation: | ||||
| 		case disallowed, mapped, unknown, ignored: | ||||
| 			r, _ := utf8.DecodeRuneInString(s[i:]) | ||||
| 			return s, bidi, runeError(r) | ||||
| 		} | ||||
| 		i += sz | ||||
| 	} | ||||
| 	return s, bidi, nil | ||||
| } | ||||
|  | ||||
| func (c info) isBidi(s string) bool { | ||||
| 	if !c.isMapped() { | ||||
| 		return c&attributesMask == rtl | ||||
| 	} | ||||
| 	// TODO: also store bidi info for mapped data. This is possible, but a bit | ||||
| 	// cumbersome and not for the common case. | ||||
| 	p, _ := bidi.LookupString(s) | ||||
| 	switch p.Class() { | ||||
| 	case bidi.R, bidi.AL, bidi.AN: | ||||
| 		return true | ||||
| 	} | ||||
| 	return false | ||||
| } | ||||
|  | ||||
| func validateAndMap(p *Profile, s string) (vm string, bidi bool, err error) { | ||||
| 	var ( | ||||
| 		b []byte | ||||
| 		k int | ||||
| 	) | ||||
| 	// combinedInfoBits contains the or-ed bits of all runes. We use this | ||||
| 	// to derive the mayNeedNorm bit later. This may trigger normalization | ||||
| 	// overeagerly, but it will not do so in the common case. The end result | ||||
| 	// is another 10% saving on BenchmarkProfile for the common case. | ||||
| 	var combinedInfoBits info | ||||
| 	for i := 0; i < len(s); { | ||||
| 		v, sz := trie.lookupString(s[i:]) | ||||
| 		if sz == 0 { | ||||
| 			b = append(b, s[k:i]...) | ||||
| 			b = append(b, "\ufffd"...) | ||||
| 			k = len(s) | ||||
| 			if err == nil { | ||||
| 				err = runeError(utf8.RuneError) | ||||
| 			} | ||||
| 			break | ||||
| 		} | ||||
| 		combinedInfoBits |= info(v) | ||||
| 		bidi = bidi || info(v).isBidi(s[i:]) | ||||
| 		start := i | ||||
| 		i += sz | ||||
| 		// Copy bytes not copied so far. | ||||
| 		switch p.simplify(info(v).category()) { | ||||
| 		case valid: | ||||
| 			continue | ||||
| 		case disallowed: | ||||
| 			if err == nil { | ||||
| 				r, _ := utf8.DecodeRuneInString(s[start:]) | ||||
| 				err = runeError(r) | ||||
| 			} | ||||
| 			continue | ||||
| 		case mapped, deviation: | ||||
| 			b = append(b, s[k:start]...) | ||||
| 			b = info(v).appendMapping(b, s[start:i]) | ||||
| 		case ignored: | ||||
| 			b = append(b, s[k:start]...) | ||||
| 			// drop the rune | ||||
| 		case unknown: | ||||
| 			b = append(b, s[k:start]...) | ||||
| 			b = append(b, "\ufffd"...) | ||||
| 		} | ||||
| 		k = i | ||||
| 	} | ||||
| 	if k == 0 { | ||||
| 		// No changes so far. | ||||
| 		if combinedInfoBits&mayNeedNorm != 0 { | ||||
| 			s = norm.NFC.String(s) | ||||
| 		} | ||||
| 	} else { | ||||
| 		b = append(b, s[k:]...) | ||||
| 		if norm.NFC.QuickSpan(b) != len(b) { | ||||
| 			b = norm.NFC.Bytes(b) | ||||
| 		} | ||||
| 		// TODO: the punycode converters require strings as input. | ||||
| 		s = string(b) | ||||
| 	} | ||||
| 	return s, bidi, err | ||||
| } | ||||
|  | ||||
| // A labelIter allows iterating over domain name labels. | ||||
| type labelIter struct { | ||||
| 	orig     string | ||||
| 	slice    []string | ||||
| 	curStart int | ||||
| 	curEnd   int | ||||
| 	i        int | ||||
| } | ||||
|  | ||||
| func (l *labelIter) reset() { | ||||
| 	l.curStart = 0 | ||||
| 	l.curEnd = 0 | ||||
| 	l.i = 0 | ||||
| } | ||||
|  | ||||
| func (l *labelIter) done() bool { | ||||
| 	return l.curStart >= len(l.orig) | ||||
| } | ||||
|  | ||||
| func (l *labelIter) result() string { | ||||
| 	if l.slice != nil { | ||||
| 		return strings.Join(l.slice, ".") | ||||
| 	} | ||||
| 	return l.orig | ||||
| } | ||||
|  | ||||
| func (l *labelIter) label() string { | ||||
| 	if l.slice != nil { | ||||
| 		return l.slice[l.i] | ||||
| 	} | ||||
| 	p := strings.IndexByte(l.orig[l.curStart:], '.') | ||||
| 	l.curEnd = l.curStart + p | ||||
| 	if p == -1 { | ||||
| 		l.curEnd = len(l.orig) | ||||
| 	} | ||||
| 	return l.orig[l.curStart:l.curEnd] | ||||
| } | ||||
|  | ||||
| // next sets the value to the next label. It skips the last label if it is empty. | ||||
| func (l *labelIter) next() { | ||||
| 	l.i++ | ||||
| 	if l.slice != nil { | ||||
| 		if l.i >= len(l.slice) || l.i == len(l.slice)-1 && l.slice[l.i] == "" { | ||||
| 			l.curStart = len(l.orig) | ||||
| 		} | ||||
| 	} else { | ||||
| 		l.curStart = l.curEnd + 1 | ||||
| 		if l.curStart == len(l.orig)-1 && l.orig[l.curStart] == '.' { | ||||
| 			l.curStart = len(l.orig) | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func (l *labelIter) set(s string) { | ||||
| 	if l.slice == nil { | ||||
| 		l.slice = strings.Split(l.orig, ".") | ||||
| 	} | ||||
| 	l.slice[l.i] = s | ||||
| } | ||||
|  | ||||
| // acePrefix is the ASCII Compatible Encoding prefix. | ||||
| const acePrefix = "xn--" | ||||
|  | ||||
| func (p *Profile) simplify(cat category) category { | ||||
| 	switch cat { | ||||
| 	case disallowedSTD3Mapped: | ||||
| 		if p.useSTD3Rules { | ||||
| 			cat = disallowed | ||||
| 		} else { | ||||
| 			cat = mapped | ||||
| 		} | ||||
| 	case disallowedSTD3Valid: | ||||
| 		if p.useSTD3Rules { | ||||
| 			cat = disallowed | ||||
| 		} else { | ||||
| 			cat = valid | ||||
| 		} | ||||
| 	case deviation: | ||||
| 		if !p.transitional { | ||||
| 			cat = valid | ||||
| 		} | ||||
| 	case validNV8, validXV8: | ||||
| 		// TODO: handle V2008 | ||||
| 		cat = valid | ||||
| 	} | ||||
| 	return cat | ||||
| } | ||||
|  | ||||
| func validateFromPunycode(p *Profile, s string) error { | ||||
| 	if !norm.NFC.IsNormalString(s) { | ||||
| 		return &labelError{s, "V1"} | ||||
| 	} | ||||
| 	// TODO: detect whether string may have to be normalized in the following | ||||
| 	// loop. | ||||
| 	for i := 0; i < len(s); { | ||||
| 		v, sz := trie.lookupString(s[i:]) | ||||
| 		if sz == 0 { | ||||
| 			return runeError(utf8.RuneError) | ||||
| 		} | ||||
| 		if c := p.simplify(info(v).category()); c != valid && c != deviation { | ||||
| 			return &labelError{s, "V6"} | ||||
| 		} | ||||
| 		i += sz | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| const ( | ||||
| 	zwnj = "\u200c" | ||||
| 	zwj  = "\u200d" | ||||
| ) | ||||
|  | ||||
| type joinState int8 | ||||
|  | ||||
| const ( | ||||
| 	stateStart joinState = iota | ||||
| 	stateVirama | ||||
| 	stateBefore | ||||
| 	stateBeforeVirama | ||||
| 	stateAfter | ||||
| 	stateFAIL | ||||
| ) | ||||
|  | ||||
| var joinStates = [][numJoinTypes]joinState{ | ||||
| 	stateStart: { | ||||
| 		joiningL:   stateBefore, | ||||
| 		joiningD:   stateBefore, | ||||
| 		joinZWNJ:   stateFAIL, | ||||
| 		joinZWJ:    stateFAIL, | ||||
| 		joinVirama: stateVirama, | ||||
| 	}, | ||||
| 	stateVirama: { | ||||
| 		joiningL: stateBefore, | ||||
| 		joiningD: stateBefore, | ||||
| 	}, | ||||
| 	stateBefore: { | ||||
| 		joiningL:   stateBefore, | ||||
| 		joiningD:   stateBefore, | ||||
| 		joiningT:   stateBefore, | ||||
| 		joinZWNJ:   stateAfter, | ||||
| 		joinZWJ:    stateFAIL, | ||||
| 		joinVirama: stateBeforeVirama, | ||||
| 	}, | ||||
| 	stateBeforeVirama: { | ||||
| 		joiningL: stateBefore, | ||||
| 		joiningD: stateBefore, | ||||
| 		joiningT: stateBefore, | ||||
| 	}, | ||||
| 	stateAfter: { | ||||
| 		joiningL:   stateFAIL, | ||||
| 		joiningD:   stateBefore, | ||||
| 		joiningT:   stateAfter, | ||||
| 		joiningR:   stateStart, | ||||
| 		joinZWNJ:   stateFAIL, | ||||
| 		joinZWJ:    stateFAIL, | ||||
| 		joinVirama: stateAfter, // no-op as we can't accept joiners here | ||||
| 	}, | ||||
| 	stateFAIL: { | ||||
| 		0:          stateFAIL, | ||||
| 		joiningL:   stateFAIL, | ||||
| 		joiningD:   stateFAIL, | ||||
| 		joiningT:   stateFAIL, | ||||
| 		joiningR:   stateFAIL, | ||||
| 		joinZWNJ:   stateFAIL, | ||||
| 		joinZWJ:    stateFAIL, | ||||
| 		joinVirama: stateFAIL, | ||||
| 	}, | ||||
| } | ||||
|  | ||||
| // validateLabel validates the criteria from Section 4.1. Item 1, 4, and 6 are | ||||
| // already implicitly satisfied by the overall implementation. | ||||
| func (p *Profile) validateLabel(s string) (err error) { | ||||
| 	if s == "" { | ||||
| 		if p.verifyDNSLength { | ||||
| 			return &labelError{s, "A4"} | ||||
| 		} | ||||
| 		return nil | ||||
| 	} | ||||
| 	if !p.validateLabels { | ||||
| 		return nil | ||||
| 	} | ||||
| 	trie := p.trie // p.validateLabels is only set if trie is set. | ||||
| 	if len(s) > 4 && s[2] == '-' && s[3] == '-' { | ||||
| 		return &labelError{s, "V2"} | ||||
| 	} | ||||
| 	if s[0] == '-' || s[len(s)-1] == '-' { | ||||
| 		return &labelError{s, "V3"} | ||||
| 	} | ||||
| 	// TODO: merge the use of this in the trie. | ||||
| 	v, sz := trie.lookupString(s) | ||||
| 	x := info(v) | ||||
| 	if x.isModifier() { | ||||
| 		return &labelError{s, "V5"} | ||||
| 	} | ||||
| 	// Quickly return in the absence of zero-width (non) joiners. | ||||
| 	if strings.Index(s, zwj) == -1 && strings.Index(s, zwnj) == -1 { | ||||
| 		return nil | ||||
| 	} | ||||
| 	st := stateStart | ||||
| 	for i := 0; ; { | ||||
| 		jt := x.joinType() | ||||
| 		if s[i:i+sz] == zwj { | ||||
| 			jt = joinZWJ | ||||
| 		} else if s[i:i+sz] == zwnj { | ||||
| 			jt = joinZWNJ | ||||
| 		} | ||||
| 		st = joinStates[st][jt] | ||||
| 		if x.isViramaModifier() { | ||||
| 			st = joinStates[st][joinVirama] | ||||
| 		} | ||||
| 		if i += sz; i == len(s) { | ||||
| 			break | ||||
| 		} | ||||
| 		v, sz = trie.lookupString(s[i:]) | ||||
| 		x = info(v) | ||||
| 	} | ||||
| 	if st == stateFAIL || st == stateAfter { | ||||
| 		return &labelError{s, "C"} | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func ascii(s string) bool { | ||||
| 	for i := 0; i < len(s); i++ { | ||||
| 		if s[i] >= utf8.RuneSelf { | ||||
| 			return false | ||||
| 		} | ||||
| 	} | ||||
| 	return true | ||||
| } | ||||
							
								
								
									
										682
									
								
								vendor/golang.org/x/net/idna/idna9.0.0.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										682
									
								
								vendor/golang.org/x/net/idna/idna9.0.0.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,682 +0,0 @@ | ||||
| // Code generated by running "go generate" in golang.org/x/text. DO NOT EDIT. | ||||
|  | ||||
| // Copyright 2016 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // +build !go1.10 | ||||
|  | ||||
| // Package idna implements IDNA2008 using the compatibility processing | ||||
| // defined by UTS (Unicode Technical Standard) #46, which defines a standard to | ||||
| // deal with the transition from IDNA2003. | ||||
| // | ||||
| // IDNA2008 (Internationalized Domain Names for Applications), is defined in RFC | ||||
| // 5890, RFC 5891, RFC 5892, RFC 5893 and RFC 5894. | ||||
| // UTS #46 is defined in https://www.unicode.org/reports/tr46. | ||||
| // See https://unicode.org/cldr/utility/idna.jsp for a visualization of the | ||||
| // differences between these two standards. | ||||
| package idna // import "golang.org/x/net/idna" | ||||
|  | ||||
| import ( | ||||
| 	"fmt" | ||||
| 	"strings" | ||||
| 	"unicode/utf8" | ||||
|  | ||||
| 	"golang.org/x/text/secure/bidirule" | ||||
| 	"golang.org/x/text/unicode/norm" | ||||
| ) | ||||
|  | ||||
| // NOTE: Unlike common practice in Go APIs, the functions will return a | ||||
| // sanitized domain name in case of errors. Browsers sometimes use a partially | ||||
| // evaluated string as lookup. | ||||
| // TODO: the current error handling is, in my opinion, the least opinionated. | ||||
| // Other strategies are also viable, though: | ||||
| // Option 1) Return an empty string in case of error, but allow the user to | ||||
| //    specify explicitly which errors to ignore. | ||||
| // Option 2) Return the partially evaluated string if it is itself a valid | ||||
| //    string, otherwise return the empty string in case of error. | ||||
| // Option 3) Option 1 and 2. | ||||
| // Option 4) Always return an empty string for now and implement Option 1 as | ||||
| //    needed, and document that the return string may not be empty in case of | ||||
| //    error in the future. | ||||
| // I think Option 1 is best, but it is quite opinionated. | ||||
|  | ||||
| // ToASCII is a wrapper for Punycode.ToASCII. | ||||
| func ToASCII(s string) (string, error) { | ||||
| 	return Punycode.process(s, true) | ||||
| } | ||||
|  | ||||
| // ToUnicode is a wrapper for Punycode.ToUnicode. | ||||
| func ToUnicode(s string) (string, error) { | ||||
| 	return Punycode.process(s, false) | ||||
| } | ||||
|  | ||||
| // An Option configures a Profile at creation time. | ||||
| type Option func(*options) | ||||
|  | ||||
| // Transitional sets a Profile to use the Transitional mapping as defined in UTS | ||||
| // #46. This will cause, for example, "ß" to be mapped to "ss". Using the | ||||
| // transitional mapping provides a compromise between IDNA2003 and IDNA2008 | ||||
| // compatibility. It is used by most browsers when resolving domain names. This | ||||
| // option is only meaningful if combined with MapForLookup. | ||||
| func Transitional(transitional bool) Option { | ||||
| 	return func(o *options) { o.transitional = true } | ||||
| } | ||||
|  | ||||
| // VerifyDNSLength sets whether a Profile should fail if any of the IDN parts | ||||
| // are longer than allowed by the RFC. | ||||
| func VerifyDNSLength(verify bool) Option { | ||||
| 	return func(o *options) { o.verifyDNSLength = verify } | ||||
| } | ||||
|  | ||||
| // RemoveLeadingDots removes leading label separators. Leading runes that map to | ||||
| // dots, such as U+3002 IDEOGRAPHIC FULL STOP, are removed as well. | ||||
| // | ||||
| // This is the behavior suggested by the UTS #46 and is adopted by some | ||||
| // browsers. | ||||
| func RemoveLeadingDots(remove bool) Option { | ||||
| 	return func(o *options) { o.removeLeadingDots = remove } | ||||
| } | ||||
|  | ||||
| // ValidateLabels sets whether to check the mandatory label validation criteria | ||||
| // as defined in Section 5.4 of RFC 5891. This includes testing for correct use | ||||
| // of hyphens ('-'), normalization, validity of runes, and the context rules. | ||||
| func ValidateLabels(enable bool) Option { | ||||
| 	return func(o *options) { | ||||
| 		// Don't override existing mappings, but set one that at least checks | ||||
| 		// normalization if it is not set. | ||||
| 		if o.mapping == nil && enable { | ||||
| 			o.mapping = normalize | ||||
| 		} | ||||
| 		o.trie = trie | ||||
| 		o.validateLabels = enable | ||||
| 		o.fromPuny = validateFromPunycode | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // StrictDomainName limits the set of permissable ASCII characters to those | ||||
| // allowed in domain names as defined in RFC 1034 (A-Z, a-z, 0-9 and the | ||||
| // hyphen). This is set by default for MapForLookup and ValidateForRegistration. | ||||
| // | ||||
| // This option is useful, for instance, for browsers that allow characters | ||||
| // outside this range, for example a '_' (U+005F LOW LINE). See | ||||
| // http://www.rfc-editor.org/std/std3.txt for more details This option | ||||
| // corresponds to the UseSTD3ASCIIRules option in UTS #46. | ||||
| func StrictDomainName(use bool) Option { | ||||
| 	return func(o *options) { | ||||
| 		o.trie = trie | ||||
| 		o.useSTD3Rules = use | ||||
| 		o.fromPuny = validateFromPunycode | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // NOTE: the following options pull in tables. The tables should not be linked | ||||
| // in as long as the options are not used. | ||||
|  | ||||
| // BidiRule enables the Bidi rule as defined in RFC 5893. Any application | ||||
| // that relies on proper validation of labels should include this rule. | ||||
| func BidiRule() Option { | ||||
| 	return func(o *options) { o.bidirule = bidirule.ValidString } | ||||
| } | ||||
|  | ||||
| // ValidateForRegistration sets validation options to verify that a given IDN is | ||||
| // properly formatted for registration as defined by Section 4 of RFC 5891. | ||||
| func ValidateForRegistration() Option { | ||||
| 	return func(o *options) { | ||||
| 		o.mapping = validateRegistration | ||||
| 		StrictDomainName(true)(o) | ||||
| 		ValidateLabels(true)(o) | ||||
| 		VerifyDNSLength(true)(o) | ||||
| 		BidiRule()(o) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // MapForLookup sets validation and mapping options such that a given IDN is | ||||
| // transformed for domain name lookup according to the requirements set out in | ||||
| // Section 5 of RFC 5891. The mappings follow the recommendations of RFC 5894, | ||||
| // RFC 5895 and UTS 46. It does not add the Bidi Rule. Use the BidiRule option | ||||
| // to add this check. | ||||
| // | ||||
| // The mappings include normalization and mapping case, width and other | ||||
| // compatibility mappings. | ||||
| func MapForLookup() Option { | ||||
| 	return func(o *options) { | ||||
| 		o.mapping = validateAndMap | ||||
| 		StrictDomainName(true)(o) | ||||
| 		ValidateLabels(true)(o) | ||||
| 		RemoveLeadingDots(true)(o) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| type options struct { | ||||
| 	transitional      bool | ||||
| 	useSTD3Rules      bool | ||||
| 	validateLabels    bool | ||||
| 	verifyDNSLength   bool | ||||
| 	removeLeadingDots bool | ||||
|  | ||||
| 	trie *idnaTrie | ||||
|  | ||||
| 	// fromPuny calls validation rules when converting A-labels to U-labels. | ||||
| 	fromPuny func(p *Profile, s string) error | ||||
|  | ||||
| 	// mapping implements a validation and mapping step as defined in RFC 5895 | ||||
| 	// or UTS 46, tailored to, for example, domain registration or lookup. | ||||
| 	mapping func(p *Profile, s string) (string, error) | ||||
|  | ||||
| 	// bidirule, if specified, checks whether s conforms to the Bidi Rule | ||||
| 	// defined in RFC 5893. | ||||
| 	bidirule func(s string) bool | ||||
| } | ||||
|  | ||||
| // A Profile defines the configuration of a IDNA mapper. | ||||
| type Profile struct { | ||||
| 	options | ||||
| } | ||||
|  | ||||
| func apply(o *options, opts []Option) { | ||||
| 	for _, f := range opts { | ||||
| 		f(o) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // New creates a new Profile. | ||||
| // | ||||
| // With no options, the returned Profile is the most permissive and equals the | ||||
| // Punycode Profile. Options can be passed to further restrict the Profile. The | ||||
| // MapForLookup and ValidateForRegistration options set a collection of options, | ||||
| // for lookup and registration purposes respectively, which can be tailored by | ||||
| // adding more fine-grained options, where later options override earlier | ||||
| // options. | ||||
| func New(o ...Option) *Profile { | ||||
| 	p := &Profile{} | ||||
| 	apply(&p.options, o) | ||||
| 	return p | ||||
| } | ||||
|  | ||||
| // ToASCII converts a domain or domain label to its ASCII form. For example, | ||||
| // ToASCII("bücher.example.com") is "xn--bcher-kva.example.com", and | ||||
| // ToASCII("golang") is "golang". If an error is encountered it will return | ||||
| // an error and a (partially) processed result. | ||||
| func (p *Profile) ToASCII(s string) (string, error) { | ||||
| 	return p.process(s, true) | ||||
| } | ||||
|  | ||||
| // ToUnicode converts a domain or domain label to its Unicode form. For example, | ||||
| // ToUnicode("xn--bcher-kva.example.com") is "bücher.example.com", and | ||||
| // ToUnicode("golang") is "golang". If an error is encountered it will return | ||||
| // an error and a (partially) processed result. | ||||
| func (p *Profile) ToUnicode(s string) (string, error) { | ||||
| 	pp := *p | ||||
| 	pp.transitional = false | ||||
| 	return pp.process(s, false) | ||||
| } | ||||
|  | ||||
| // String reports a string with a description of the profile for debugging | ||||
| // purposes. The string format may change with different versions. | ||||
| func (p *Profile) String() string { | ||||
| 	s := "" | ||||
| 	if p.transitional { | ||||
| 		s = "Transitional" | ||||
| 	} else { | ||||
| 		s = "NonTransitional" | ||||
| 	} | ||||
| 	if p.useSTD3Rules { | ||||
| 		s += ":UseSTD3Rules" | ||||
| 	} | ||||
| 	if p.validateLabels { | ||||
| 		s += ":ValidateLabels" | ||||
| 	} | ||||
| 	if p.verifyDNSLength { | ||||
| 		s += ":VerifyDNSLength" | ||||
| 	} | ||||
| 	return s | ||||
| } | ||||
|  | ||||
| var ( | ||||
| 	// Punycode is a Profile that does raw punycode processing with a minimum | ||||
| 	// of validation. | ||||
| 	Punycode *Profile = punycode | ||||
|  | ||||
| 	// Lookup is the recommended profile for looking up domain names, according | ||||
| 	// to Section 5 of RFC 5891. The exact configuration of this profile may | ||||
| 	// change over time. | ||||
| 	Lookup *Profile = lookup | ||||
|  | ||||
| 	// Display is the recommended profile for displaying domain names. | ||||
| 	// The configuration of this profile may change over time. | ||||
| 	Display *Profile = display | ||||
|  | ||||
| 	// Registration is the recommended profile for checking whether a given | ||||
| 	// IDN is valid for registration, according to Section 4 of RFC 5891. | ||||
| 	Registration *Profile = registration | ||||
|  | ||||
| 	punycode = &Profile{} | ||||
| 	lookup   = &Profile{options{ | ||||
| 		transitional:      true, | ||||
| 		useSTD3Rules:      true, | ||||
| 		validateLabels:    true, | ||||
| 		removeLeadingDots: true, | ||||
| 		trie:              trie, | ||||
| 		fromPuny:          validateFromPunycode, | ||||
| 		mapping:           validateAndMap, | ||||
| 		bidirule:          bidirule.ValidString, | ||||
| 	}} | ||||
| 	display = &Profile{options{ | ||||
| 		useSTD3Rules:      true, | ||||
| 		validateLabels:    true, | ||||
| 		removeLeadingDots: true, | ||||
| 		trie:              trie, | ||||
| 		fromPuny:          validateFromPunycode, | ||||
| 		mapping:           validateAndMap, | ||||
| 		bidirule:          bidirule.ValidString, | ||||
| 	}} | ||||
| 	registration = &Profile{options{ | ||||
| 		useSTD3Rules:    true, | ||||
| 		validateLabels:  true, | ||||
| 		verifyDNSLength: true, | ||||
| 		trie:            trie, | ||||
| 		fromPuny:        validateFromPunycode, | ||||
| 		mapping:         validateRegistration, | ||||
| 		bidirule:        bidirule.ValidString, | ||||
| 	}} | ||||
|  | ||||
| 	// TODO: profiles | ||||
| 	// Register: recommended for approving domain names: don't do any mappings | ||||
| 	// but rather reject on invalid input. Bundle or block deviation characters. | ||||
| ) | ||||
|  | ||||
| type labelError struct{ label, code_ string } | ||||
|  | ||||
| func (e labelError) code() string { return e.code_ } | ||||
| func (e labelError) Error() string { | ||||
| 	return fmt.Sprintf("idna: invalid label %q", e.label) | ||||
| } | ||||
|  | ||||
| type runeError rune | ||||
|  | ||||
| func (e runeError) code() string { return "P1" } | ||||
| func (e runeError) Error() string { | ||||
| 	return fmt.Sprintf("idna: disallowed rune %U", e) | ||||
| } | ||||
|  | ||||
| // process implements the algorithm described in section 4 of UTS #46, | ||||
| // see https://www.unicode.org/reports/tr46. | ||||
| func (p *Profile) process(s string, toASCII bool) (string, error) { | ||||
| 	var err error | ||||
| 	if p.mapping != nil { | ||||
| 		s, err = p.mapping(p, s) | ||||
| 	} | ||||
| 	// Remove leading empty labels. | ||||
| 	if p.removeLeadingDots { | ||||
| 		for ; len(s) > 0 && s[0] == '.'; s = s[1:] { | ||||
| 		} | ||||
| 	} | ||||
| 	// It seems like we should only create this error on ToASCII, but the | ||||
| 	// UTS 46 conformance tests suggests we should always check this. | ||||
| 	if err == nil && p.verifyDNSLength && s == "" { | ||||
| 		err = &labelError{s, "A4"} | ||||
| 	} | ||||
| 	labels := labelIter{orig: s} | ||||
| 	for ; !labels.done(); labels.next() { | ||||
| 		label := labels.label() | ||||
| 		if label == "" { | ||||
| 			// Empty labels are not okay. The label iterator skips the last | ||||
| 			// label if it is empty. | ||||
| 			if err == nil && p.verifyDNSLength { | ||||
| 				err = &labelError{s, "A4"} | ||||
| 			} | ||||
| 			continue | ||||
| 		} | ||||
| 		if strings.HasPrefix(label, acePrefix) { | ||||
| 			u, err2 := decode(label[len(acePrefix):]) | ||||
| 			if err2 != nil { | ||||
| 				if err == nil { | ||||
| 					err = err2 | ||||
| 				} | ||||
| 				// Spec says keep the old label. | ||||
| 				continue | ||||
| 			} | ||||
| 			labels.set(u) | ||||
| 			if err == nil && p.validateLabels { | ||||
| 				err = p.fromPuny(p, u) | ||||
| 			} | ||||
| 			if err == nil { | ||||
| 				// This should be called on NonTransitional, according to the | ||||
| 				// spec, but that currently does not have any effect. Use the | ||||
| 				// original profile to preserve options. | ||||
| 				err = p.validateLabel(u) | ||||
| 			} | ||||
| 		} else if err == nil { | ||||
| 			err = p.validateLabel(label) | ||||
| 		} | ||||
| 	} | ||||
| 	if toASCII { | ||||
| 		for labels.reset(); !labels.done(); labels.next() { | ||||
| 			label := labels.label() | ||||
| 			if !ascii(label) { | ||||
| 				a, err2 := encode(acePrefix, label) | ||||
| 				if err == nil { | ||||
| 					err = err2 | ||||
| 				} | ||||
| 				label = a | ||||
| 				labels.set(a) | ||||
| 			} | ||||
| 			n := len(label) | ||||
| 			if p.verifyDNSLength && err == nil && (n == 0 || n > 63) { | ||||
| 				err = &labelError{label, "A4"} | ||||
| 			} | ||||
| 		} | ||||
| 	} | ||||
| 	s = labels.result() | ||||
| 	if toASCII && p.verifyDNSLength && err == nil { | ||||
| 		// Compute the length of the domain name minus the root label and its dot. | ||||
| 		n := len(s) | ||||
| 		if n > 0 && s[n-1] == '.' { | ||||
| 			n-- | ||||
| 		} | ||||
| 		if len(s) < 1 || n > 253 { | ||||
| 			err = &labelError{s, "A4"} | ||||
| 		} | ||||
| 	} | ||||
| 	return s, err | ||||
| } | ||||
|  | ||||
| func normalize(p *Profile, s string) (string, error) { | ||||
| 	return norm.NFC.String(s), nil | ||||
| } | ||||
|  | ||||
| func validateRegistration(p *Profile, s string) (string, error) { | ||||
| 	if !norm.NFC.IsNormalString(s) { | ||||
| 		return s, &labelError{s, "V1"} | ||||
| 	} | ||||
| 	for i := 0; i < len(s); { | ||||
| 		v, sz := trie.lookupString(s[i:]) | ||||
| 		// Copy bytes not copied so far. | ||||
| 		switch p.simplify(info(v).category()) { | ||||
| 		// TODO: handle the NV8 defined in the Unicode idna data set to allow | ||||
| 		// for strict conformance to IDNA2008. | ||||
| 		case valid, deviation: | ||||
| 		case disallowed, mapped, unknown, ignored: | ||||
| 			r, _ := utf8.DecodeRuneInString(s[i:]) | ||||
| 			return s, runeError(r) | ||||
| 		} | ||||
| 		i += sz | ||||
| 	} | ||||
| 	return s, nil | ||||
| } | ||||
|  | ||||
| func validateAndMap(p *Profile, s string) (string, error) { | ||||
| 	var ( | ||||
| 		err error | ||||
| 		b   []byte | ||||
| 		k   int | ||||
| 	) | ||||
| 	for i := 0; i < len(s); { | ||||
| 		v, sz := trie.lookupString(s[i:]) | ||||
| 		start := i | ||||
| 		i += sz | ||||
| 		// Copy bytes not copied so far. | ||||
| 		switch p.simplify(info(v).category()) { | ||||
| 		case valid: | ||||
| 			continue | ||||
| 		case disallowed: | ||||
| 			if err == nil { | ||||
| 				r, _ := utf8.DecodeRuneInString(s[start:]) | ||||
| 				err = runeError(r) | ||||
| 			} | ||||
| 			continue | ||||
| 		case mapped, deviation: | ||||
| 			b = append(b, s[k:start]...) | ||||
| 			b = info(v).appendMapping(b, s[start:i]) | ||||
| 		case ignored: | ||||
| 			b = append(b, s[k:start]...) | ||||
| 			// drop the rune | ||||
| 		case unknown: | ||||
| 			b = append(b, s[k:start]...) | ||||
| 			b = append(b, "\ufffd"...) | ||||
| 		} | ||||
| 		k = i | ||||
| 	} | ||||
| 	if k == 0 { | ||||
| 		// No changes so far. | ||||
| 		s = norm.NFC.String(s) | ||||
| 	} else { | ||||
| 		b = append(b, s[k:]...) | ||||
| 		if norm.NFC.QuickSpan(b) != len(b) { | ||||
| 			b = norm.NFC.Bytes(b) | ||||
| 		} | ||||
| 		// TODO: the punycode converters require strings as input. | ||||
| 		s = string(b) | ||||
| 	} | ||||
| 	return s, err | ||||
| } | ||||
|  | ||||
| // A labelIter allows iterating over domain name labels. | ||||
| type labelIter struct { | ||||
| 	orig     string | ||||
| 	slice    []string | ||||
| 	curStart int | ||||
| 	curEnd   int | ||||
| 	i        int | ||||
| } | ||||
|  | ||||
| func (l *labelIter) reset() { | ||||
| 	l.curStart = 0 | ||||
| 	l.curEnd = 0 | ||||
| 	l.i = 0 | ||||
| } | ||||
|  | ||||
| func (l *labelIter) done() bool { | ||||
| 	return l.curStart >= len(l.orig) | ||||
| } | ||||
|  | ||||
| func (l *labelIter) result() string { | ||||
| 	if l.slice != nil { | ||||
| 		return strings.Join(l.slice, ".") | ||||
| 	} | ||||
| 	return l.orig | ||||
| } | ||||
|  | ||||
| func (l *labelIter) label() string { | ||||
| 	if l.slice != nil { | ||||
| 		return l.slice[l.i] | ||||
| 	} | ||||
| 	p := strings.IndexByte(l.orig[l.curStart:], '.') | ||||
| 	l.curEnd = l.curStart + p | ||||
| 	if p == -1 { | ||||
| 		l.curEnd = len(l.orig) | ||||
| 	} | ||||
| 	return l.orig[l.curStart:l.curEnd] | ||||
| } | ||||
|  | ||||
| // next sets the value to the next label. It skips the last label if it is empty. | ||||
| func (l *labelIter) next() { | ||||
| 	l.i++ | ||||
| 	if l.slice != nil { | ||||
| 		if l.i >= len(l.slice) || l.i == len(l.slice)-1 && l.slice[l.i] == "" { | ||||
| 			l.curStart = len(l.orig) | ||||
| 		} | ||||
| 	} else { | ||||
| 		l.curStart = l.curEnd + 1 | ||||
| 		if l.curStart == len(l.orig)-1 && l.orig[l.curStart] == '.' { | ||||
| 			l.curStart = len(l.orig) | ||||
| 		} | ||||
| 	} | ||||
| } | ||||
|  | ||||
| func (l *labelIter) set(s string) { | ||||
| 	if l.slice == nil { | ||||
| 		l.slice = strings.Split(l.orig, ".") | ||||
| 	} | ||||
| 	l.slice[l.i] = s | ||||
| } | ||||
|  | ||||
| // acePrefix is the ASCII Compatible Encoding prefix. | ||||
| const acePrefix = "xn--" | ||||
|  | ||||
| func (p *Profile) simplify(cat category) category { | ||||
| 	switch cat { | ||||
| 	case disallowedSTD3Mapped: | ||||
| 		if p.useSTD3Rules { | ||||
| 			cat = disallowed | ||||
| 		} else { | ||||
| 			cat = mapped | ||||
| 		} | ||||
| 	case disallowedSTD3Valid: | ||||
| 		if p.useSTD3Rules { | ||||
| 			cat = disallowed | ||||
| 		} else { | ||||
| 			cat = valid | ||||
| 		} | ||||
| 	case deviation: | ||||
| 		if !p.transitional { | ||||
| 			cat = valid | ||||
| 		} | ||||
| 	case validNV8, validXV8: | ||||
| 		// TODO: handle V2008 | ||||
| 		cat = valid | ||||
| 	} | ||||
| 	return cat | ||||
| } | ||||
|  | ||||
| func validateFromPunycode(p *Profile, s string) error { | ||||
| 	if !norm.NFC.IsNormalString(s) { | ||||
| 		return &labelError{s, "V1"} | ||||
| 	} | ||||
| 	for i := 0; i < len(s); { | ||||
| 		v, sz := trie.lookupString(s[i:]) | ||||
| 		if c := p.simplify(info(v).category()); c != valid && c != deviation { | ||||
| 			return &labelError{s, "V6"} | ||||
| 		} | ||||
| 		i += sz | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| const ( | ||||
| 	zwnj = "\u200c" | ||||
| 	zwj  = "\u200d" | ||||
| ) | ||||
|  | ||||
| type joinState int8 | ||||
|  | ||||
| const ( | ||||
| 	stateStart joinState = iota | ||||
| 	stateVirama | ||||
| 	stateBefore | ||||
| 	stateBeforeVirama | ||||
| 	stateAfter | ||||
| 	stateFAIL | ||||
| ) | ||||
|  | ||||
| var joinStates = [][numJoinTypes]joinState{ | ||||
| 	stateStart: { | ||||
| 		joiningL:   stateBefore, | ||||
| 		joiningD:   stateBefore, | ||||
| 		joinZWNJ:   stateFAIL, | ||||
| 		joinZWJ:    stateFAIL, | ||||
| 		joinVirama: stateVirama, | ||||
| 	}, | ||||
| 	stateVirama: { | ||||
| 		joiningL: stateBefore, | ||||
| 		joiningD: stateBefore, | ||||
| 	}, | ||||
| 	stateBefore: { | ||||
| 		joiningL:   stateBefore, | ||||
| 		joiningD:   stateBefore, | ||||
| 		joiningT:   stateBefore, | ||||
| 		joinZWNJ:   stateAfter, | ||||
| 		joinZWJ:    stateFAIL, | ||||
| 		joinVirama: stateBeforeVirama, | ||||
| 	}, | ||||
| 	stateBeforeVirama: { | ||||
| 		joiningL: stateBefore, | ||||
| 		joiningD: stateBefore, | ||||
| 		joiningT: stateBefore, | ||||
| 	}, | ||||
| 	stateAfter: { | ||||
| 		joiningL:   stateFAIL, | ||||
| 		joiningD:   stateBefore, | ||||
| 		joiningT:   stateAfter, | ||||
| 		joiningR:   stateStart, | ||||
| 		joinZWNJ:   stateFAIL, | ||||
| 		joinZWJ:    stateFAIL, | ||||
| 		joinVirama: stateAfter, // no-op as we can't accept joiners here | ||||
| 	}, | ||||
| 	stateFAIL: { | ||||
| 		0:          stateFAIL, | ||||
| 		joiningL:   stateFAIL, | ||||
| 		joiningD:   stateFAIL, | ||||
| 		joiningT:   stateFAIL, | ||||
| 		joiningR:   stateFAIL, | ||||
| 		joinZWNJ:   stateFAIL, | ||||
| 		joinZWJ:    stateFAIL, | ||||
| 		joinVirama: stateFAIL, | ||||
| 	}, | ||||
| } | ||||
|  | ||||
| // validateLabel validates the criteria from Section 4.1. Item 1, 4, and 6 are | ||||
| // already implicitly satisfied by the overall implementation. | ||||
| func (p *Profile) validateLabel(s string) error { | ||||
| 	if s == "" { | ||||
| 		if p.verifyDNSLength { | ||||
| 			return &labelError{s, "A4"} | ||||
| 		} | ||||
| 		return nil | ||||
| 	} | ||||
| 	if p.bidirule != nil && !p.bidirule(s) { | ||||
| 		return &labelError{s, "B"} | ||||
| 	} | ||||
| 	if !p.validateLabels { | ||||
| 		return nil | ||||
| 	} | ||||
| 	trie := p.trie // p.validateLabels is only set if trie is set. | ||||
| 	if len(s) > 4 && s[2] == '-' && s[3] == '-' { | ||||
| 		return &labelError{s, "V2"} | ||||
| 	} | ||||
| 	if s[0] == '-' || s[len(s)-1] == '-' { | ||||
| 		return &labelError{s, "V3"} | ||||
| 	} | ||||
| 	// TODO: merge the use of this in the trie. | ||||
| 	v, sz := trie.lookupString(s) | ||||
| 	x := info(v) | ||||
| 	if x.isModifier() { | ||||
| 		return &labelError{s, "V5"} | ||||
| 	} | ||||
| 	// Quickly return in the absence of zero-width (non) joiners. | ||||
| 	if strings.Index(s, zwj) == -1 && strings.Index(s, zwnj) == -1 { | ||||
| 		return nil | ||||
| 	} | ||||
| 	st := stateStart | ||||
| 	for i := 0; ; { | ||||
| 		jt := x.joinType() | ||||
| 		if s[i:i+sz] == zwj { | ||||
| 			jt = joinZWJ | ||||
| 		} else if s[i:i+sz] == zwnj { | ||||
| 			jt = joinZWNJ | ||||
| 		} | ||||
| 		st = joinStates[st][jt] | ||||
| 		if x.isViramaModifier() { | ||||
| 			st = joinStates[st][joinVirama] | ||||
| 		} | ||||
| 		if i += sz; i == len(s) { | ||||
| 			break | ||||
| 		} | ||||
| 		v, sz = trie.lookupString(s[i:]) | ||||
| 		x = info(v) | ||||
| 	} | ||||
| 	if st == stateFAIL || st == stateAfter { | ||||
| 		return &labelError{s, "C"} | ||||
| 	} | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func ascii(s string) bool { | ||||
| 	for i := 0; i < len(s); i++ { | ||||
| 		if s[i] >= utf8.RuneSelf { | ||||
| 			return false | ||||
| 		} | ||||
| 	} | ||||
| 	return true | ||||
| } | ||||
							
								
								
									
										203
									
								
								vendor/golang.org/x/net/idna/punycode.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										203
									
								
								vendor/golang.org/x/net/idna/punycode.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,203 +0,0 @@ | ||||
| // Code generated by running "go generate" in golang.org/x/text. DO NOT EDIT. | ||||
|  | ||||
| // Copyright 2016 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package idna | ||||
|  | ||||
| // This file implements the Punycode algorithm from RFC 3492. | ||||
|  | ||||
| import ( | ||||
| 	"math" | ||||
| 	"strings" | ||||
| 	"unicode/utf8" | ||||
| ) | ||||
|  | ||||
| // These parameter values are specified in section 5. | ||||
| // | ||||
| // All computation is done with int32s, so that overflow behavior is identical | ||||
| // regardless of whether int is 32-bit or 64-bit. | ||||
| const ( | ||||
| 	base        int32 = 36 | ||||
| 	damp        int32 = 700 | ||||
| 	initialBias int32 = 72 | ||||
| 	initialN    int32 = 128 | ||||
| 	skew        int32 = 38 | ||||
| 	tmax        int32 = 26 | ||||
| 	tmin        int32 = 1 | ||||
| ) | ||||
|  | ||||
| func punyError(s string) error { return &labelError{s, "A3"} } | ||||
|  | ||||
| // decode decodes a string as specified in section 6.2. | ||||
| func decode(encoded string) (string, error) { | ||||
| 	if encoded == "" { | ||||
| 		return "", nil | ||||
| 	} | ||||
| 	pos := 1 + strings.LastIndex(encoded, "-") | ||||
| 	if pos == 1 { | ||||
| 		return "", punyError(encoded) | ||||
| 	} | ||||
| 	if pos == len(encoded) { | ||||
| 		return encoded[:len(encoded)-1], nil | ||||
| 	} | ||||
| 	output := make([]rune, 0, len(encoded)) | ||||
| 	if pos != 0 { | ||||
| 		for _, r := range encoded[:pos-1] { | ||||
| 			output = append(output, r) | ||||
| 		} | ||||
| 	} | ||||
| 	i, n, bias := int32(0), initialN, initialBias | ||||
| 	for pos < len(encoded) { | ||||
| 		oldI, w := i, int32(1) | ||||
| 		for k := base; ; k += base { | ||||
| 			if pos == len(encoded) { | ||||
| 				return "", punyError(encoded) | ||||
| 			} | ||||
| 			digit, ok := decodeDigit(encoded[pos]) | ||||
| 			if !ok { | ||||
| 				return "", punyError(encoded) | ||||
| 			} | ||||
| 			pos++ | ||||
| 			i += digit * w | ||||
| 			if i < 0 { | ||||
| 				return "", punyError(encoded) | ||||
| 			} | ||||
| 			t := k - bias | ||||
| 			if t < tmin { | ||||
| 				t = tmin | ||||
| 			} else if t > tmax { | ||||
| 				t = tmax | ||||
| 			} | ||||
| 			if digit < t { | ||||
| 				break | ||||
| 			} | ||||
| 			w *= base - t | ||||
| 			if w >= math.MaxInt32/base { | ||||
| 				return "", punyError(encoded) | ||||
| 			} | ||||
| 		} | ||||
| 		x := int32(len(output) + 1) | ||||
| 		bias = adapt(i-oldI, x, oldI == 0) | ||||
| 		n += i / x | ||||
| 		i %= x | ||||
| 		if n > utf8.MaxRune || len(output) >= 1024 { | ||||
| 			return "", punyError(encoded) | ||||
| 		} | ||||
| 		output = append(output, 0) | ||||
| 		copy(output[i+1:], output[i:]) | ||||
| 		output[i] = n | ||||
| 		i++ | ||||
| 	} | ||||
| 	return string(output), nil | ||||
| } | ||||
|  | ||||
| // encode encodes a string as specified in section 6.3 and prepends prefix to | ||||
| // the result. | ||||
| // | ||||
| // The "while h < length(input)" line in the specification becomes "for | ||||
| // remaining != 0" in the Go code, because len(s) in Go is in bytes, not runes. | ||||
| func encode(prefix, s string) (string, error) { | ||||
| 	output := make([]byte, len(prefix), len(prefix)+1+2*len(s)) | ||||
| 	copy(output, prefix) | ||||
| 	delta, n, bias := int32(0), initialN, initialBias | ||||
| 	b, remaining := int32(0), int32(0) | ||||
| 	for _, r := range s { | ||||
| 		if r < 0x80 { | ||||
| 			b++ | ||||
| 			output = append(output, byte(r)) | ||||
| 		} else { | ||||
| 			remaining++ | ||||
| 		} | ||||
| 	} | ||||
| 	h := b | ||||
| 	if b > 0 { | ||||
| 		output = append(output, '-') | ||||
| 	} | ||||
| 	for remaining != 0 { | ||||
| 		m := int32(0x7fffffff) | ||||
| 		for _, r := range s { | ||||
| 			if m > r && r >= n { | ||||
| 				m = r | ||||
| 			} | ||||
| 		} | ||||
| 		delta += (m - n) * (h + 1) | ||||
| 		if delta < 0 { | ||||
| 			return "", punyError(s) | ||||
| 		} | ||||
| 		n = m | ||||
| 		for _, r := range s { | ||||
| 			if r < n { | ||||
| 				delta++ | ||||
| 				if delta < 0 { | ||||
| 					return "", punyError(s) | ||||
| 				} | ||||
| 				continue | ||||
| 			} | ||||
| 			if r > n { | ||||
| 				continue | ||||
| 			} | ||||
| 			q := delta | ||||
| 			for k := base; ; k += base { | ||||
| 				t := k - bias | ||||
| 				if t < tmin { | ||||
| 					t = tmin | ||||
| 				} else if t > tmax { | ||||
| 					t = tmax | ||||
| 				} | ||||
| 				if q < t { | ||||
| 					break | ||||
| 				} | ||||
| 				output = append(output, encodeDigit(t+(q-t)%(base-t))) | ||||
| 				q = (q - t) / (base - t) | ||||
| 			} | ||||
| 			output = append(output, encodeDigit(q)) | ||||
| 			bias = adapt(delta, h+1, h == b) | ||||
| 			delta = 0 | ||||
| 			h++ | ||||
| 			remaining-- | ||||
| 		} | ||||
| 		delta++ | ||||
| 		n++ | ||||
| 	} | ||||
| 	return string(output), nil | ||||
| } | ||||
|  | ||||
| func decodeDigit(x byte) (digit int32, ok bool) { | ||||
| 	switch { | ||||
| 	case '0' <= x && x <= '9': | ||||
| 		return int32(x - ('0' - 26)), true | ||||
| 	case 'A' <= x && x <= 'Z': | ||||
| 		return int32(x - 'A'), true | ||||
| 	case 'a' <= x && x <= 'z': | ||||
| 		return int32(x - 'a'), true | ||||
| 	} | ||||
| 	return 0, false | ||||
| } | ||||
|  | ||||
| func encodeDigit(digit int32) byte { | ||||
| 	switch { | ||||
| 	case 0 <= digit && digit < 26: | ||||
| 		return byte(digit + 'a') | ||||
| 	case 26 <= digit && digit < 36: | ||||
| 		return byte(digit + ('0' - 26)) | ||||
| 	} | ||||
| 	panic("idna: internal error in punycode encoding") | ||||
| } | ||||
|  | ||||
| // adapt is the bias adaptation function specified in section 6.1. | ||||
| func adapt(delta, numPoints int32, firstTime bool) int32 { | ||||
| 	if firstTime { | ||||
| 		delta /= damp | ||||
| 	} else { | ||||
| 		delta /= 2 | ||||
| 	} | ||||
| 	delta += delta / numPoints | ||||
| 	k := int32(0) | ||||
| 	for delta > ((base-tmin)*tmax)/2 { | ||||
| 		delta /= base - tmin | ||||
| 		k += base | ||||
| 	} | ||||
| 	return k + (base-tmin+1)*delta/(delta+skew) | ||||
| } | ||||
							
								
								
									
										4559
									
								
								vendor/golang.org/x/net/idna/tables10.0.0.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										4559
									
								
								vendor/golang.org/x/net/idna/tables10.0.0.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							
							
								
								
									
										4653
									
								
								vendor/golang.org/x/net/idna/tables11.0.0.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										4653
									
								
								vendor/golang.org/x/net/idna/tables11.0.0.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							
							
								
								
									
										4733
									
								
								vendor/golang.org/x/net/idna/tables12.0.0.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										4733
									
								
								vendor/golang.org/x/net/idna/tables12.0.0.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							
							
								
								
									
										4839
									
								
								vendor/golang.org/x/net/idna/tables13.0.0.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										4839
									
								
								vendor/golang.org/x/net/idna/tables13.0.0.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							
							
								
								
									
										4486
									
								
								vendor/golang.org/x/net/idna/tables9.0.0.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										4486
									
								
								vendor/golang.org/x/net/idna/tables9.0.0.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							
							
								
								
									
										72
									
								
								vendor/golang.org/x/net/idna/trie.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										72
									
								
								vendor/golang.org/x/net/idna/trie.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,72 +0,0 @@ | ||||
| // Code generated by running "go generate" in golang.org/x/text. DO NOT EDIT. | ||||
|  | ||||
| // Copyright 2016 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package idna | ||||
|  | ||||
| // appendMapping appends the mapping for the respective rune. isMapped must be | ||||
| // true. A mapping is a categorization of a rune as defined in UTS #46. | ||||
| func (c info) appendMapping(b []byte, s string) []byte { | ||||
| 	index := int(c >> indexShift) | ||||
| 	if c&xorBit == 0 { | ||||
| 		s := mappings[index:] | ||||
| 		return append(b, s[1:s[0]+1]...) | ||||
| 	} | ||||
| 	b = append(b, s...) | ||||
| 	if c&inlineXOR == inlineXOR { | ||||
| 		// TODO: support and handle two-byte inline masks | ||||
| 		b[len(b)-1] ^= byte(index) | ||||
| 	} else { | ||||
| 		for p := len(b) - int(xorData[index]); p < len(b); p++ { | ||||
| 			index++ | ||||
| 			b[p] ^= xorData[index] | ||||
| 		} | ||||
| 	} | ||||
| 	return b | ||||
| } | ||||
|  | ||||
| // Sparse block handling code. | ||||
|  | ||||
| type valueRange struct { | ||||
| 	value  uint16 // header: value:stride | ||||
| 	lo, hi byte   // header: lo:n | ||||
| } | ||||
|  | ||||
| type sparseBlocks struct { | ||||
| 	values []valueRange | ||||
| 	offset []uint16 | ||||
| } | ||||
|  | ||||
| var idnaSparse = sparseBlocks{ | ||||
| 	values: idnaSparseValues[:], | ||||
| 	offset: idnaSparseOffset[:], | ||||
| } | ||||
|  | ||||
| // Don't use newIdnaTrie to avoid unconditional linking in of the table. | ||||
| var trie = &idnaTrie{} | ||||
|  | ||||
| // lookup determines the type of block n and looks up the value for b. | ||||
| // For n < t.cutoff, the block is a simple lookup table. Otherwise, the block | ||||
| // is a list of ranges with an accompanying value. Given a matching range r, | ||||
| // the value for b is by r.value + (b - r.lo) * stride. | ||||
| func (t *sparseBlocks) lookup(n uint32, b byte) uint16 { | ||||
| 	offset := t.offset[n] | ||||
| 	header := t.values[offset] | ||||
| 	lo := offset + 1 | ||||
| 	hi := lo + uint16(header.lo) | ||||
| 	for lo < hi { | ||||
| 		m := lo + (hi-lo)/2 | ||||
| 		r := t.values[m] | ||||
| 		if r.lo <= b && b <= r.hi { | ||||
| 			return r.value + uint16(b-r.lo)*header.value | ||||
| 		} | ||||
| 		if b < r.lo { | ||||
| 			hi = m | ||||
| 		} else { | ||||
| 			lo = m + 1 | ||||
| 		} | ||||
| 	} | ||||
| 	return 0 | ||||
| } | ||||
							
								
								
									
										119
									
								
								vendor/golang.org/x/net/idna/trieval.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										119
									
								
								vendor/golang.org/x/net/idna/trieval.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,119 +0,0 @@ | ||||
| // Code generated by running "go generate" in golang.org/x/text. DO NOT EDIT. | ||||
|  | ||||
| package idna | ||||
|  | ||||
| // This file contains definitions for interpreting the trie value of the idna | ||||
| // trie generated by "go run gen*.go". It is shared by both the generator | ||||
| // program and the resultant package. Sharing is achieved by the generator | ||||
| // copying gen_trieval.go to trieval.go and changing what's above this comment. | ||||
|  | ||||
| // info holds information from the IDNA mapping table for a single rune. It is | ||||
| // the value returned by a trie lookup. In most cases, all information fits in | ||||
| // a 16-bit value. For mappings, this value may contain an index into a slice | ||||
| // with the mapped string. Such mappings can consist of the actual mapped value | ||||
| // or an XOR pattern to be applied to the bytes of the UTF8 encoding of the | ||||
| // input rune. This technique is used by the cases packages and reduces the | ||||
| // table size significantly. | ||||
| // | ||||
| // The per-rune values have the following format: | ||||
| // | ||||
| //   if mapped { | ||||
| //     if inlinedXOR { | ||||
| //       15..13 inline XOR marker | ||||
| //       12..11 unused | ||||
| //       10..3  inline XOR mask | ||||
| //     } else { | ||||
| //       15..3  index into xor or mapping table | ||||
| //     } | ||||
| //   } else { | ||||
| //       15..14 unused | ||||
| //       13     mayNeedNorm | ||||
| //       12..11 attributes | ||||
| //       10..8  joining type | ||||
| //        7..3  category type | ||||
| //   } | ||||
| //      2  use xor pattern | ||||
| //   1..0  mapped category | ||||
| // | ||||
| // See the definitions below for a more detailed description of the various | ||||
| // bits. | ||||
| type info uint16 | ||||
|  | ||||
| const ( | ||||
| 	catSmallMask = 0x3 | ||||
| 	catBigMask   = 0xF8 | ||||
| 	indexShift   = 3 | ||||
| 	xorBit       = 0x4    // interpret the index as an xor pattern | ||||
| 	inlineXOR    = 0xE000 // These bits are set if the XOR pattern is inlined. | ||||
|  | ||||
| 	joinShift = 8 | ||||
| 	joinMask  = 0x07 | ||||
|  | ||||
| 	// Attributes | ||||
| 	attributesMask = 0x1800 | ||||
| 	viramaModifier = 0x1800 | ||||
| 	modifier       = 0x1000 | ||||
| 	rtl            = 0x0800 | ||||
|  | ||||
| 	mayNeedNorm = 0x2000 | ||||
| ) | ||||
|  | ||||
| // A category corresponds to a category defined in the IDNA mapping table. | ||||
| type category uint16 | ||||
|  | ||||
| const ( | ||||
| 	unknown              category = 0 // not currently defined in unicode. | ||||
| 	mapped               category = 1 | ||||
| 	disallowedSTD3Mapped category = 2 | ||||
| 	deviation            category = 3 | ||||
| ) | ||||
|  | ||||
| const ( | ||||
| 	valid               category = 0x08 | ||||
| 	validNV8            category = 0x18 | ||||
| 	validXV8            category = 0x28 | ||||
| 	disallowed          category = 0x40 | ||||
| 	disallowedSTD3Valid category = 0x80 | ||||
| 	ignored             category = 0xC0 | ||||
| ) | ||||
|  | ||||
| // join types and additional rune information | ||||
| const ( | ||||
| 	joiningL = (iota + 1) | ||||
| 	joiningD | ||||
| 	joiningT | ||||
| 	joiningR | ||||
|  | ||||
| 	//the following types are derived during processing | ||||
| 	joinZWJ | ||||
| 	joinZWNJ | ||||
| 	joinVirama | ||||
| 	numJoinTypes | ||||
| ) | ||||
|  | ||||
| func (c info) isMapped() bool { | ||||
| 	return c&0x3 != 0 | ||||
| } | ||||
|  | ||||
| func (c info) category() category { | ||||
| 	small := c & catSmallMask | ||||
| 	if small != 0 { | ||||
| 		return category(small) | ||||
| 	} | ||||
| 	return category(c & catBigMask) | ||||
| } | ||||
|  | ||||
| func (c info) joinType() info { | ||||
| 	if c.isMapped() { | ||||
| 		return 0 | ||||
| 	} | ||||
| 	return (c >> joinShift) & joinMask | ||||
| } | ||||
|  | ||||
| func (c info) isModifier() bool { | ||||
| 	return c&(modifier|catSmallMask) == modifier | ||||
| } | ||||
|  | ||||
| func (c info) isViramaModifier() bool { | ||||
| 	return c&(attributesMask|catSmallMask) == viramaModifier | ||||
| } | ||||
							
								
								
									
										13
									
								
								vendor/golang.org/x/oauth2/.travis.yml
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										13
									
								
								vendor/golang.org/x/oauth2/.travis.yml
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,13 +0,0 @@ | ||||
| language: go | ||||
|  | ||||
| go: | ||||
|   - tip | ||||
|  | ||||
| install: | ||||
|   - export GOPATH="$HOME/gopath" | ||||
|   - mkdir -p "$GOPATH/src/golang.org/x" | ||||
|   - mv "$TRAVIS_BUILD_DIR" "$GOPATH/src/golang.org/x/oauth2" | ||||
|   - go get -v -t -d golang.org/x/oauth2/... | ||||
|  | ||||
| script: | ||||
|   - go test -v golang.org/x/oauth2/... | ||||
							
								
								
									
										3
									
								
								vendor/golang.org/x/oauth2/AUTHORS
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										3
									
								
								vendor/golang.org/x/oauth2/AUTHORS
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,3 +0,0 @@ | ||||
| # This source code refers to The Go Authors for copyright purposes. | ||||
| # The master list of authors is in the main Go distribution, | ||||
| # visible at http://tip.golang.org/AUTHORS. | ||||
							
								
								
									
										26
									
								
								vendor/golang.org/x/oauth2/CONTRIBUTING.md
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										26
									
								
								vendor/golang.org/x/oauth2/CONTRIBUTING.md
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,26 +0,0 @@ | ||||
| # Contributing to Go | ||||
|  | ||||
| Go is an open source project. | ||||
|  | ||||
| It is the work of hundreds of contributors. We appreciate your help! | ||||
|  | ||||
| ## Filing issues | ||||
|  | ||||
| When [filing an issue](https://github.com/golang/oauth2/issues), make sure to answer these five questions: | ||||
|  | ||||
| 1.  What version of Go are you using (`go version`)? | ||||
| 2.  What operating system and processor architecture are you using? | ||||
| 3.  What did you do? | ||||
| 4.  What did you expect to see? | ||||
| 5.  What did you see instead? | ||||
|  | ||||
| General questions should go to the [golang-nuts mailing list](https://groups.google.com/group/golang-nuts) instead of the issue tracker. | ||||
| The gophers there will answer or ask you to file an issue if you've tripped over a bug. | ||||
|  | ||||
| ## Contributing code | ||||
|  | ||||
| Please read the [Contribution Guidelines](https://golang.org/doc/contribute.html) | ||||
| before sending patches. | ||||
|  | ||||
| Unless otherwise noted, the Go source files are distributed under | ||||
| the BSD-style license found in the LICENSE file. | ||||
							
								
								
									
										3
									
								
								vendor/golang.org/x/oauth2/CONTRIBUTORS
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										3
									
								
								vendor/golang.org/x/oauth2/CONTRIBUTORS
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,3 +0,0 @@ | ||||
| # This source code was written by the Go contributors. | ||||
| # The master list of contributors is in the main Go distribution, | ||||
| # visible at http://tip.golang.org/CONTRIBUTORS. | ||||
							
								
								
									
										27
									
								
								vendor/golang.org/x/oauth2/LICENSE
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										27
									
								
								vendor/golang.org/x/oauth2/LICENSE
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,27 +0,0 @@ | ||||
| Copyright (c) 2009 The Go Authors. All rights reserved. | ||||
|  | ||||
| Redistribution and use in source and binary forms, with or without | ||||
| modification, are permitted provided that the following conditions are | ||||
| met: | ||||
|  | ||||
|    * Redistributions of source code must retain the above copyright | ||||
| notice, this list of conditions and the following disclaimer. | ||||
|    * Redistributions in binary form must reproduce the above | ||||
| copyright notice, this list of conditions and the following disclaimer | ||||
| in the documentation and/or other materials provided with the | ||||
| distribution. | ||||
|    * Neither the name of Google Inc. nor the names of its | ||||
| contributors may be used to endorse or promote products derived from | ||||
| this software without specific prior written permission. | ||||
|  | ||||
| THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS | ||||
| "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT | ||||
| LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR | ||||
| A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT | ||||
| OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, | ||||
| SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT | ||||
| LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, | ||||
| DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY | ||||
| THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT | ||||
| (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE | ||||
| OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. | ||||
							
								
								
									
										36
									
								
								vendor/golang.org/x/oauth2/README.md
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										36
									
								
								vendor/golang.org/x/oauth2/README.md
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,36 +0,0 @@ | ||||
| # OAuth2 for Go | ||||
|  | ||||
| [](https://pkg.go.dev/golang.org/x/oauth2) | ||||
| [](https://travis-ci.org/golang/oauth2) | ||||
|  | ||||
| oauth2 package contains a client implementation for OAuth 2.0 spec. | ||||
|  | ||||
| ## Installation | ||||
|  | ||||
| ~~~~ | ||||
| go get golang.org/x/oauth2 | ||||
| ~~~~ | ||||
|  | ||||
| Or you can manually git clone the repository to | ||||
| `$(go env GOPATH)/src/golang.org/x/oauth2`. | ||||
|  | ||||
| See pkg.go.dev for further documentation and examples. | ||||
|  | ||||
| * [pkg.go.dev/golang.org/x/oauth2](https://pkg.go.dev/golang.org/x/oauth2) | ||||
| * [pkg.go.dev/golang.org/x/oauth2/google](https://pkg.go.dev/golang.org/x/oauth2/google) | ||||
|  | ||||
| ## Policy for new packages | ||||
|  | ||||
| We no longer accept new provider-specific packages in this repo if all | ||||
| they do is add a single endpoint variable. If you just want to add a | ||||
| single endpoint, add it to the | ||||
| [pkg.go.dev/golang.org/x/oauth2/endpoints](https://pkg.go.dev/golang.org/x/oauth2/endpoints) | ||||
| package. | ||||
|  | ||||
| ## Report Issues / Send Patches | ||||
|  | ||||
| This repository uses Gerrit for code changes. To learn how to submit changes to | ||||
| this repository, see https://golang.org/doc/contribute.html. | ||||
|  | ||||
| The main issue tracker for the oauth2 repository is located at | ||||
| https://github.com/golang/oauth2/issues. | ||||
							
								
								
									
										9
									
								
								vendor/golang.org/x/oauth2/go.mod
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										9
									
								
								vendor/golang.org/x/oauth2/go.mod
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,9 +0,0 @@ | ||||
| module golang.org/x/oauth2 | ||||
|  | ||||
| go 1.11 | ||||
|  | ||||
| require ( | ||||
| 	cloud.google.com/go v0.65.0 | ||||
| 	golang.org/x/net v0.0.0-20200822124328-c89045814202 | ||||
| 	google.golang.org/appengine v1.6.6 | ||||
| ) | ||||
							
								
								
									
										361
									
								
								vendor/golang.org/x/oauth2/go.sum
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										361
									
								
								vendor/golang.org/x/oauth2/go.sum
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,361 +0,0 @@ | ||||
| cloud.google.com/go v0.26.0/go.mod h1:aQUYkXzVsufM+DwF1aE+0xfcU+56JwCaLick0ClmMTw= | ||||
| cloud.google.com/go v0.34.0/go.mod h1:aQUYkXzVsufM+DwF1aE+0xfcU+56JwCaLick0ClmMTw= | ||||
| cloud.google.com/go v0.38.0/go.mod h1:990N+gfupTy94rShfmMCWGDn0LpTmnzTp2qbd1dvSRU= | ||||
| cloud.google.com/go v0.44.1/go.mod h1:iSa0KzasP4Uvy3f1mN/7PiObzGgflwredwwASm/v6AU= | ||||
| cloud.google.com/go v0.44.2/go.mod h1:60680Gw3Yr4ikxnPRS/oxxkBccT6SA1yMk63TGekxKY= | ||||
| cloud.google.com/go v0.45.1/go.mod h1:RpBamKRgapWJb87xiFSdk4g1CME7QZg3uwTez+TSTjc= | ||||
| cloud.google.com/go v0.46.3/go.mod h1:a6bKKbmY7er1mI7TEI4lsAkts/mkhTSZK8w33B4RAg0= | ||||
| cloud.google.com/go v0.50.0/go.mod h1:r9sluTvynVuxRIOHXQEHMFffphuXHOMZMycpNR5e6To= | ||||
| cloud.google.com/go v0.52.0/go.mod h1:pXajvRH/6o3+F9jDHZWQ5PbGhn+o8w9qiu/CffaVdO4= | ||||
| cloud.google.com/go v0.53.0/go.mod h1:fp/UouUEsRkN6ryDKNW/Upv/JBKnv6WDthjR6+vze6M= | ||||
| cloud.google.com/go v0.54.0/go.mod h1:1rq2OEkV3YMf6n/9ZvGWI3GWw0VoqH/1x2nd8Is/bPc= | ||||
| cloud.google.com/go v0.56.0/go.mod h1:jr7tqZxxKOVYizybht9+26Z/gUq7tiRzu+ACVAMbKVk= | ||||
| cloud.google.com/go v0.57.0/go.mod h1:oXiQ6Rzq3RAkkY7N6t3TcE6jE+CIBBbA36lwQ1JyzZs= | ||||
| cloud.google.com/go v0.62.0/go.mod h1:jmCYTdRCQuc1PHIIJ/maLInMho30T/Y0M4hTdTShOYc= | ||||
| cloud.google.com/go v0.65.0 h1:Dg9iHVQfrhq82rUNu9ZxUDrJLaxFUe/HlCVaLyRruq8= | ||||
| cloud.google.com/go v0.65.0/go.mod h1:O5N8zS7uWy9vkA9vayVHs65eM1ubvY4h553ofrNHObY= | ||||
| cloud.google.com/go/bigquery v1.0.1/go.mod h1:i/xbL2UlR5RvWAURpBYZTtm/cXjCha9lbfbpx4poX+o= | ||||
| cloud.google.com/go/bigquery v1.3.0/go.mod h1:PjpwJnslEMmckchkHFfq+HTD2DmtT67aNFKH1/VBDHE= | ||||
| cloud.google.com/go/bigquery v1.4.0/go.mod h1:S8dzgnTigyfTmLBfrtrhyYhwRxG72rYxvftPBK2Dvzc= | ||||
| cloud.google.com/go/bigquery v1.5.0/go.mod h1:snEHRnqQbz117VIFhE8bmtwIDY80NLUZUMb4Nv6dBIg= | ||||
| cloud.google.com/go/bigquery v1.7.0/go.mod h1://okPTzCYNXSlb24MZs83e2Do+h+VXtc4gLoIoXIAPc= | ||||
| cloud.google.com/go/bigquery v1.8.0/go.mod h1:J5hqkt3O0uAFnINi6JXValWIb1v0goeZM77hZzJN/fQ= | ||||
| cloud.google.com/go/datastore v1.0.0/go.mod h1:LXYbyblFSglQ5pkeyhO+Qmw7ukd3C+pD7TKLgZqpHYE= | ||||
| cloud.google.com/go/datastore v1.1.0/go.mod h1:umbIZjpQpHh4hmRpGhH4tLFup+FVzqBi1b3c64qFpCk= | ||||
| cloud.google.com/go/pubsub v1.0.1/go.mod h1:R0Gpsv3s54REJCy4fxDixWD93lHJMoZTyQ2kNxGRt3I= | ||||
| cloud.google.com/go/pubsub v1.1.0/go.mod h1:EwwdRX2sKPjnvnqCa270oGRyludottCI76h+R3AArQw= | ||||
| cloud.google.com/go/pubsub v1.2.0/go.mod h1:jhfEVHT8odbXTkndysNHCcx0awwzvfOlguIAii9o8iA= | ||||
| cloud.google.com/go/pubsub v1.3.1/go.mod h1:i+ucay31+CNRpDW4Lu78I4xXG+O1r/MAHgjpRVR+TSU= | ||||
| cloud.google.com/go/storage v1.0.0/go.mod h1:IhtSnM/ZTZV8YYJWCY8RULGVqBDmpoyjwiyrjsg+URw= | ||||
| cloud.google.com/go/storage v1.5.0/go.mod h1:tpKbwo567HUNpVclU5sGELwQWBDZ8gh0ZeosJ0Rtdos= | ||||
| cloud.google.com/go/storage v1.6.0/go.mod h1:N7U0C8pVQ/+NIKOBQyamJIeKQKkZ+mxpohlUTyfDhBk= | ||||
| cloud.google.com/go/storage v1.8.0/go.mod h1:Wv1Oy7z6Yz3DshWRJFhqM/UCfaWIRTdp0RXyy7KQOVs= | ||||
| cloud.google.com/go/storage v1.10.0/go.mod h1:FLPqc6j+Ki4BU591ie1oL6qBQGu2Bl/tZ9ullr3+Kg0= | ||||
| dmitri.shuralyov.com/gpu/mtl v0.0.0-20190408044501-666a987793e9/go.mod h1:H6x//7gZCb22OMCxBHrMx7a5I7Hp++hsVxbQ4BYO7hU= | ||||
| github.com/BurntSushi/toml v0.3.1/go.mod h1:xHWCNGjB5oqiDr8zfno3MHue2Ht5sIBksp03qcyfWMU= | ||||
| github.com/BurntSushi/xgb v0.0.0-20160522181843-27f122750802/go.mod h1:IVnqGOEym/WlBOVXweHU+Q+/VP0lqqI8lqeDx9IjBqo= | ||||
| github.com/census-instrumentation/opencensus-proto v0.2.1/go.mod h1:f6KPmirojxKA12rnyqOA5BBL4O983OfeGPqjHWSTneU= | ||||
| github.com/chzyer/logex v1.1.10/go.mod h1:+Ywpsq7O8HXn0nuIou7OrIPyXbp3wmkHB+jjWRnGsAI= | ||||
| github.com/chzyer/readline v0.0.0-20180603132655-2972be24d48e/go.mod h1:nSuG5e5PlCu98SY8svDHJxuZscDgtXS6KTTbou5AhLI= | ||||
| github.com/chzyer/test v0.0.0-20180213035817-a1ea475d72b1/go.mod h1:Q3SI9o4m/ZMnBNeIyt5eFwwo7qiLfzFZmjNmxjkiQlU= | ||||
| github.com/client9/misspell v0.3.4/go.mod h1:qj6jICC3Q7zFZvVWo7KLAzC3yx5G7kyvSDkc90ppPyw= | ||||
| github.com/cncf/udpa/go v0.0.0-20191209042840-269d4d468f6f/go.mod h1:M8M6+tZqaGXZJjfX53e64911xZQV5JYwmTeXPW+k8Sc= | ||||
| github.com/davecgh/go-spew v1.1.0/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= | ||||
| github.com/envoyproxy/go-control-plane v0.9.0/go.mod h1:YTl/9mNaCwkRvm6d1a2C3ymFceY/DCBVvsKhRF0iEA4= | ||||
| github.com/envoyproxy/go-control-plane v0.9.1-0.20191026205805-5f8ba28d4473/go.mod h1:YTl/9mNaCwkRvm6d1a2C3ymFceY/DCBVvsKhRF0iEA4= | ||||
| github.com/envoyproxy/go-control-plane v0.9.4/go.mod h1:6rpuAdCZL397s3pYoYcLgu1mIlRU8Am5FuJP05cCM98= | ||||
| github.com/envoyproxy/protoc-gen-validate v0.1.0/go.mod h1:iSmxcyjqTsJpI2R4NaDN7+kN2VEUnK/pcBlmesArF7c= | ||||
| github.com/go-gl/glfw v0.0.0-20190409004039-e6da0acd62b1/go.mod h1:vR7hzQXu2zJy9AVAgeJqvqgH9Q5CA+iKCZ2gyEVpxRU= | ||||
| github.com/go-gl/glfw/v3.3/glfw v0.0.0-20191125211704-12ad95a8df72/go.mod h1:tQ2UAYgL5IevRw8kRxooKSPJfGvJ9fJQFa0TUsXzTg8= | ||||
| github.com/go-gl/glfw/v3.3/glfw v0.0.0-20200222043503-6f7a984d4dc4/go.mod h1:tQ2UAYgL5IevRw8kRxooKSPJfGvJ9fJQFa0TUsXzTg8= | ||||
| github.com/golang/glog v0.0.0-20160126235308-23def4e6c14b/go.mod h1:SBH7ygxi8pfUlaOkMMuAQtPIUF8ecWP5IEl/CR7VP2Q= | ||||
| github.com/golang/groupcache v0.0.0-20190702054246-869f871628b6/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= | ||||
| github.com/golang/groupcache v0.0.0-20191227052852-215e87163ea7/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= | ||||
| github.com/golang/groupcache v0.0.0-20200121045136-8c9f03a8e57e/go.mod h1:cIg4eruTrX1D+g88fzRXU5OdNfaM+9IcxsU14FzY7Hc= | ||||
| github.com/golang/mock v1.1.1/go.mod h1:oTYuIxOrZwtPieC+H1uAHpcLFnEyAGVDL/k47Jfbm0A= | ||||
| github.com/golang/mock v1.2.0/go.mod h1:oTYuIxOrZwtPieC+H1uAHpcLFnEyAGVDL/k47Jfbm0A= | ||||
| github.com/golang/mock v1.3.1/go.mod h1:sBzyDLLjw3U8JLTeZvSv8jJB+tU5PVekmnlKIyFUx0Y= | ||||
| github.com/golang/mock v1.4.0/go.mod h1:UOMv5ysSaYNkG+OFQykRIcU/QvvxJf3p21QfJ2Bt3cw= | ||||
| github.com/golang/mock v1.4.1/go.mod h1:UOMv5ysSaYNkG+OFQykRIcU/QvvxJf3p21QfJ2Bt3cw= | ||||
| github.com/golang/mock v1.4.3/go.mod h1:UOMv5ysSaYNkG+OFQykRIcU/QvvxJf3p21QfJ2Bt3cw= | ||||
| github.com/golang/mock v1.4.4/go.mod h1:l3mdAwkq5BuhzHwde/uurv3sEJeZMXNpwsxVWU71h+4= | ||||
| github.com/golang/protobuf v1.2.0/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= | ||||
| github.com/golang/protobuf v1.3.1/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= | ||||
| github.com/golang/protobuf v1.3.2/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= | ||||
| github.com/golang/protobuf v1.3.3/go.mod h1:vzj43D7+SQXF/4pzW/hwtAqwc6iTitCiVSaWz5lYuqw= | ||||
| github.com/golang/protobuf v1.3.4/go.mod h1:vzj43D7+SQXF/4pzW/hwtAqwc6iTitCiVSaWz5lYuqw= | ||||
| github.com/golang/protobuf v1.3.5/go.mod h1:6O5/vntMXwX2lRkT1hjjk0nAC1IDOTvTlVgjlRvqsdk= | ||||
| github.com/golang/protobuf v1.4.0-rc.1/go.mod h1:ceaxUfeHdC40wWswd/P6IGgMaK3YpKi5j83Wpe3EHw8= | ||||
| github.com/golang/protobuf v1.4.0-rc.1.0.20200221234624-67d41d38c208/go.mod h1:xKAWHe0F5eneWXFV3EuXVDTCmh+JuBKY0li0aMyXATA= | ||||
| github.com/golang/protobuf v1.4.0-rc.2/go.mod h1:LlEzMj4AhA7rCAGe4KMBDvJI+AwstrUpVNzEA03Pprs= | ||||
| github.com/golang/protobuf v1.4.0-rc.4.0.20200313231945-b860323f09d0/go.mod h1:WU3c8KckQ9AFe+yFwt9sWVRKCVIyN9cPHBJSNnbL67w= | ||||
| github.com/golang/protobuf v1.4.0/go.mod h1:jodUvKwWbYaEsadDk5Fwe5c77LiNKVO9IDvqG2KuDX0= | ||||
| github.com/golang/protobuf v1.4.1/go.mod h1:U8fpvMrcmy5pZrNK1lt4xCsGvpyWQ/VVv6QDs8UjoX8= | ||||
| github.com/golang/protobuf v1.4.2 h1:+Z5KGCizgyZCbGh1KZqA0fcLLkwbsjIzS4aV2v7wJX0= | ||||
| github.com/golang/protobuf v1.4.2/go.mod h1:oDoupMAO8OvCJWAcko0GGGIgR6R6ocIYbsSw735rRwI= | ||||
| github.com/google/btree v0.0.0-20180813153112-4030bb1f1f0c/go.mod h1:lNA+9X1NB3Zf8V7Ke586lFgjr2dZNuvo3lPJSGZ5JPQ= | ||||
| github.com/google/btree v1.0.0/go.mod h1:lNA+9X1NB3Zf8V7Ke586lFgjr2dZNuvo3lPJSGZ5JPQ= | ||||
| github.com/google/go-cmp v0.2.0/go.mod h1:oXzfMopK8JAjlY9xF4vHSVASa0yLyX7SntLO5aqRK0M= | ||||
| github.com/google/go-cmp v0.3.0/go.mod h1:8QqcDgzrUqlUb/G2PQTWiueGozuR1884gddMywk6iLU= | ||||
| github.com/google/go-cmp v0.3.1/go.mod h1:8QqcDgzrUqlUb/G2PQTWiueGozuR1884gddMywk6iLU= | ||||
| github.com/google/go-cmp v0.4.0/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= | ||||
| github.com/google/go-cmp v0.4.1/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= | ||||
| github.com/google/go-cmp v0.5.0/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= | ||||
| github.com/google/go-cmp v0.5.1 h1:JFrFEBb2xKufg6XkJsJr+WbKb4FQlURi5RUcBveYu9k= | ||||
| github.com/google/go-cmp v0.5.1/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= | ||||
| github.com/google/martian v2.1.0+incompatible/go.mod h1:9I4somxYTbIHy5NJKHRl3wXiIaQGbYVAs8BPL6v8lEs= | ||||
| github.com/google/martian/v3 v3.0.0/go.mod h1:y5Zk1BBys9G+gd6Jrk0W3cC1+ELVxBWuIGO+w/tUAp0= | ||||
| github.com/google/pprof v0.0.0-20181206194817-3ea8567a2e57/go.mod h1:zfwlbNMJ+OItoe0UupaVj+oy1omPYYDuagoSzA8v9mc= | ||||
| github.com/google/pprof v0.0.0-20190515194954-54271f7e092f/go.mod h1:zfwlbNMJ+OItoe0UupaVj+oy1omPYYDuagoSzA8v9mc= | ||||
| github.com/google/pprof v0.0.0-20191218002539-d4f498aebedc/go.mod h1:ZgVRPoUq/hfqzAqh7sHMqb3I9Rq5C59dIz2SbBwJ4eM= | ||||
| github.com/google/pprof v0.0.0-20200212024743-f11f1df84d12/go.mod h1:ZgVRPoUq/hfqzAqh7sHMqb3I9Rq5C59dIz2SbBwJ4eM= | ||||
| github.com/google/pprof v0.0.0-20200229191704-1ebb73c60ed3/go.mod h1:ZgVRPoUq/hfqzAqh7sHMqb3I9Rq5C59dIz2SbBwJ4eM= | ||||
| github.com/google/pprof v0.0.0-20200430221834-fc25d7d30c6d/go.mod h1:ZgVRPoUq/hfqzAqh7sHMqb3I9Rq5C59dIz2SbBwJ4eM= | ||||
| github.com/google/pprof v0.0.0-20200708004538-1a94d8640e99/go.mod h1:ZgVRPoUq/hfqzAqh7sHMqb3I9Rq5C59dIz2SbBwJ4eM= | ||||
| github.com/google/renameio v0.1.0/go.mod h1:KWCgfxg9yswjAJkECMjeO8J8rahYeXnNhOm40UhjYkI= | ||||
| github.com/googleapis/gax-go/v2 v2.0.4/go.mod h1:0Wqv26UfaUD9n4G6kQubkQ+KchISgw+vpHVxEJEs9eg= | ||||
| github.com/googleapis/gax-go/v2 v2.0.5/go.mod h1:DWXyrwAJ9X0FpwwEdw+IPEYBICEFu5mhpdKc/us6bOk= | ||||
| github.com/hashicorp/golang-lru v0.5.0/go.mod h1:/m3WP610KZHVQ1SGc6re/UDhFvYD7pJ4Ao+sR/qLZy8= | ||||
| github.com/hashicorp/golang-lru v0.5.1/go.mod h1:/m3WP610KZHVQ1SGc6re/UDhFvYD7pJ4Ao+sR/qLZy8= | ||||
| github.com/ianlancetaylor/demangle v0.0.0-20181102032728-5e5cf60278f6/go.mod h1:aSSvb/t6k1mPoxDqO4vJh6VOCGPwU4O0C2/Eqndh1Sc= | ||||
| github.com/jstemmer/go-junit-report v0.0.0-20190106144839-af01ea7f8024/go.mod h1:6v2b51hI/fHJwM22ozAgKL4VKDeJcHhJFhtBdhmNjmU= | ||||
| github.com/jstemmer/go-junit-report v0.9.1/go.mod h1:Brl9GWCQeLvo8nXZwPNNblvFj/XSXhF0NWZEnDohbsk= | ||||
| github.com/kisielk/gotool v1.0.0/go.mod h1:XhKaO+MFFWcvkIS/tQcRk01m1F5IRFswLeQ+oQHNcck= | ||||
| github.com/kr/pretty v0.1.0/go.mod h1:dAy3ld7l9f0ibDNOQOHHMYYIIbhfbHSm3C4ZsoJORNo= | ||||
| github.com/kr/pty v1.1.1/go.mod h1:pFQYn66WHrOpPYNljwOMqo10TkYh1fy3cYio2l3bCsQ= | ||||
| github.com/kr/text v0.1.0/go.mod h1:4Jbv+DJW3UT/LiOwJeYQe1efqtUx/iVham/4vfdArNI= | ||||
| github.com/pmezard/go-difflib v1.0.0/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4= | ||||
| github.com/prometheus/client_model v0.0.0-20190812154241-14fe0d1b01d4/go.mod h1:xMI15A0UPsDsEKsMN9yxemIoYk6Tm2C1GtYGdfGttqA= | ||||
| github.com/rogpeppe/go-internal v1.3.0/go.mod h1:M8bDsm7K2OlrFYOpmOWEs/qY81heoFRclV5y23lUDJ4= | ||||
| github.com/stretchr/objx v0.1.0/go.mod h1:HFkY916IF+rwdDfMAkV7OtwuqBVzrE8GR6GFx+wExME= | ||||
| github.com/stretchr/testify v1.4.0/go.mod h1:j7eGeouHqKxXV5pUuKE4zz7dFj8WfuZ+81PSLYec5m4= | ||||
| github.com/yuin/goldmark v1.1.25/go.mod h1:3hX8gzYuyVAZsxl0MRgGTJEmQBFcNTphYh9decYSb74= | ||||
| github.com/yuin/goldmark v1.1.27/go.mod h1:3hX8gzYuyVAZsxl0MRgGTJEmQBFcNTphYh9decYSb74= | ||||
| github.com/yuin/goldmark v1.1.32/go.mod h1:3hX8gzYuyVAZsxl0MRgGTJEmQBFcNTphYh9decYSb74= | ||||
| go.opencensus.io v0.21.0/go.mod h1:mSImk1erAIZhrmZN+AvHh14ztQfjbGwt4TtuofqLduU= | ||||
| go.opencensus.io v0.22.0/go.mod h1:+kGneAE2xo2IficOXnaByMWTGM9T73dGwxeWcUqIpI8= | ||||
| go.opencensus.io v0.22.2/go.mod h1:yxeiOL68Rb0Xd1ddK5vPZ/oVn4vY4Ynel7k9FzqtOIw= | ||||
| go.opencensus.io v0.22.3/go.mod h1:yxeiOL68Rb0Xd1ddK5vPZ/oVn4vY4Ynel7k9FzqtOIw= | ||||
| go.opencensus.io v0.22.4/go.mod h1:yxeiOL68Rb0Xd1ddK5vPZ/oVn4vY4Ynel7k9FzqtOIw= | ||||
| golang.org/x/crypto v0.0.0-20190308221718-c2843e01d9a2/go.mod h1:djNgcEr1/C05ACkg1iLfiJU5Ep61QUkGW8qpdssI0+w= | ||||
| golang.org/x/crypto v0.0.0-20190510104115-cbcb75029529/go.mod h1:yigFU9vqHzYiE8UmvKecakEJjdnWj3jj499lnFckfCI= | ||||
| golang.org/x/crypto v0.0.0-20190605123033-f99c8df09eb5/go.mod h1:yigFU9vqHzYiE8UmvKecakEJjdnWj3jj499lnFckfCI= | ||||
| golang.org/x/crypto v0.0.0-20191011191535-87dc89f01550/go.mod h1:yigFU9vqHzYiE8UmvKecakEJjdnWj3jj499lnFckfCI= | ||||
| golang.org/x/crypto v0.0.0-20200622213623-75b288015ac9/go.mod h1:LzIPMQfyMNhhGPhUkYOs5KpL4U8rLKemX1yGLhDgUto= | ||||
| golang.org/x/exp v0.0.0-20190121172915-509febef88a4/go.mod h1:CJ0aWSM057203Lf6IL+f9T1iT9GByDxfZKAQTCR3kQA= | ||||
| golang.org/x/exp v0.0.0-20190306152737-a1d7652674e8/go.mod h1:CJ0aWSM057203Lf6IL+f9T1iT9GByDxfZKAQTCR3kQA= | ||||
| golang.org/x/exp v0.0.0-20190510132918-efd6b22b2522/go.mod h1:ZjyILWgesfNpC6sMxTJOJm9Kp84zZh5NQWvqDGG3Qr8= | ||||
| golang.org/x/exp v0.0.0-20190829153037-c13cbed26979/go.mod h1:86+5VVa7VpoJ4kLfm080zCjGlMRFzhUhsZKEZO7MGek= | ||||
| golang.org/x/exp v0.0.0-20191030013958-a1ab85dbe136/go.mod h1:JXzH8nQsPlswgeRAPE3MuO9GYsAcnJvJ4vnMwN/5qkY= | ||||
| golang.org/x/exp v0.0.0-20191129062945-2f5052295587/go.mod h1:2RIsYlXP63K8oxa1u096TMicItID8zy7Y6sNkU49FU4= | ||||
| golang.org/x/exp v0.0.0-20191227195350-da58074b4299/go.mod h1:2RIsYlXP63K8oxa1u096TMicItID8zy7Y6sNkU49FU4= | ||||
| golang.org/x/exp v0.0.0-20200119233911-0405dc783f0a/go.mod h1:2RIsYlXP63K8oxa1u096TMicItID8zy7Y6sNkU49FU4= | ||||
| golang.org/x/exp v0.0.0-20200207192155-f17229e696bd/go.mod h1:J/WKrq2StrnmMY6+EHIKF9dgMWnmCNThgcyBT1FY9mM= | ||||
| golang.org/x/exp v0.0.0-20200224162631-6cc2880d07d6/go.mod h1:3jZMyOhIsHpP37uCMkUooju7aAi5cS1Q23tOzKc+0MU= | ||||
| golang.org/x/image v0.0.0-20190227222117-0694c2d4d067/go.mod h1:kZ7UVZpmo3dzQBMxlp+ypCbDeSB+sBbTgSJuh5dn5js= | ||||
| golang.org/x/image v0.0.0-20190802002840-cff245a6509b/go.mod h1:FeLwcggjj3mMvU+oOTbSwawSJRM1uh48EjtB4UJZlP0= | ||||
| golang.org/x/lint v0.0.0-20181026193005-c67002cb31c3/go.mod h1:UVdnD1Gm6xHRNCYTkRU2/jEulfH38KcIWyp/GAMgvoE= | ||||
| golang.org/x/lint v0.0.0-20190227174305-5b3e6a55c961/go.mod h1:wehouNa3lNwaWXcvxsM5YxQ5yQlVC4a0KAMCusXpPoU= | ||||
| golang.org/x/lint v0.0.0-20190301231843-5614ed5bae6f/go.mod h1:UVdnD1Gm6xHRNCYTkRU2/jEulfH38KcIWyp/GAMgvoE= | ||||
| golang.org/x/lint v0.0.0-20190313153728-d0100b6bd8b3/go.mod h1:6SW0HCj/g11FgYtHlgUYUwCkIfeOF89ocIRzGO/8vkc= | ||||
| golang.org/x/lint v0.0.0-20190409202823-959b441ac422/go.mod h1:6SW0HCj/g11FgYtHlgUYUwCkIfeOF89ocIRzGO/8vkc= | ||||
| golang.org/x/lint v0.0.0-20190909230951-414d861bb4ac/go.mod h1:6SW0HCj/g11FgYtHlgUYUwCkIfeOF89ocIRzGO/8vkc= | ||||
| golang.org/x/lint v0.0.0-20190930215403-16217165b5de/go.mod h1:6SW0HCj/g11FgYtHlgUYUwCkIfeOF89ocIRzGO/8vkc= | ||||
| golang.org/x/lint v0.0.0-20191125180803-fdd1cda4f05f/go.mod h1:5qLYkcX4OjUUV8bRuDixDT3tpyyb+LUpUlRWLxfhWrs= | ||||
| golang.org/x/lint v0.0.0-20200130185559-910be7a94367/go.mod h1:3xt1FjdF8hUf6vQPIChWIBhFzV8gjjsPE/fR3IyQdNY= | ||||
| golang.org/x/lint v0.0.0-20200302205851-738671d3881b/go.mod h1:3xt1FjdF8hUf6vQPIChWIBhFzV8gjjsPE/fR3IyQdNY= | ||||
| golang.org/x/mobile v0.0.0-20190312151609-d3739f865fa6/go.mod h1:z+o9i4GpDbdi3rU15maQ/Ox0txvL9dWGYEHz965HBQE= | ||||
| golang.org/x/mobile v0.0.0-20190719004257-d2bd2a29d028/go.mod h1:E/iHnbuqvinMTCcRqshq8CkpyQDoeVncDDYHnLhea+o= | ||||
| golang.org/x/mod v0.0.0-20190513183733-4bf6d317e70e/go.mod h1:mXi4GBBbnImb6dmsKGUJ2LatrhH/nqhxcFungHvyanc= | ||||
| golang.org/x/mod v0.1.0/go.mod h1:0QHyrYULN0/3qlju5TqG8bIK38QM8yzMo5ekMj3DlcY= | ||||
| golang.org/x/mod v0.1.1-0.20191105210325-c90efee705ee/go.mod h1:QqPTAvyqsEbceGzBzNggFXnrqF1CaUcvgkdR5Ot7KZg= | ||||
| golang.org/x/mod v0.1.1-0.20191107180719-034126e5016b/go.mod h1:QqPTAvyqsEbceGzBzNggFXnrqF1CaUcvgkdR5Ot7KZg= | ||||
| golang.org/x/mod v0.2.0/go.mod h1:s0Qsj1ACt9ePp/hMypM3fl4fZqREWJwdYDEqhRiZZUA= | ||||
| golang.org/x/mod v0.3.0/go.mod h1:s0Qsj1ACt9ePp/hMypM3fl4fZqREWJwdYDEqhRiZZUA= | ||||
| golang.org/x/net v0.0.0-20180724234803-3673e40ba225/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= | ||||
| golang.org/x/net v0.0.0-20180826012351-8a410e7b638d/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= | ||||
| golang.org/x/net v0.0.0-20190108225652-1e06a53dbb7e/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= | ||||
| golang.org/x/net v0.0.0-20190213061140-3a22650c66bd/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= | ||||
| golang.org/x/net v0.0.0-20190311183353-d8887717615a/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= | ||||
| golang.org/x/net v0.0.0-20190404232315-eb5bcb51f2a3/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= | ||||
| golang.org/x/net v0.0.0-20190501004415-9ce7a6920f09/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= | ||||
| golang.org/x/net v0.0.0-20190503192946-f4e77d36d62c/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= | ||||
| golang.org/x/net v0.0.0-20190603091049-60506f45cf65/go.mod h1:HSz+uSET+XFnRR8LxR5pz3Of3rY3CfYBVs4xY44aLks= | ||||
| golang.org/x/net v0.0.0-20190620200207-3b0461eec859/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= | ||||
| golang.org/x/net v0.0.0-20190628185345-da137c7871d7/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= | ||||
| golang.org/x/net v0.0.0-20190724013045-ca1201d0de80/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= | ||||
| golang.org/x/net v0.0.0-20191209160850-c0dbc17a3553/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= | ||||
| golang.org/x/net v0.0.0-20200114155413-6afb5195e5aa/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= | ||||
| golang.org/x/net v0.0.0-20200202094626-16171245cfb2/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= | ||||
| golang.org/x/net v0.0.0-20200222125558-5a598a2470a0/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= | ||||
| golang.org/x/net v0.0.0-20200226121028-0de0cce0169b/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= | ||||
| golang.org/x/net v0.0.0-20200301022130-244492dfa37a/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= | ||||
| golang.org/x/net v0.0.0-20200324143707-d3edc9973b7e/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= | ||||
| golang.org/x/net v0.0.0-20200501053045-e0ff5e5a1de5/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= | ||||
| golang.org/x/net v0.0.0-20200506145744-7e3656a0809f/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= | ||||
| golang.org/x/net v0.0.0-20200513185701-a91f0712d120/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= | ||||
| golang.org/x/net v0.0.0-20200520182314-0ba52f642ac2/go.mod h1:qpuaurCH72eLCgpAm/N6yyVIVM9cpaDIP3A8BGJEC5A= | ||||
| golang.org/x/net v0.0.0-20200625001655-4c5254603344/go.mod h1:/O7V0waA8r7cgGh81Ro3o1hOxt32SMVPicZroKQ2sZA= | ||||
| golang.org/x/net v0.0.0-20200707034311-ab3426394381/go.mod h1:/O7V0waA8r7cgGh81Ro3o1hOxt32SMVPicZroKQ2sZA= | ||||
| golang.org/x/net v0.0.0-20200822124328-c89045814202 h1:VvcQYSHwXgi7W+TpUR6A9g6Up98WAHf3f/ulnJ62IyA= | ||||
| golang.org/x/net v0.0.0-20200822124328-c89045814202/go.mod h1:/O7V0waA8r7cgGh81Ro3o1hOxt32SMVPicZroKQ2sZA= | ||||
| golang.org/x/oauth2 v0.0.0-20180821212333-d2e6202438be/go.mod h1:N/0e6XlmueqKjAGxoOufVs8QHGRruUQn6yWY3a++T0U= | ||||
| golang.org/x/oauth2 v0.0.0-20190226205417-e64efc72b421/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= | ||||
| golang.org/x/oauth2 v0.0.0-20190604053449-0f29369cfe45/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= | ||||
| golang.org/x/oauth2 v0.0.0-20191202225959-858c2ad4c8b6/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= | ||||
| golang.org/x/oauth2 v0.0.0-20200107190931-bf48bf16ab8d/go.mod h1:gOpvHmFTYa4IltrdGE7lF6nIHvwfUNPOp7c8zoXwtLw= | ||||
| golang.org/x/sync v0.0.0-20180314180146-1d60e4601c6f/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= | ||||
| golang.org/x/sync v0.0.0-20181108010431-42b317875d0f/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= | ||||
| golang.org/x/sync v0.0.0-20181221193216-37e7f081c4d4/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= | ||||
| golang.org/x/sync v0.0.0-20190227155943-e225da77a7e6/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= | ||||
| golang.org/x/sync v0.0.0-20190423024810-112230192c58/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= | ||||
| golang.org/x/sync v0.0.0-20190911185100-cd5d95a43a6e/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= | ||||
| golang.org/x/sync v0.0.0-20200317015054-43a5402ce75a/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= | ||||
| golang.org/x/sync v0.0.0-20200625203802-6e8e738ad208/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= | ||||
| golang.org/x/sys v0.0.0-20180830151530-49385e6e1522/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= | ||||
| golang.org/x/sys v0.0.0-20190215142949-d0b11bdaac8a/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= | ||||
| golang.org/x/sys v0.0.0-20190312061237-fead79001313/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20190412213103-97732733099d/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20190502145724-3ef323f4f1fd/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20190507160741-ecd444e8653b/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20190606165138-5da285871e9c/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20190624142023-c5567b49c5d0/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20190726091711-fc99dfbffb4e/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20191001151750-bb3f8db39f24/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20191204072324-ce4227a45e2e/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20191228213918-04cbcbbfeed8/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20200113162924-86b910548bc1/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20200122134326-e047566fdf82/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20200202164722-d101bd2416d5/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20200212091648-12a6c2dcc1e4/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20200223170610-d5e6a3e2c0ae/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20200302150141-5c8b2ff67527/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20200323222414-85ca7c5b95cd/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20200331124033-c3d80250170d/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20200501052902-10377860bb8e/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20200511232937-7e40ca221e25/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20200515095857-1151b9dac4a9/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20200523222454-059865788121/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/sys v0.0.0-20200803210538-64077c9b5642/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= | ||||
| golang.org/x/text v0.0.0-20170915032832-14c0d48ead0c/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= | ||||
| golang.org/x/text v0.3.0/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= | ||||
| golang.org/x/text v0.3.1-0.20180807135948-17ff2d5776d2/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= | ||||
| golang.org/x/text v0.3.2/go.mod h1:bEr9sfX3Q8Zfm5fL9x+3itogRgK3+ptLWKqgva+5dAk= | ||||
| golang.org/x/text v0.3.3/go.mod h1:5Zoc/QRtKVWzQhOtBMvqHzDpF6irO9z98xDceosuGiQ= | ||||
| golang.org/x/time v0.0.0-20181108054448-85acf8d2951c/go.mod h1:tRJNPiyCQ0inRvYxbN9jk5I+vvW/OXSQhTDSoE431IQ= | ||||
| golang.org/x/time v0.0.0-20190308202827-9d24e82272b4/go.mod h1:tRJNPiyCQ0inRvYxbN9jk5I+vvW/OXSQhTDSoE431IQ= | ||||
| golang.org/x/time v0.0.0-20191024005414-555d28b269f0/go.mod h1:tRJNPiyCQ0inRvYxbN9jk5I+vvW/OXSQhTDSoE431IQ= | ||||
| golang.org/x/tools v0.0.0-20180917221912-90fa682c2a6e/go.mod h1:n7NCudcB/nEzxVGmLbDWY5pfWTLqBcC2KZ6jyYvM4mQ= | ||||
| golang.org/x/tools v0.0.0-20190114222345-bf090417da8b/go.mod h1:n7NCudcB/nEzxVGmLbDWY5pfWTLqBcC2KZ6jyYvM4mQ= | ||||
| golang.org/x/tools v0.0.0-20190226205152-f727befe758c/go.mod h1:9Yl7xja0Znq3iFh3HoIrodX9oNMXvdceNzlUR8zjMvY= | ||||
| golang.org/x/tools v0.0.0-20190311212946-11955173bddd/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= | ||||
| golang.org/x/tools v0.0.0-20190312151545-0bb0c0a6e846/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= | ||||
| golang.org/x/tools v0.0.0-20190312170243-e65039ee4138/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= | ||||
| golang.org/x/tools v0.0.0-20190425150028-36563e24a262/go.mod h1:RgjU9mgBXZiqYHBnxXauZ1Gv1EHHAz9KjViQ78xBX0Q= | ||||
| golang.org/x/tools v0.0.0-20190506145303-2d16b83fe98c/go.mod h1:RgjU9mgBXZiqYHBnxXauZ1Gv1EHHAz9KjViQ78xBX0Q= | ||||
| golang.org/x/tools v0.0.0-20190524140312-2c0ae7006135/go.mod h1:RgjU9mgBXZiqYHBnxXauZ1Gv1EHHAz9KjViQ78xBX0Q= | ||||
| golang.org/x/tools v0.0.0-20190606124116-d0a3d012864b/go.mod h1:/rFqwRUd4F7ZHNgwSSTFct+R/Kf4OFW1sUzUTQQTgfc= | ||||
| golang.org/x/tools v0.0.0-20190621195816-6e04913cbbac/go.mod h1:/rFqwRUd4F7ZHNgwSSTFct+R/Kf4OFW1sUzUTQQTgfc= | ||||
| golang.org/x/tools v0.0.0-20190628153133-6cdbf07be9d0/go.mod h1:/rFqwRUd4F7ZHNgwSSTFct+R/Kf4OFW1sUzUTQQTgfc= | ||||
| golang.org/x/tools v0.0.0-20190816200558-6889da9d5479/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= | ||||
| golang.org/x/tools v0.0.0-20190911174233-4f2ddba30aff/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= | ||||
| golang.org/x/tools v0.0.0-20191012152004-8de300cfc20a/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= | ||||
| golang.org/x/tools v0.0.0-20191113191852-77e3bb0ad9e7/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= | ||||
| golang.org/x/tools v0.0.0-20191115202509-3a792d9c32b2/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= | ||||
| golang.org/x/tools v0.0.0-20191119224855-298f0cb1881e/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= | ||||
| golang.org/x/tools v0.0.0-20191125144606-a911d9008d1f/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= | ||||
| golang.org/x/tools v0.0.0-20191130070609-6e064ea0cf2d/go.mod h1:b+2E5dAYhXwXZwtnZ6UAqBI28+e2cm9otk0dWdXHAEo= | ||||
| golang.org/x/tools v0.0.0-20191216173652-a0e659d51361/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= | ||||
| golang.org/x/tools v0.0.0-20191227053925-7b8e75db28f4/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= | ||||
| golang.org/x/tools v0.0.0-20200117161641-43d50277825c/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= | ||||
| golang.org/x/tools v0.0.0-20200122220014-bf1340f18c4a/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= | ||||
| golang.org/x/tools v0.0.0-20200130002326-2f3ba24bd6e7/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= | ||||
| golang.org/x/tools v0.0.0-20200204074204-1cc6d1ef6c74/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= | ||||
| golang.org/x/tools v0.0.0-20200207183749-b753a1ba74fa/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= | ||||
| golang.org/x/tools v0.0.0-20200212150539-ea181f53ac56/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= | ||||
| golang.org/x/tools v0.0.0-20200224181240-023911ca70b2/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= | ||||
| golang.org/x/tools v0.0.0-20200227222343-706bc42d1f0d/go.mod h1:TB2adYChydJhpapKDTa4BR/hXlZSLoq2Wpct/0txZ28= | ||||
| golang.org/x/tools v0.0.0-20200304193943-95d2e580d8eb/go.mod h1:o4KQGtdN14AW+yjsvvwRTJJuXz8XRtIHtEnmAXLyFUw= | ||||
| golang.org/x/tools v0.0.0-20200312045724-11d5b4c81c7d/go.mod h1:o4KQGtdN14AW+yjsvvwRTJJuXz8XRtIHtEnmAXLyFUw= | ||||
| golang.org/x/tools v0.0.0-20200331025713-a30bf2db82d4/go.mod h1:Sl4aGygMT6LrqrWclx+PTx3U+LnKx/seiNR+3G19Ar8= | ||||
| golang.org/x/tools v0.0.0-20200501065659-ab2804fb9c9d/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= | ||||
| golang.org/x/tools v0.0.0-20200512131952-2bc93b1c0c88/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= | ||||
| golang.org/x/tools v0.0.0-20200515010526-7d3b6ebf133d/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= | ||||
| golang.org/x/tools v0.0.0-20200618134242-20370b0cb4b2/go.mod h1:EkVYQZoAsY45+roYkvgYkIh4xh/qjgUK9TdY2XT94GE= | ||||
| golang.org/x/tools v0.0.0-20200729194436-6467de6f59a7/go.mod h1:njjCfa9FT2d7l9Bc6FUM5FLjQPp3cFF28FI3qnDFljA= | ||||
| golang.org/x/tools v0.0.0-20200804011535-6c149bb5ef0d/go.mod h1:njjCfa9FT2d7l9Bc6FUM5FLjQPp3cFF28FI3qnDFljA= | ||||
| golang.org/x/tools v0.0.0-20200825202427-b303f430e36d/go.mod h1:njjCfa9FT2d7l9Bc6FUM5FLjQPp3cFF28FI3qnDFljA= | ||||
| golang.org/x/xerrors v0.0.0-20190717185122-a985d3407aa7/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= | ||||
| golang.org/x/xerrors v0.0.0-20191011141410-1b5146add898/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= | ||||
| golang.org/x/xerrors v0.0.0-20191204190536-9bdfabe68543/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= | ||||
| golang.org/x/xerrors v0.0.0-20200804184101-5ec99f83aff1 h1:go1bK/D/BFZV2I8cIQd1NKEZ+0owSTG1fDTci4IqFcE= | ||||
| golang.org/x/xerrors v0.0.0-20200804184101-5ec99f83aff1/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= | ||||
| google.golang.org/api v0.4.0/go.mod h1:8k5glujaEP+g9n7WNsDg8QP6cUVNI86fCNMcbazEtwE= | ||||
| google.golang.org/api v0.7.0/go.mod h1:WtwebWUNSVBH/HAw79HIFXZNqEvBhG+Ra+ax0hx3E3M= | ||||
| google.golang.org/api v0.8.0/go.mod h1:o4eAsZoiT+ibD93RtjEohWalFOjRDx6CVaqeizhEnKg= | ||||
| google.golang.org/api v0.9.0/go.mod h1:o4eAsZoiT+ibD93RtjEohWalFOjRDx6CVaqeizhEnKg= | ||||
| google.golang.org/api v0.13.0/go.mod h1:iLdEw5Ide6rF15KTC1Kkl0iskquN2gFfn9o9XIsbkAI= | ||||
| google.golang.org/api v0.14.0/go.mod h1:iLdEw5Ide6rF15KTC1Kkl0iskquN2gFfn9o9XIsbkAI= | ||||
| google.golang.org/api v0.15.0/go.mod h1:iLdEw5Ide6rF15KTC1Kkl0iskquN2gFfn9o9XIsbkAI= | ||||
| google.golang.org/api v0.17.0/go.mod h1:BwFmGc8tA3vsd7r/7kR8DY7iEEGSU04BFxCo5jP/sfE= | ||||
| google.golang.org/api v0.18.0/go.mod h1:BwFmGc8tA3vsd7r/7kR8DY7iEEGSU04BFxCo5jP/sfE= | ||||
| google.golang.org/api v0.19.0/go.mod h1:BwFmGc8tA3vsd7r/7kR8DY7iEEGSU04BFxCo5jP/sfE= | ||||
| google.golang.org/api v0.20.0/go.mod h1:BwFmGc8tA3vsd7r/7kR8DY7iEEGSU04BFxCo5jP/sfE= | ||||
| google.golang.org/api v0.22.0/go.mod h1:BwFmGc8tA3vsd7r/7kR8DY7iEEGSU04BFxCo5jP/sfE= | ||||
| google.golang.org/api v0.24.0/go.mod h1:lIXQywCXRcnZPGlsd8NbLnOjtAoL6em04bJ9+z0MncE= | ||||
| google.golang.org/api v0.28.0/go.mod h1:lIXQywCXRcnZPGlsd8NbLnOjtAoL6em04bJ9+z0MncE= | ||||
| google.golang.org/api v0.29.0/go.mod h1:Lcubydp8VUV7KeIHD9z2Bys/sm/vGKnG1UHuDBSrHWM= | ||||
| google.golang.org/api v0.30.0/go.mod h1:QGmEvQ87FHZNiUVJkT14jQNYJ4ZJjdRF23ZXz5138Fc= | ||||
| google.golang.org/appengine v1.1.0/go.mod h1:EbEs0AVv82hx2wNQdGPgUI5lhzA/G0D9YwlJXL52JkM= | ||||
| google.golang.org/appengine v1.4.0/go.mod h1:xpcJRLb0r/rnEns0DIKYYv+WjYCduHsrkT7/EB5XEv4= | ||||
| google.golang.org/appengine v1.5.0/go.mod h1:xpcJRLb0r/rnEns0DIKYYv+WjYCduHsrkT7/EB5XEv4= | ||||
| google.golang.org/appengine v1.6.1/go.mod h1:i06prIuMbXzDqacNJfV5OdTW448YApPu5ww/cMBSeb0= | ||||
| google.golang.org/appengine v1.6.5/go.mod h1:8WjMMxjGQR8xUklV/ARdw2HLXBOI7O7uCIDZVag1xfc= | ||||
| google.golang.org/appengine v1.6.6 h1:lMO5rYAqUxkmaj76jAkRUvt5JZgFymx/+Q5Mzfivuhc= | ||||
| google.golang.org/appengine v1.6.6/go.mod h1:8WjMMxjGQR8xUklV/ARdw2HLXBOI7O7uCIDZVag1xfc= | ||||
| google.golang.org/genproto v0.0.0-20180817151627-c66870c02cf8/go.mod h1:JiN7NxoALGmiZfu7CAH4rXhgtRTLTxftemlI0sWmxmc= | ||||
| google.golang.org/genproto v0.0.0-20190307195333-5fe7a883aa19/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= | ||||
| google.golang.org/genproto v0.0.0-20190418145605-e7d98fc518a7/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= | ||||
| google.golang.org/genproto v0.0.0-20190425155659-357c62f0e4bb/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= | ||||
| google.golang.org/genproto v0.0.0-20190502173448-54afdca5d873/go.mod h1:VzzqZJRnGkLBvHegQrXjBqPurQTc5/KpmUdxsrq26oE= | ||||
| google.golang.org/genproto v0.0.0-20190801165951-fa694d86fc64/go.mod h1:DMBHOl98Agz4BDEuKkezgsaosCRResVns1a3J2ZsMNc= | ||||
| google.golang.org/genproto v0.0.0-20190819201941-24fa4b261c55/go.mod h1:DMBHOl98Agz4BDEuKkezgsaosCRResVns1a3J2ZsMNc= | ||||
| google.golang.org/genproto v0.0.0-20190911173649-1774047e7e51/go.mod h1:IbNlFCBrqXvoKpeg0TB2l7cyZUmoaFKYIwrEpbDKLA8= | ||||
| google.golang.org/genproto v0.0.0-20191108220845-16a3f7862a1a/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= | ||||
| google.golang.org/genproto v0.0.0-20191115194625-c23dd37a84c9/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= | ||||
| google.golang.org/genproto v0.0.0-20191216164720-4f79533eabd1/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= | ||||
| google.golang.org/genproto v0.0.0-20191230161307-f3c370f40bfb/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= | ||||
| google.golang.org/genproto v0.0.0-20200115191322-ca5a22157cba/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= | ||||
| google.golang.org/genproto v0.0.0-20200122232147-0452cf42e150/go.mod h1:n3cpQtvxv34hfy77yVDNjmbRyujviMdxYliBSkLhpCc= | ||||
| google.golang.org/genproto v0.0.0-20200204135345-fa8e72b47b90/go.mod h1:GmwEX6Z4W5gMy59cAlVYjN9JhxgbQH6Gn+gFDQe2lzA= | ||||
| google.golang.org/genproto v0.0.0-20200212174721-66ed5ce911ce/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= | ||||
| google.golang.org/genproto v0.0.0-20200224152610-e50cd9704f63/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= | ||||
| google.golang.org/genproto v0.0.0-20200228133532-8c2c7df3a383/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= | ||||
| google.golang.org/genproto v0.0.0-20200305110556-506484158171/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= | ||||
| google.golang.org/genproto v0.0.0-20200312145019-da6875a35672/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= | ||||
| google.golang.org/genproto v0.0.0-20200331122359-1ee6d9798940/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= | ||||
| google.golang.org/genproto v0.0.0-20200430143042-b979b6f78d84/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= | ||||
| google.golang.org/genproto v0.0.0-20200511104702-f5ebc3bea380/go.mod h1:55QSHmfGQM9UVYDPBsyGGes0y52j32PQ3BqQfXhyH3c= | ||||
| google.golang.org/genproto v0.0.0-20200515170657-fc4c6c6a6587/go.mod h1:YsZOwe1myG/8QRHRsmBRE1LrgQY60beZKjly0O1fX9U= | ||||
| google.golang.org/genproto v0.0.0-20200526211855-cb27e3aa2013/go.mod h1:NbSheEEYHJ7i3ixzK3sjbqSGDJWnxyFXZblF3eUsNvo= | ||||
| google.golang.org/genproto v0.0.0-20200618031413-b414f8b61790/go.mod h1:jDfRM7FcilCzHH/e9qn6dsT145K34l5v+OpcnNgKAAA= | ||||
| google.golang.org/genproto v0.0.0-20200729003335-053ba62fc06f/go.mod h1:FWY/as6DDZQgahTzZj3fqbO1CbirC29ZNUFHwi0/+no= | ||||
| google.golang.org/genproto v0.0.0-20200804131852-c06518451d9c/go.mod h1:FWY/as6DDZQgahTzZj3fqbO1CbirC29ZNUFHwi0/+no= | ||||
| google.golang.org/genproto v0.0.0-20200825200019-8632dd797987/go.mod h1:FWY/as6DDZQgahTzZj3fqbO1CbirC29ZNUFHwi0/+no= | ||||
| google.golang.org/grpc v1.19.0/go.mod h1:mqu4LbDTu4XGKhr4mRzUsmM4RtVoemTSY81AxZiDr8c= | ||||
| google.golang.org/grpc v1.20.1/go.mod h1:10oTOabMzJvdu6/UiuZezV6QK5dSlG84ov/aaiqXj38= | ||||
| google.golang.org/grpc v1.21.1/go.mod h1:oYelfM1adQP15Ek0mdvEgi9Df8B9CZIaU1084ijfRaM= | ||||
| google.golang.org/grpc v1.23.0/go.mod h1:Y5yQAOtifL1yxbo5wqy6BxZv8vAUGQwXBOALyacEbxg= | ||||
| google.golang.org/grpc v1.25.1/go.mod h1:c3i+UQWmh7LiEpx4sFZnkU36qjEYZ0imhYfXVyQciAY= | ||||
| google.golang.org/grpc v1.26.0/go.mod h1:qbnxyOmOxrQa7FizSgH+ReBfzJrCY1pSN7KXBS8abTk= | ||||
| google.golang.org/grpc v1.27.0/go.mod h1:qbnxyOmOxrQa7FizSgH+ReBfzJrCY1pSN7KXBS8abTk= | ||||
| google.golang.org/grpc v1.27.1/go.mod h1:qbnxyOmOxrQa7FizSgH+ReBfzJrCY1pSN7KXBS8abTk= | ||||
| google.golang.org/grpc v1.28.0/go.mod h1:rpkK4SK4GF4Ach/+MFLZUBavHOvF2JJB5uozKKal+60= | ||||
| google.golang.org/grpc v1.29.1/go.mod h1:itym6AZVZYACWQqET3MqgPpjcuV5QH3BxFS3IjizoKk= | ||||
| google.golang.org/grpc v1.30.0/go.mod h1:N36X2cJ7JwdamYAgDz+s+rVMFjt3numwzf/HckM8pak= | ||||
| google.golang.org/grpc v1.31.0/go.mod h1:N36X2cJ7JwdamYAgDz+s+rVMFjt3numwzf/HckM8pak= | ||||
| google.golang.org/protobuf v0.0.0-20200109180630-ec00e32a8dfd/go.mod h1:DFci5gLYBciE7Vtevhsrf46CRTquxDuWsQurQQe4oz8= | ||||
| google.golang.org/protobuf v0.0.0-20200221191635-4d8936d0db64/go.mod h1:kwYJMbMJ01Woi6D6+Kah6886xMZcty6N08ah7+eCXa0= | ||||
| google.golang.org/protobuf v0.0.0-20200228230310-ab0ca4ff8a60/go.mod h1:cfTl7dwQJ+fmap5saPgwCLgHXTUD7jkjRqWcaiX5VyM= | ||||
| google.golang.org/protobuf v1.20.1-0.20200309200217-e05f789c0967/go.mod h1:A+miEFZTKqfCUM6K7xSMQL9OKL/b6hQv+e19PK+JZNE= | ||||
| google.golang.org/protobuf v1.21.0/go.mod h1:47Nbq4nVaFHyn7ilMalzfO3qCViNmqZ2kzikPIcrTAo= | ||||
| google.golang.org/protobuf v1.22.0/go.mod h1:EGpADcykh3NcUnDUJcl1+ZksZNG86OlYog2l/sGQquU= | ||||
| google.golang.org/protobuf v1.23.0/go.mod h1:EGpADcykh3NcUnDUJcl1+ZksZNG86OlYog2l/sGQquU= | ||||
| google.golang.org/protobuf v1.23.1-0.20200526195155-81db48ad09cc/go.mod h1:EGpADcykh3NcUnDUJcl1+ZksZNG86OlYog2l/sGQquU= | ||||
| google.golang.org/protobuf v1.24.0/go.mod h1:r/3tXBNzIEhYS9I1OUVjXDlt8tc493IdKGjtUeSXeh4= | ||||
| google.golang.org/protobuf v1.25.0 h1:Ejskq+SyPohKW+1uil0JJMtmHCgJPJ/qWTxr8qp+R4c= | ||||
| google.golang.org/protobuf v1.25.0/go.mod h1:9JNX74DMeImyA3h4bdi1ymwjUzf21/xIlbajtzgsN7c= | ||||
| gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= | ||||
| gopkg.in/check.v1 v1.0.0-20180628173108-788fd7840127/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= | ||||
| gopkg.in/errgo.v2 v2.1.0/go.mod h1:hNsd1EY+bozCKY1Ytp96fpM3vjJbqLJn88ws8XvfDNI= | ||||
| gopkg.in/yaml.v2 v2.2.2/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= | ||||
| honnef.co/go/tools v0.0.0-20190102054323-c2f93a96b099/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= | ||||
| honnef.co/go/tools v0.0.0-20190106161140-3f1c8253044a/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= | ||||
| honnef.co/go/tools v0.0.0-20190418001031-e561f6794a2a/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= | ||||
| honnef.co/go/tools v0.0.0-20190523083050-ea95bdfd59fc/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= | ||||
| honnef.co/go/tools v0.0.1-2019.2.3/go.mod h1:a3bituU0lyd329TUQxRnasdCoJDkEUEAqEt0JzvZhAg= | ||||
| honnef.co/go/tools v0.0.1-2020.1.3/go.mod h1:X/FiERA/W4tHapMX5mGpAtMSVEeEUOyHaw9vFzvIQ3k= | ||||
| honnef.co/go/tools v0.0.1-2020.1.4/go.mod h1:X/FiERA/W4tHapMX5mGpAtMSVEeEUOyHaw9vFzvIQ3k= | ||||
| rsc.io/binaryregexp v0.2.0/go.mod h1:qTv7/COck+e2FymRvadv62gMdZztPaShugOCi3I+8D8= | ||||
| rsc.io/quote/v3 v3.1.0/go.mod h1:yEA65RcK8LyAZtP9Kv3t0HmxON59tX3rD+tICJqUlj0= | ||||
| rsc.io/sampler v1.3.0/go.mod h1:T1hPZKmBbMNahiBKFy5HrXp6adAjACjK9JXDnKaTXpA= | ||||
							
								
								
									
										38
									
								
								vendor/golang.org/x/oauth2/google/appengine.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										38
									
								
								vendor/golang.org/x/oauth2/google/appengine.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,38 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package google | ||||
|  | ||||
| import ( | ||||
| 	"context" | ||||
| 	"time" | ||||
|  | ||||
| 	"golang.org/x/oauth2" | ||||
| ) | ||||
|  | ||||
| // Set at init time by appengine_gen1.go. If nil, we're not on App Engine standard first generation (<= Go 1.9) or App Engine flexible. | ||||
| var appengineTokenFunc func(c context.Context, scopes ...string) (token string, expiry time.Time, err error) | ||||
|  | ||||
| // Set at init time by appengine_gen1.go. If nil, we're not on App Engine standard first generation (<= Go 1.9) or App Engine flexible. | ||||
| var appengineAppIDFunc func(c context.Context) string | ||||
|  | ||||
| // AppEngineTokenSource returns a token source that fetches tokens from either | ||||
| // the current application's service account or from the metadata server, | ||||
| // depending on the App Engine environment. See below for environment-specific | ||||
| // details. If you are implementing a 3-legged OAuth 2.0 flow on App Engine that | ||||
| // involves user accounts, see oauth2.Config instead. | ||||
| // | ||||
| // First generation App Engine runtimes (<= Go 1.9): | ||||
| // AppEngineTokenSource returns a token source that fetches tokens issued to the | ||||
| // current App Engine application's service account. The provided context must have | ||||
| // come from appengine.NewContext. | ||||
| // | ||||
| // Second generation App Engine runtimes (>= Go 1.11) and App Engine flexible: | ||||
| // AppEngineTokenSource is DEPRECATED on second generation runtimes and on the | ||||
| // flexible environment. It delegates to ComputeTokenSource, and the provided | ||||
| // context and scopes are not used. Please use DefaultTokenSource (or ComputeTokenSource, | ||||
| // which DefaultTokenSource will use in this case) instead. | ||||
| func AppEngineTokenSource(ctx context.Context, scope ...string) oauth2.TokenSource { | ||||
| 	return appEngineTokenSource(ctx, scope...) | ||||
| } | ||||
							
								
								
									
										77
									
								
								vendor/golang.org/x/oauth2/google/appengine_gen1.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										77
									
								
								vendor/golang.org/x/oauth2/google/appengine_gen1.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,77 +0,0 @@ | ||||
| // Copyright 2018 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // +build appengine | ||||
|  | ||||
| // This file applies to App Engine first generation runtimes (<= Go 1.9). | ||||
|  | ||||
| package google | ||||
|  | ||||
| import ( | ||||
| 	"context" | ||||
| 	"sort" | ||||
| 	"strings" | ||||
| 	"sync" | ||||
|  | ||||
| 	"golang.org/x/oauth2" | ||||
| 	"google.golang.org/appengine" | ||||
| ) | ||||
|  | ||||
| func init() { | ||||
| 	appengineTokenFunc = appengine.AccessToken | ||||
| 	appengineAppIDFunc = appengine.AppID | ||||
| } | ||||
|  | ||||
| // See comment on AppEngineTokenSource in appengine.go. | ||||
| func appEngineTokenSource(ctx context.Context, scope ...string) oauth2.TokenSource { | ||||
| 	scopes := append([]string{}, scope...) | ||||
| 	sort.Strings(scopes) | ||||
| 	return &gaeTokenSource{ | ||||
| 		ctx:    ctx, | ||||
| 		scopes: scopes, | ||||
| 		key:    strings.Join(scopes, " "), | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // aeTokens helps the fetched tokens to be reused until their expiration. | ||||
| var ( | ||||
| 	aeTokensMu sync.Mutex | ||||
| 	aeTokens   = make(map[string]*tokenLock) // key is space-separated scopes | ||||
| ) | ||||
|  | ||||
| type tokenLock struct { | ||||
| 	mu sync.Mutex // guards t; held while fetching or updating t | ||||
| 	t  *oauth2.Token | ||||
| } | ||||
|  | ||||
| type gaeTokenSource struct { | ||||
| 	ctx    context.Context | ||||
| 	scopes []string | ||||
| 	key    string // to aeTokens map; space-separated scopes | ||||
| } | ||||
|  | ||||
| func (ts *gaeTokenSource) Token() (*oauth2.Token, error) { | ||||
| 	aeTokensMu.Lock() | ||||
| 	tok, ok := aeTokens[ts.key] | ||||
| 	if !ok { | ||||
| 		tok = &tokenLock{} | ||||
| 		aeTokens[ts.key] = tok | ||||
| 	} | ||||
| 	aeTokensMu.Unlock() | ||||
|  | ||||
| 	tok.mu.Lock() | ||||
| 	defer tok.mu.Unlock() | ||||
| 	if tok.t.Valid() { | ||||
| 		return tok.t, nil | ||||
| 	} | ||||
| 	access, exp, err := appengineTokenFunc(ts.ctx, ts.scopes...) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	tok.t = &oauth2.Token{ | ||||
| 		AccessToken: access, | ||||
| 		Expiry:      exp, | ||||
| 	} | ||||
| 	return tok.t, nil | ||||
| } | ||||
							
								
								
									
										27
									
								
								vendor/golang.org/x/oauth2/google/appengine_gen2_flex.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										27
									
								
								vendor/golang.org/x/oauth2/google/appengine_gen2_flex.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,27 +0,0 @@ | ||||
| // Copyright 2018 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // +build !appengine | ||||
|  | ||||
| // This file applies to App Engine second generation runtimes (>= Go 1.11) and App Engine flexible. | ||||
|  | ||||
| package google | ||||
|  | ||||
| import ( | ||||
| 	"context" | ||||
| 	"log" | ||||
| 	"sync" | ||||
|  | ||||
| 	"golang.org/x/oauth2" | ||||
| ) | ||||
|  | ||||
| var logOnce sync.Once // only spam about deprecation once | ||||
|  | ||||
| // See comment on AppEngineTokenSource in appengine.go. | ||||
| func appEngineTokenSource(ctx context.Context, scope ...string) oauth2.TokenSource { | ||||
| 	logOnce.Do(func() { | ||||
| 		log.Print("google: AppEngineTokenSource is deprecated on App Engine standard second generation runtimes (>= Go 1.11) and App Engine flexible. Please use DefaultTokenSource or ComputeTokenSource.") | ||||
| 	}) | ||||
| 	return ComputeTokenSource("") | ||||
| } | ||||
							
								
								
									
										154
									
								
								vendor/golang.org/x/oauth2/google/default.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										154
									
								
								vendor/golang.org/x/oauth2/google/default.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,154 +0,0 @@ | ||||
| // Copyright 2015 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package google | ||||
|  | ||||
| import ( | ||||
| 	"context" | ||||
| 	"encoding/json" | ||||
| 	"fmt" | ||||
| 	"io/ioutil" | ||||
| 	"net/http" | ||||
| 	"os" | ||||
| 	"path/filepath" | ||||
| 	"runtime" | ||||
|  | ||||
| 	"cloud.google.com/go/compute/metadata" | ||||
| 	"golang.org/x/oauth2" | ||||
| ) | ||||
|  | ||||
| // Credentials holds Google credentials, including "Application Default Credentials". | ||||
| // For more details, see: | ||||
| // https://developers.google.com/accounts/docs/application-default-credentials | ||||
| type Credentials struct { | ||||
| 	ProjectID   string // may be empty | ||||
| 	TokenSource oauth2.TokenSource | ||||
|  | ||||
| 	// JSON contains the raw bytes from a JSON credentials file. | ||||
| 	// This field may be nil if authentication is provided by the | ||||
| 	// environment and not with a credentials file, e.g. when code is | ||||
| 	// running on Google Cloud Platform. | ||||
| 	JSON []byte | ||||
| } | ||||
|  | ||||
| // DefaultCredentials is the old name of Credentials. | ||||
| // | ||||
| // Deprecated: use Credentials instead. | ||||
| type DefaultCredentials = Credentials | ||||
|  | ||||
| // DefaultClient returns an HTTP Client that uses the | ||||
| // DefaultTokenSource to obtain authentication credentials. | ||||
| func DefaultClient(ctx context.Context, scope ...string) (*http.Client, error) { | ||||
| 	ts, err := DefaultTokenSource(ctx, scope...) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	return oauth2.NewClient(ctx, ts), nil | ||||
| } | ||||
|  | ||||
| // DefaultTokenSource returns the token source for | ||||
| // "Application Default Credentials". | ||||
| // It is a shortcut for FindDefaultCredentials(ctx, scope).TokenSource. | ||||
| func DefaultTokenSource(ctx context.Context, scope ...string) (oauth2.TokenSource, error) { | ||||
| 	creds, err := FindDefaultCredentials(ctx, scope...) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	return creds.TokenSource, nil | ||||
| } | ||||
|  | ||||
| // FindDefaultCredentials searches for "Application Default Credentials". | ||||
| // | ||||
| // It looks for credentials in the following places, | ||||
| // preferring the first location found: | ||||
| // | ||||
| //   1. A JSON file whose path is specified by the | ||||
| //      GOOGLE_APPLICATION_CREDENTIALS environment variable. | ||||
| //   2. A JSON file in a location known to the gcloud command-line tool. | ||||
| //      On Windows, this is %APPDATA%/gcloud/application_default_credentials.json. | ||||
| //      On other systems, $HOME/.config/gcloud/application_default_credentials.json. | ||||
| //   3. On Google App Engine standard first generation runtimes (<= Go 1.9) it uses | ||||
| //      the appengine.AccessToken function. | ||||
| //   4. On Google Compute Engine, Google App Engine standard second generation runtimes | ||||
| //      (>= Go 1.11), and Google App Engine flexible environment, it fetches | ||||
| //      credentials from the metadata server. | ||||
| func FindDefaultCredentials(ctx context.Context, scopes ...string) (*Credentials, error) { | ||||
| 	// First, try the environment variable. | ||||
| 	const envVar = "GOOGLE_APPLICATION_CREDENTIALS" | ||||
| 	if filename := os.Getenv(envVar); filename != "" { | ||||
| 		creds, err := readCredentialsFile(ctx, filename, scopes) | ||||
| 		if err != nil { | ||||
| 			return nil, fmt.Errorf("google: error getting credentials using %v environment variable: %v", envVar, err) | ||||
| 		} | ||||
| 		return creds, nil | ||||
| 	} | ||||
|  | ||||
| 	// Second, try a well-known file. | ||||
| 	filename := wellKnownFile() | ||||
| 	if creds, err := readCredentialsFile(ctx, filename, scopes); err == nil { | ||||
| 		return creds, nil | ||||
| 	} else if !os.IsNotExist(err) { | ||||
| 		return nil, fmt.Errorf("google: error getting credentials using well-known file (%v): %v", filename, err) | ||||
| 	} | ||||
|  | ||||
| 	// Third, if we're on a Google App Engine standard first generation runtime (<= Go 1.9) | ||||
| 	// use those credentials. App Engine standard second generation runtimes (>= Go 1.11) | ||||
| 	// and App Engine flexible use ComputeTokenSource and the metadata server. | ||||
| 	if appengineTokenFunc != nil { | ||||
| 		return &DefaultCredentials{ | ||||
| 			ProjectID:   appengineAppIDFunc(ctx), | ||||
| 			TokenSource: AppEngineTokenSource(ctx, scopes...), | ||||
| 		}, nil | ||||
| 	} | ||||
|  | ||||
| 	// Fourth, if we're on Google Compute Engine, an App Engine standard second generation runtime, | ||||
| 	// or App Engine flexible, use the metadata server. | ||||
| 	if metadata.OnGCE() { | ||||
| 		id, _ := metadata.ProjectID() | ||||
| 		return &DefaultCredentials{ | ||||
| 			ProjectID:   id, | ||||
| 			TokenSource: ComputeTokenSource("", scopes...), | ||||
| 		}, nil | ||||
| 	} | ||||
|  | ||||
| 	// None are found; return helpful error. | ||||
| 	const url = "https://developers.google.com/accounts/docs/application-default-credentials" | ||||
| 	return nil, fmt.Errorf("google: could not find default credentials. See %v for more information.", url) | ||||
| } | ||||
|  | ||||
| // CredentialsFromJSON obtains Google credentials from a JSON value. The JSON can | ||||
| // represent either a Google Developers Console client_credentials.json file (as in | ||||
| // ConfigFromJSON) or a Google Developers service account key file (as in | ||||
| // JWTConfigFromJSON). | ||||
| func CredentialsFromJSON(ctx context.Context, jsonData []byte, scopes ...string) (*Credentials, error) { | ||||
| 	var f credentialsFile | ||||
| 	if err := json.Unmarshal(jsonData, &f); err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	ts, err := f.tokenSource(ctx, append([]string(nil), scopes...)) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	return &DefaultCredentials{ | ||||
| 		ProjectID:   f.ProjectID, | ||||
| 		TokenSource: ts, | ||||
| 		JSON:        jsonData, | ||||
| 	}, nil | ||||
| } | ||||
|  | ||||
| func wellKnownFile() string { | ||||
| 	const f = "application_default_credentials.json" | ||||
| 	if runtime.GOOS == "windows" { | ||||
| 		return filepath.Join(os.Getenv("APPDATA"), "gcloud", f) | ||||
| 	} | ||||
| 	return filepath.Join(guessUnixHomeDir(), ".config", "gcloud", f) | ||||
| } | ||||
|  | ||||
| func readCredentialsFile(ctx context.Context, filename string, scopes []string) (*DefaultCredentials, error) { | ||||
| 	b, err := ioutil.ReadFile(filename) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	return CredentialsFromJSON(ctx, b, scopes...) | ||||
| } | ||||
							
								
								
									
										40
									
								
								vendor/golang.org/x/oauth2/google/doc.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										40
									
								
								vendor/golang.org/x/oauth2/google/doc.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,40 +0,0 @@ | ||||
| // Copyright 2018 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // Package google provides support for making OAuth2 authorized and authenticated | ||||
| // HTTP requests to Google APIs. It supports the Web server flow, client-side | ||||
| // credentials, service accounts, Google Compute Engine service accounts, and Google | ||||
| // App Engine service accounts. | ||||
| // | ||||
| // A brief overview of the package follows. For more information, please read | ||||
| // https://developers.google.com/accounts/docs/OAuth2 | ||||
| // and | ||||
| // https://developers.google.com/accounts/docs/application-default-credentials. | ||||
| // | ||||
| // OAuth2 Configs | ||||
| // | ||||
| // Two functions in this package return golang.org/x/oauth2.Config values from Google credential | ||||
| // data. Google supports two JSON formats for OAuth2 credentials: one is handled by ConfigFromJSON, | ||||
| // the other by JWTConfigFromJSON. The returned Config can be used to obtain a TokenSource or | ||||
| // create an http.Client. | ||||
| // | ||||
| // | ||||
| // Credentials | ||||
| // | ||||
| // The Credentials type represents Google credentials, including Application Default | ||||
| // Credentials. | ||||
| // | ||||
| // Use FindDefaultCredentials to obtain Application Default Credentials. | ||||
| // FindDefaultCredentials looks in some well-known places for a credentials file, and | ||||
| // will call AppEngineTokenSource or ComputeTokenSource as needed. | ||||
| // | ||||
| // DefaultClient and DefaultTokenSource are convenience methods. They first call FindDefaultCredentials, | ||||
| // then use the credentials to construct an http.Client or an oauth2.TokenSource. | ||||
| // | ||||
| // Use CredentialsFromJSON to obtain credentials from either of the two JSON formats | ||||
| // described in OAuth2 Configs, above. The TokenSource in the returned value is the | ||||
| // same as the one obtained from the oauth2.Config returned from ConfigFromJSON or | ||||
| // JWTConfigFromJSON, but the Credentials may contain additional information | ||||
| // that is useful is some circumstances. | ||||
| package google // import "golang.org/x/oauth2/google" | ||||
							
								
								
									
										209
									
								
								vendor/golang.org/x/oauth2/google/google.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										209
									
								
								vendor/golang.org/x/oauth2/google/google.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,209 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package google | ||||
|  | ||||
| import ( | ||||
| 	"context" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
| 	"net/url" | ||||
| 	"strings" | ||||
| 	"time" | ||||
|  | ||||
| 	"cloud.google.com/go/compute/metadata" | ||||
| 	"golang.org/x/oauth2" | ||||
| 	"golang.org/x/oauth2/jwt" | ||||
| ) | ||||
|  | ||||
| // Endpoint is Google's OAuth 2.0 endpoint. | ||||
| var Endpoint = oauth2.Endpoint{ | ||||
| 	AuthURL:   "https://accounts.google.com/o/oauth2/auth", | ||||
| 	TokenURL:  "https://oauth2.googleapis.com/token", | ||||
| 	AuthStyle: oauth2.AuthStyleInParams, | ||||
| } | ||||
|  | ||||
| // JWTTokenURL is Google's OAuth 2.0 token URL to use with the JWT flow. | ||||
| const JWTTokenURL = "https://oauth2.googleapis.com/token" | ||||
|  | ||||
| // ConfigFromJSON uses a Google Developers Console client_credentials.json | ||||
| // file to construct a config. | ||||
| // client_credentials.json can be downloaded from | ||||
| // https://console.developers.google.com, under "Credentials". Download the Web | ||||
| // application credentials in the JSON format and provide the contents of the | ||||
| // file as jsonKey. | ||||
| func ConfigFromJSON(jsonKey []byte, scope ...string) (*oauth2.Config, error) { | ||||
| 	type cred struct { | ||||
| 		ClientID     string   `json:"client_id"` | ||||
| 		ClientSecret string   `json:"client_secret"` | ||||
| 		RedirectURIs []string `json:"redirect_uris"` | ||||
| 		AuthURI      string   `json:"auth_uri"` | ||||
| 		TokenURI     string   `json:"token_uri"` | ||||
| 	} | ||||
| 	var j struct { | ||||
| 		Web       *cred `json:"web"` | ||||
| 		Installed *cred `json:"installed"` | ||||
| 	} | ||||
| 	if err := json.Unmarshal(jsonKey, &j); err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	var c *cred | ||||
| 	switch { | ||||
| 	case j.Web != nil: | ||||
| 		c = j.Web | ||||
| 	case j.Installed != nil: | ||||
| 		c = j.Installed | ||||
| 	default: | ||||
| 		return nil, fmt.Errorf("oauth2/google: no credentials found") | ||||
| 	} | ||||
| 	if len(c.RedirectURIs) < 1 { | ||||
| 		return nil, errors.New("oauth2/google: missing redirect URL in the client_credentials.json") | ||||
| 	} | ||||
| 	return &oauth2.Config{ | ||||
| 		ClientID:     c.ClientID, | ||||
| 		ClientSecret: c.ClientSecret, | ||||
| 		RedirectURL:  c.RedirectURIs[0], | ||||
| 		Scopes:       scope, | ||||
| 		Endpoint: oauth2.Endpoint{ | ||||
| 			AuthURL:  c.AuthURI, | ||||
| 			TokenURL: c.TokenURI, | ||||
| 		}, | ||||
| 	}, nil | ||||
| } | ||||
|  | ||||
| // JWTConfigFromJSON uses a Google Developers service account JSON key file to read | ||||
| // the credentials that authorize and authenticate the requests. | ||||
| // Create a service account on "Credentials" for your project at | ||||
| // https://console.developers.google.com to download a JSON key file. | ||||
| func JWTConfigFromJSON(jsonKey []byte, scope ...string) (*jwt.Config, error) { | ||||
| 	var f credentialsFile | ||||
| 	if err := json.Unmarshal(jsonKey, &f); err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	if f.Type != serviceAccountKey { | ||||
| 		return nil, fmt.Errorf("google: read JWT from JSON credentials: 'type' field is %q (expected %q)", f.Type, serviceAccountKey) | ||||
| 	} | ||||
| 	scope = append([]string(nil), scope...) // copy | ||||
| 	return f.jwtConfig(scope), nil | ||||
| } | ||||
|  | ||||
| // JSON key file types. | ||||
| const ( | ||||
| 	serviceAccountKey  = "service_account" | ||||
| 	userCredentialsKey = "authorized_user" | ||||
| ) | ||||
|  | ||||
| // credentialsFile is the unmarshalled representation of a credentials file. | ||||
| type credentialsFile struct { | ||||
| 	Type string `json:"type"` // serviceAccountKey or userCredentialsKey | ||||
|  | ||||
| 	// Service Account fields | ||||
| 	ClientEmail  string `json:"client_email"` | ||||
| 	PrivateKeyID string `json:"private_key_id"` | ||||
| 	PrivateKey   string `json:"private_key"` | ||||
| 	TokenURL     string `json:"token_uri"` | ||||
| 	ProjectID    string `json:"project_id"` | ||||
|  | ||||
| 	// User Credential fields | ||||
| 	// (These typically come from gcloud auth.) | ||||
| 	ClientSecret string `json:"client_secret"` | ||||
| 	ClientID     string `json:"client_id"` | ||||
| 	RefreshToken string `json:"refresh_token"` | ||||
| } | ||||
|  | ||||
| func (f *credentialsFile) jwtConfig(scopes []string) *jwt.Config { | ||||
| 	cfg := &jwt.Config{ | ||||
| 		Email:        f.ClientEmail, | ||||
| 		PrivateKey:   []byte(f.PrivateKey), | ||||
| 		PrivateKeyID: f.PrivateKeyID, | ||||
| 		Scopes:       scopes, | ||||
| 		TokenURL:     f.TokenURL, | ||||
| 	} | ||||
| 	if cfg.TokenURL == "" { | ||||
| 		cfg.TokenURL = JWTTokenURL | ||||
| 	} | ||||
| 	return cfg | ||||
| } | ||||
|  | ||||
| func (f *credentialsFile) tokenSource(ctx context.Context, scopes []string) (oauth2.TokenSource, error) { | ||||
| 	switch f.Type { | ||||
| 	case serviceAccountKey: | ||||
| 		cfg := f.jwtConfig(scopes) | ||||
| 		return cfg.TokenSource(ctx), nil | ||||
| 	case userCredentialsKey: | ||||
| 		cfg := &oauth2.Config{ | ||||
| 			ClientID:     f.ClientID, | ||||
| 			ClientSecret: f.ClientSecret, | ||||
| 			Scopes:       scopes, | ||||
| 			Endpoint:     Endpoint, | ||||
| 		} | ||||
| 		tok := &oauth2.Token{RefreshToken: f.RefreshToken} | ||||
| 		return cfg.TokenSource(ctx, tok), nil | ||||
| 	case "": | ||||
| 		return nil, errors.New("missing 'type' field in credentials") | ||||
| 	default: | ||||
| 		return nil, fmt.Errorf("unknown credential type: %q", f.Type) | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // ComputeTokenSource returns a token source that fetches access tokens | ||||
| // from Google Compute Engine (GCE)'s metadata server. It's only valid to use | ||||
| // this token source if your program is running on a GCE instance. | ||||
| // If no account is specified, "default" is used. | ||||
| // If no scopes are specified, a set of default scopes are automatically granted. | ||||
| // Further information about retrieving access tokens from the GCE metadata | ||||
| // server can be found at https://cloud.google.com/compute/docs/authentication. | ||||
| func ComputeTokenSource(account string, scope ...string) oauth2.TokenSource { | ||||
| 	return oauth2.ReuseTokenSource(nil, computeSource{account: account, scopes: scope}) | ||||
| } | ||||
|  | ||||
| type computeSource struct { | ||||
| 	account string | ||||
| 	scopes  []string | ||||
| } | ||||
|  | ||||
| func (cs computeSource) Token() (*oauth2.Token, error) { | ||||
| 	if !metadata.OnGCE() { | ||||
| 		return nil, errors.New("oauth2/google: can't get a token from the metadata service; not running on GCE") | ||||
| 	} | ||||
| 	acct := cs.account | ||||
| 	if acct == "" { | ||||
| 		acct = "default" | ||||
| 	} | ||||
| 	tokenURI := "instance/service-accounts/" + acct + "/token" | ||||
| 	if len(cs.scopes) > 0 { | ||||
| 		v := url.Values{} | ||||
| 		v.Set("scopes", strings.Join(cs.scopes, ",")) | ||||
| 		tokenURI = tokenURI + "?" + v.Encode() | ||||
| 	} | ||||
| 	tokenJSON, err := metadata.Get(tokenURI) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	var res struct { | ||||
| 		AccessToken  string `json:"access_token"` | ||||
| 		ExpiresInSec int    `json:"expires_in"` | ||||
| 		TokenType    string `json:"token_type"` | ||||
| 	} | ||||
| 	err = json.NewDecoder(strings.NewReader(tokenJSON)).Decode(&res) | ||||
| 	if err != nil { | ||||
| 		return nil, fmt.Errorf("oauth2/google: invalid token JSON from metadata: %v", err) | ||||
| 	} | ||||
| 	if res.ExpiresInSec == 0 || res.AccessToken == "" { | ||||
| 		return nil, fmt.Errorf("oauth2/google: incomplete token received from metadata") | ||||
| 	} | ||||
| 	tok := &oauth2.Token{ | ||||
| 		AccessToken: res.AccessToken, | ||||
| 		TokenType:   res.TokenType, | ||||
| 		Expiry:      time.Now().Add(time.Duration(res.ExpiresInSec) * time.Second), | ||||
| 	} | ||||
| 	// NOTE(cbro): add hidden metadata about where the token is from. | ||||
| 	// This is needed for detection by client libraries to know that credentials come from the metadata server. | ||||
| 	// This may be removed in a future version of this library. | ||||
| 	return tok.WithExtra(map[string]interface{}{ | ||||
| 		"oauth2.google.tokenSource":    "compute-metadata", | ||||
| 		"oauth2.google.serviceAccount": acct, | ||||
| 	}), nil | ||||
| } | ||||
							
								
								
									
										74
									
								
								vendor/golang.org/x/oauth2/google/jwt.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										74
									
								
								vendor/golang.org/x/oauth2/google/jwt.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,74 +0,0 @@ | ||||
| // Copyright 2015 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package google | ||||
|  | ||||
| import ( | ||||
| 	"crypto/rsa" | ||||
| 	"fmt" | ||||
| 	"time" | ||||
|  | ||||
| 	"golang.org/x/oauth2" | ||||
| 	"golang.org/x/oauth2/internal" | ||||
| 	"golang.org/x/oauth2/jws" | ||||
| ) | ||||
|  | ||||
| // JWTAccessTokenSourceFromJSON uses a Google Developers service account JSON | ||||
| // key file to read the credentials that authorize and authenticate the | ||||
| // requests, and returns a TokenSource that does not use any OAuth2 flow but | ||||
| // instead creates a JWT and sends that as the access token. | ||||
| // The audience is typically a URL that specifies the scope of the credentials. | ||||
| // | ||||
| // Note that this is not a standard OAuth flow, but rather an | ||||
| // optimization supported by a few Google services. | ||||
| // Unless you know otherwise, you should use JWTConfigFromJSON instead. | ||||
| func JWTAccessTokenSourceFromJSON(jsonKey []byte, audience string) (oauth2.TokenSource, error) { | ||||
| 	cfg, err := JWTConfigFromJSON(jsonKey) | ||||
| 	if err != nil { | ||||
| 		return nil, fmt.Errorf("google: could not parse JSON key: %v", err) | ||||
| 	} | ||||
| 	pk, err := internal.ParseKey(cfg.PrivateKey) | ||||
| 	if err != nil { | ||||
| 		return nil, fmt.Errorf("google: could not parse key: %v", err) | ||||
| 	} | ||||
| 	ts := &jwtAccessTokenSource{ | ||||
| 		email:    cfg.Email, | ||||
| 		audience: audience, | ||||
| 		pk:       pk, | ||||
| 		pkID:     cfg.PrivateKeyID, | ||||
| 	} | ||||
| 	tok, err := ts.Token() | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	return oauth2.ReuseTokenSource(tok, ts), nil | ||||
| } | ||||
|  | ||||
| type jwtAccessTokenSource struct { | ||||
| 	email, audience string | ||||
| 	pk              *rsa.PrivateKey | ||||
| 	pkID            string | ||||
| } | ||||
|  | ||||
| func (ts *jwtAccessTokenSource) Token() (*oauth2.Token, error) { | ||||
| 	iat := time.Now() | ||||
| 	exp := iat.Add(time.Hour) | ||||
| 	cs := &jws.ClaimSet{ | ||||
| 		Iss: ts.email, | ||||
| 		Sub: ts.email, | ||||
| 		Aud: ts.audience, | ||||
| 		Iat: iat.Unix(), | ||||
| 		Exp: exp.Unix(), | ||||
| 	} | ||||
| 	hdr := &jws.Header{ | ||||
| 		Algorithm: "RS256", | ||||
| 		Typ:       "JWT", | ||||
| 		KeyID:     string(ts.pkID), | ||||
| 	} | ||||
| 	msg, err := jws.Encode(hdr, cs, ts.pk) | ||||
| 	if err != nil { | ||||
| 		return nil, fmt.Errorf("google: could not encode JWT: %v", err) | ||||
| 	} | ||||
| 	return &oauth2.Token{AccessToken: msg, TokenType: "Bearer", Expiry: exp}, nil | ||||
| } | ||||
							
								
								
									
										201
									
								
								vendor/golang.org/x/oauth2/google/sdk.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										201
									
								
								vendor/golang.org/x/oauth2/google/sdk.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,201 +0,0 @@ | ||||
| // Copyright 2015 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package google | ||||
|  | ||||
| import ( | ||||
| 	"bufio" | ||||
| 	"context" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
| 	"io" | ||||
| 	"net/http" | ||||
| 	"os" | ||||
| 	"os/user" | ||||
| 	"path/filepath" | ||||
| 	"runtime" | ||||
| 	"strings" | ||||
| 	"time" | ||||
|  | ||||
| 	"golang.org/x/oauth2" | ||||
| ) | ||||
|  | ||||
| type sdkCredentials struct { | ||||
| 	Data []struct { | ||||
| 		Credential struct { | ||||
| 			ClientID     string     `json:"client_id"` | ||||
| 			ClientSecret string     `json:"client_secret"` | ||||
| 			AccessToken  string     `json:"access_token"` | ||||
| 			RefreshToken string     `json:"refresh_token"` | ||||
| 			TokenExpiry  *time.Time `json:"token_expiry"` | ||||
| 		} `json:"credential"` | ||||
| 		Key struct { | ||||
| 			Account string `json:"account"` | ||||
| 			Scope   string `json:"scope"` | ||||
| 		} `json:"key"` | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // An SDKConfig provides access to tokens from an account already | ||||
| // authorized via the Google Cloud SDK. | ||||
| type SDKConfig struct { | ||||
| 	conf         oauth2.Config | ||||
| 	initialToken *oauth2.Token | ||||
| } | ||||
|  | ||||
| // NewSDKConfig creates an SDKConfig for the given Google Cloud SDK | ||||
| // account. If account is empty, the account currently active in | ||||
| // Google Cloud SDK properties is used. | ||||
| // Google Cloud SDK credentials must be created by running `gcloud auth` | ||||
| // before using this function. | ||||
| // The Google Cloud SDK is available at https://cloud.google.com/sdk/. | ||||
| func NewSDKConfig(account string) (*SDKConfig, error) { | ||||
| 	configPath, err := sdkConfigPath() | ||||
| 	if err != nil { | ||||
| 		return nil, fmt.Errorf("oauth2/google: error getting SDK config path: %v", err) | ||||
| 	} | ||||
| 	credentialsPath := filepath.Join(configPath, "credentials") | ||||
| 	f, err := os.Open(credentialsPath) | ||||
| 	if err != nil { | ||||
| 		return nil, fmt.Errorf("oauth2/google: failed to load SDK credentials: %v", err) | ||||
| 	} | ||||
| 	defer f.Close() | ||||
|  | ||||
| 	var c sdkCredentials | ||||
| 	if err := json.NewDecoder(f).Decode(&c); err != nil { | ||||
| 		return nil, fmt.Errorf("oauth2/google: failed to decode SDK credentials from %q: %v", credentialsPath, err) | ||||
| 	} | ||||
| 	if len(c.Data) == 0 { | ||||
| 		return nil, fmt.Errorf("oauth2/google: no credentials found in %q, run `gcloud auth login` to create one", credentialsPath) | ||||
| 	} | ||||
| 	if account == "" { | ||||
| 		propertiesPath := filepath.Join(configPath, "properties") | ||||
| 		f, err := os.Open(propertiesPath) | ||||
| 		if err != nil { | ||||
| 			return nil, fmt.Errorf("oauth2/google: failed to load SDK properties: %v", err) | ||||
| 		} | ||||
| 		defer f.Close() | ||||
| 		ini, err := parseINI(f) | ||||
| 		if err != nil { | ||||
| 			return nil, fmt.Errorf("oauth2/google: failed to parse SDK properties %q: %v", propertiesPath, err) | ||||
| 		} | ||||
| 		core, ok := ini["core"] | ||||
| 		if !ok { | ||||
| 			return nil, fmt.Errorf("oauth2/google: failed to find [core] section in %v", ini) | ||||
| 		} | ||||
| 		active, ok := core["account"] | ||||
| 		if !ok { | ||||
| 			return nil, fmt.Errorf("oauth2/google: failed to find %q attribute in %v", "account", core) | ||||
| 		} | ||||
| 		account = active | ||||
| 	} | ||||
|  | ||||
| 	for _, d := range c.Data { | ||||
| 		if account == "" || d.Key.Account == account { | ||||
| 			if d.Credential.AccessToken == "" && d.Credential.RefreshToken == "" { | ||||
| 				return nil, fmt.Errorf("oauth2/google: no token available for account %q", account) | ||||
| 			} | ||||
| 			var expiry time.Time | ||||
| 			if d.Credential.TokenExpiry != nil { | ||||
| 				expiry = *d.Credential.TokenExpiry | ||||
| 			} | ||||
| 			return &SDKConfig{ | ||||
| 				conf: oauth2.Config{ | ||||
| 					ClientID:     d.Credential.ClientID, | ||||
| 					ClientSecret: d.Credential.ClientSecret, | ||||
| 					Scopes:       strings.Split(d.Key.Scope, " "), | ||||
| 					Endpoint:     Endpoint, | ||||
| 					RedirectURL:  "oob", | ||||
| 				}, | ||||
| 				initialToken: &oauth2.Token{ | ||||
| 					AccessToken:  d.Credential.AccessToken, | ||||
| 					RefreshToken: d.Credential.RefreshToken, | ||||
| 					Expiry:       expiry, | ||||
| 				}, | ||||
| 			}, nil | ||||
| 		} | ||||
| 	} | ||||
| 	return nil, fmt.Errorf("oauth2/google: no such credentials for account %q", account) | ||||
| } | ||||
|  | ||||
| // Client returns an HTTP client using Google Cloud SDK credentials to | ||||
| // authorize requests. The token will auto-refresh as necessary. The | ||||
| // underlying http.RoundTripper will be obtained using the provided | ||||
| // context. The returned client and its Transport should not be | ||||
| // modified. | ||||
| func (c *SDKConfig) Client(ctx context.Context) *http.Client { | ||||
| 	return &http.Client{ | ||||
| 		Transport: &oauth2.Transport{ | ||||
| 			Source: c.TokenSource(ctx), | ||||
| 		}, | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // TokenSource returns an oauth2.TokenSource that retrieve tokens from | ||||
| // Google Cloud SDK credentials using the provided context. | ||||
| // It will returns the current access token stored in the credentials, | ||||
| // and refresh it when it expires, but it won't update the credentials | ||||
| // with the new access token. | ||||
| func (c *SDKConfig) TokenSource(ctx context.Context) oauth2.TokenSource { | ||||
| 	return c.conf.TokenSource(ctx, c.initialToken) | ||||
| } | ||||
|  | ||||
| // Scopes are the OAuth 2.0 scopes the current account is authorized for. | ||||
| func (c *SDKConfig) Scopes() []string { | ||||
| 	return c.conf.Scopes | ||||
| } | ||||
|  | ||||
| func parseINI(ini io.Reader) (map[string]map[string]string, error) { | ||||
| 	result := map[string]map[string]string{ | ||||
| 		"": {}, // root section | ||||
| 	} | ||||
| 	scanner := bufio.NewScanner(ini) | ||||
| 	currentSection := "" | ||||
| 	for scanner.Scan() { | ||||
| 		line := strings.TrimSpace(scanner.Text()) | ||||
| 		if strings.HasPrefix(line, ";") { | ||||
| 			// comment. | ||||
| 			continue | ||||
| 		} | ||||
| 		if strings.HasPrefix(line, "[") && strings.HasSuffix(line, "]") { | ||||
| 			currentSection = strings.TrimSpace(line[1 : len(line)-1]) | ||||
| 			result[currentSection] = map[string]string{} | ||||
| 			continue | ||||
| 		} | ||||
| 		parts := strings.SplitN(line, "=", 2) | ||||
| 		if len(parts) == 2 && parts[0] != "" { | ||||
| 			result[currentSection][strings.TrimSpace(parts[0])] = strings.TrimSpace(parts[1]) | ||||
| 		} | ||||
| 	} | ||||
| 	if err := scanner.Err(); err != nil { | ||||
| 		return nil, fmt.Errorf("error scanning ini: %v", err) | ||||
| 	} | ||||
| 	return result, nil | ||||
| } | ||||
|  | ||||
| // sdkConfigPath tries to guess where the gcloud config is located. | ||||
| // It can be overridden during tests. | ||||
| var sdkConfigPath = func() (string, error) { | ||||
| 	if runtime.GOOS == "windows" { | ||||
| 		return filepath.Join(os.Getenv("APPDATA"), "gcloud"), nil | ||||
| 	} | ||||
| 	homeDir := guessUnixHomeDir() | ||||
| 	if homeDir == "" { | ||||
| 		return "", errors.New("unable to get current user home directory: os/user lookup failed; $HOME is empty") | ||||
| 	} | ||||
| 	return filepath.Join(homeDir, ".config", "gcloud"), nil | ||||
| } | ||||
|  | ||||
| func guessUnixHomeDir() string { | ||||
| 	// Prefer $HOME over user.Current due to glibc bug: golang.org/issue/13470 | ||||
| 	if v := os.Getenv("HOME"); v != "" { | ||||
| 		return v | ||||
| 	} | ||||
| 	// Else, fall back to user.Current: | ||||
| 	if u, err := user.Current(); err == nil { | ||||
| 		return u.HomeDir | ||||
| 	} | ||||
| 	return "" | ||||
| } | ||||
							
								
								
									
										13
									
								
								vendor/golang.org/x/oauth2/internal/client_appengine.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										13
									
								
								vendor/golang.org/x/oauth2/internal/client_appengine.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,13 +0,0 @@ | ||||
| // Copyright 2018 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // +build appengine | ||||
|  | ||||
| package internal | ||||
|  | ||||
| import "google.golang.org/appengine/urlfetch" | ||||
|  | ||||
| func init() { | ||||
| 	appengineClientHook = urlfetch.Client | ||||
| } | ||||
							
								
								
									
										6
									
								
								vendor/golang.org/x/oauth2/internal/doc.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										6
									
								
								vendor/golang.org/x/oauth2/internal/doc.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,6 +0,0 @@ | ||||
| // Copyright 2017 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // Package internal contains support packages for oauth2 package. | ||||
| package internal | ||||
							
								
								
									
										37
									
								
								vendor/golang.org/x/oauth2/internal/oauth2.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										37
									
								
								vendor/golang.org/x/oauth2/internal/oauth2.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,37 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package internal | ||||
|  | ||||
| import ( | ||||
| 	"crypto/rsa" | ||||
| 	"crypto/x509" | ||||
| 	"encoding/pem" | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
| ) | ||||
|  | ||||
| // ParseKey converts the binary contents of a private key file | ||||
| // to an *rsa.PrivateKey. It detects whether the private key is in a | ||||
| // PEM container or not. If so, it extracts the the private key | ||||
| // from PEM container before conversion. It only supports PEM | ||||
| // containers with no passphrase. | ||||
| func ParseKey(key []byte) (*rsa.PrivateKey, error) { | ||||
| 	block, _ := pem.Decode(key) | ||||
| 	if block != nil { | ||||
| 		key = block.Bytes | ||||
| 	} | ||||
| 	parsedKey, err := x509.ParsePKCS8PrivateKey(key) | ||||
| 	if err != nil { | ||||
| 		parsedKey, err = x509.ParsePKCS1PrivateKey(key) | ||||
| 		if err != nil { | ||||
| 			return nil, fmt.Errorf("private key should be a PEM or plain PKCS1 or PKCS8; parse error: %v", err) | ||||
| 		} | ||||
| 	} | ||||
| 	parsed, ok := parsedKey.(*rsa.PrivateKey) | ||||
| 	if !ok { | ||||
| 		return nil, errors.New("private key is invalid") | ||||
| 	} | ||||
| 	return parsed, nil | ||||
| } | ||||
							
								
								
									
										294
									
								
								vendor/golang.org/x/oauth2/internal/token.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										294
									
								
								vendor/golang.org/x/oauth2/internal/token.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,294 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package internal | ||||
|  | ||||
| import ( | ||||
| 	"context" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
| 	"io" | ||||
| 	"io/ioutil" | ||||
| 	"math" | ||||
| 	"mime" | ||||
| 	"net/http" | ||||
| 	"net/url" | ||||
| 	"strconv" | ||||
| 	"strings" | ||||
| 	"sync" | ||||
| 	"time" | ||||
|  | ||||
| 	"golang.org/x/net/context/ctxhttp" | ||||
| ) | ||||
|  | ||||
| // Token represents the credentials used to authorize | ||||
| // the requests to access protected resources on the OAuth 2.0 | ||||
| // provider's backend. | ||||
| // | ||||
| // This type is a mirror of oauth2.Token and exists to break | ||||
| // an otherwise-circular dependency. Other internal packages | ||||
| // should convert this Token into an oauth2.Token before use. | ||||
| type Token struct { | ||||
| 	// AccessToken is the token that authorizes and authenticates | ||||
| 	// the requests. | ||||
| 	AccessToken string | ||||
|  | ||||
| 	// TokenType is the type of token. | ||||
| 	// The Type method returns either this or "Bearer", the default. | ||||
| 	TokenType string | ||||
|  | ||||
| 	// RefreshToken is a token that's used by the application | ||||
| 	// (as opposed to the user) to refresh the access token | ||||
| 	// if it expires. | ||||
| 	RefreshToken string | ||||
|  | ||||
| 	// Expiry is the optional expiration time of the access token. | ||||
| 	// | ||||
| 	// If zero, TokenSource implementations will reuse the same | ||||
| 	// token forever and RefreshToken or equivalent | ||||
| 	// mechanisms for that TokenSource will not be used. | ||||
| 	Expiry time.Time | ||||
|  | ||||
| 	// Raw optionally contains extra metadata from the server | ||||
| 	// when updating a token. | ||||
| 	Raw interface{} | ||||
| } | ||||
|  | ||||
| // tokenJSON is the struct representing the HTTP response from OAuth2 | ||||
| // providers returning a token in JSON form. | ||||
| type tokenJSON struct { | ||||
| 	AccessToken  string         `json:"access_token"` | ||||
| 	TokenType    string         `json:"token_type"` | ||||
| 	RefreshToken string         `json:"refresh_token"` | ||||
| 	ExpiresIn    expirationTime `json:"expires_in"` // at least PayPal returns string, while most return number | ||||
| } | ||||
|  | ||||
| func (e *tokenJSON) expiry() (t time.Time) { | ||||
| 	if v := e.ExpiresIn; v != 0 { | ||||
| 		return time.Now().Add(time.Duration(v) * time.Second) | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| type expirationTime int32 | ||||
|  | ||||
| func (e *expirationTime) UnmarshalJSON(b []byte) error { | ||||
| 	if len(b) == 0 || string(b) == "null" { | ||||
| 		return nil | ||||
| 	} | ||||
| 	var n json.Number | ||||
| 	err := json.Unmarshal(b, &n) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	i, err := n.Int64() | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	if i > math.MaxInt32 { | ||||
| 		i = math.MaxInt32 | ||||
| 	} | ||||
| 	*e = expirationTime(i) | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| // RegisterBrokenAuthHeaderProvider previously did something. It is now a no-op. | ||||
| // | ||||
| // Deprecated: this function no longer does anything. Caller code that | ||||
| // wants to avoid potential extra HTTP requests made during | ||||
| // auto-probing of the provider's auth style should set | ||||
| // Endpoint.AuthStyle. | ||||
| func RegisterBrokenAuthHeaderProvider(tokenURL string) {} | ||||
|  | ||||
| // AuthStyle is a copy of the golang.org/x/oauth2 package's AuthStyle type. | ||||
| type AuthStyle int | ||||
|  | ||||
| const ( | ||||
| 	AuthStyleUnknown  AuthStyle = 0 | ||||
| 	AuthStyleInParams AuthStyle = 1 | ||||
| 	AuthStyleInHeader AuthStyle = 2 | ||||
| ) | ||||
|  | ||||
| // authStyleCache is the set of tokenURLs we've successfully used via | ||||
| // RetrieveToken and which style auth we ended up using. | ||||
| // It's called a cache, but it doesn't (yet?) shrink. It's expected that | ||||
| // the set of OAuth2 servers a program contacts over time is fixed and | ||||
| // small. | ||||
| var authStyleCache struct { | ||||
| 	sync.Mutex | ||||
| 	m map[string]AuthStyle // keyed by tokenURL | ||||
| } | ||||
|  | ||||
| // ResetAuthCache resets the global authentication style cache used | ||||
| // for AuthStyleUnknown token requests. | ||||
| func ResetAuthCache() { | ||||
| 	authStyleCache.Lock() | ||||
| 	defer authStyleCache.Unlock() | ||||
| 	authStyleCache.m = nil | ||||
| } | ||||
|  | ||||
| // lookupAuthStyle reports which auth style we last used with tokenURL | ||||
| // when calling RetrieveToken and whether we have ever done so. | ||||
| func lookupAuthStyle(tokenURL string) (style AuthStyle, ok bool) { | ||||
| 	authStyleCache.Lock() | ||||
| 	defer authStyleCache.Unlock() | ||||
| 	style, ok = authStyleCache.m[tokenURL] | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // setAuthStyle adds an entry to authStyleCache, documented above. | ||||
| func setAuthStyle(tokenURL string, v AuthStyle) { | ||||
| 	authStyleCache.Lock() | ||||
| 	defer authStyleCache.Unlock() | ||||
| 	if authStyleCache.m == nil { | ||||
| 		authStyleCache.m = make(map[string]AuthStyle) | ||||
| 	} | ||||
| 	authStyleCache.m[tokenURL] = v | ||||
| } | ||||
|  | ||||
| // newTokenRequest returns a new *http.Request to retrieve a new token | ||||
| // from tokenURL using the provided clientID, clientSecret, and POST | ||||
| // body parameters. | ||||
| // | ||||
| // inParams is whether the clientID & clientSecret should be encoded | ||||
| // as the POST body. An 'inParams' value of true means to send it in | ||||
| // the POST body (along with any values in v); false means to send it | ||||
| // in the Authorization header. | ||||
| func newTokenRequest(tokenURL, clientID, clientSecret string, v url.Values, authStyle AuthStyle) (*http.Request, error) { | ||||
| 	if authStyle == AuthStyleInParams { | ||||
| 		v = cloneURLValues(v) | ||||
| 		if clientID != "" { | ||||
| 			v.Set("client_id", clientID) | ||||
| 		} | ||||
| 		if clientSecret != "" { | ||||
| 			v.Set("client_secret", clientSecret) | ||||
| 		} | ||||
| 	} | ||||
| 	req, err := http.NewRequest("POST", tokenURL, strings.NewReader(v.Encode())) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	req.Header.Set("Content-Type", "application/x-www-form-urlencoded") | ||||
| 	if authStyle == AuthStyleInHeader { | ||||
| 		req.SetBasicAuth(url.QueryEscape(clientID), url.QueryEscape(clientSecret)) | ||||
| 	} | ||||
| 	return req, nil | ||||
| } | ||||
|  | ||||
| func cloneURLValues(v url.Values) url.Values { | ||||
| 	v2 := make(url.Values, len(v)) | ||||
| 	for k, vv := range v { | ||||
| 		v2[k] = append([]string(nil), vv...) | ||||
| 	} | ||||
| 	return v2 | ||||
| } | ||||
|  | ||||
| func RetrieveToken(ctx context.Context, clientID, clientSecret, tokenURL string, v url.Values, authStyle AuthStyle) (*Token, error) { | ||||
| 	needsAuthStyleProbe := authStyle == 0 | ||||
| 	if needsAuthStyleProbe { | ||||
| 		if style, ok := lookupAuthStyle(tokenURL); ok { | ||||
| 			authStyle = style | ||||
| 			needsAuthStyleProbe = false | ||||
| 		} else { | ||||
| 			authStyle = AuthStyleInHeader // the first way we'll try | ||||
| 		} | ||||
| 	} | ||||
| 	req, err := newTokenRequest(tokenURL, clientID, clientSecret, v, authStyle) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	token, err := doTokenRoundTrip(ctx, req) | ||||
| 	if err != nil && needsAuthStyleProbe { | ||||
| 		// If we get an error, assume the server wants the | ||||
| 		// clientID & clientSecret in a different form. | ||||
| 		// See https://code.google.com/p/goauth2/issues/detail?id=31 for background. | ||||
| 		// In summary: | ||||
| 		// - Reddit only accepts client secret in the Authorization header | ||||
| 		// - Dropbox accepts either it in URL param or Auth header, but not both. | ||||
| 		// - Google only accepts URL param (not spec compliant?), not Auth header | ||||
| 		// - Stripe only accepts client secret in Auth header with Bearer method, not Basic | ||||
| 		// | ||||
| 		// We used to maintain a big table in this code of all the sites and which way | ||||
| 		// they went, but maintaining it didn't scale & got annoying. | ||||
| 		// So just try both ways. | ||||
| 		authStyle = AuthStyleInParams // the second way we'll try | ||||
| 		req, _ = newTokenRequest(tokenURL, clientID, clientSecret, v, authStyle) | ||||
| 		token, err = doTokenRoundTrip(ctx, req) | ||||
| 	} | ||||
| 	if needsAuthStyleProbe && err == nil { | ||||
| 		setAuthStyle(tokenURL, authStyle) | ||||
| 	} | ||||
| 	// Don't overwrite `RefreshToken` with an empty value | ||||
| 	// if this was a token refreshing request. | ||||
| 	if token != nil && token.RefreshToken == "" { | ||||
| 		token.RefreshToken = v.Get("refresh_token") | ||||
| 	} | ||||
| 	return token, err | ||||
| } | ||||
|  | ||||
| func doTokenRoundTrip(ctx context.Context, req *http.Request) (*Token, error) { | ||||
| 	r, err := ctxhttp.Do(ctx, ContextClient(ctx), req) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	body, err := ioutil.ReadAll(io.LimitReader(r.Body, 1<<20)) | ||||
| 	r.Body.Close() | ||||
| 	if err != nil { | ||||
| 		return nil, fmt.Errorf("oauth2: cannot fetch token: %v", err) | ||||
| 	} | ||||
| 	if code := r.StatusCode; code < 200 || code > 299 { | ||||
| 		return nil, &RetrieveError{ | ||||
| 			Response: r, | ||||
| 			Body:     body, | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	var token *Token | ||||
| 	content, _, _ := mime.ParseMediaType(r.Header.Get("Content-Type")) | ||||
| 	switch content { | ||||
| 	case "application/x-www-form-urlencoded", "text/plain": | ||||
| 		vals, err := url.ParseQuery(string(body)) | ||||
| 		if err != nil { | ||||
| 			return nil, err | ||||
| 		} | ||||
| 		token = &Token{ | ||||
| 			AccessToken:  vals.Get("access_token"), | ||||
| 			TokenType:    vals.Get("token_type"), | ||||
| 			RefreshToken: vals.Get("refresh_token"), | ||||
| 			Raw:          vals, | ||||
| 		} | ||||
| 		e := vals.Get("expires_in") | ||||
| 		expires, _ := strconv.Atoi(e) | ||||
| 		if expires != 0 { | ||||
| 			token.Expiry = time.Now().Add(time.Duration(expires) * time.Second) | ||||
| 		} | ||||
| 	default: | ||||
| 		var tj tokenJSON | ||||
| 		if err = json.Unmarshal(body, &tj); err != nil { | ||||
| 			return nil, err | ||||
| 		} | ||||
| 		token = &Token{ | ||||
| 			AccessToken:  tj.AccessToken, | ||||
| 			TokenType:    tj.TokenType, | ||||
| 			RefreshToken: tj.RefreshToken, | ||||
| 			Expiry:       tj.expiry(), | ||||
| 			Raw:          make(map[string]interface{}), | ||||
| 		} | ||||
| 		json.Unmarshal(body, &token.Raw) // no error checks for optional fields | ||||
| 	} | ||||
| 	if token.AccessToken == "" { | ||||
| 		return nil, errors.New("oauth2: server response missing access_token") | ||||
| 	} | ||||
| 	return token, nil | ||||
| } | ||||
|  | ||||
| type RetrieveError struct { | ||||
| 	Response *http.Response | ||||
| 	Body     []byte | ||||
| } | ||||
|  | ||||
| func (r *RetrieveError) Error() string { | ||||
| 	return fmt.Sprintf("oauth2: cannot fetch token: %v\nResponse: %s", r.Response.Status, r.Body) | ||||
| } | ||||
							
								
								
									
										33
									
								
								vendor/golang.org/x/oauth2/internal/transport.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										33
									
								
								vendor/golang.org/x/oauth2/internal/transport.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,33 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package internal | ||||
|  | ||||
| import ( | ||||
| 	"context" | ||||
| 	"net/http" | ||||
| ) | ||||
|  | ||||
| // HTTPClient is the context key to use with golang.org/x/net/context's | ||||
| // WithValue function to associate an *http.Client value with a context. | ||||
| var HTTPClient ContextKey | ||||
|  | ||||
| // ContextKey is just an empty struct. It exists so HTTPClient can be | ||||
| // an immutable public variable with a unique type. It's immutable | ||||
| // because nobody else can create a ContextKey, being unexported. | ||||
| type ContextKey struct{} | ||||
|  | ||||
| var appengineClientHook func(context.Context) *http.Client | ||||
|  | ||||
| func ContextClient(ctx context.Context) *http.Client { | ||||
| 	if ctx != nil { | ||||
| 		if hc, ok := ctx.Value(HTTPClient).(*http.Client); ok { | ||||
| 			return hc | ||||
| 		} | ||||
| 	} | ||||
| 	if appengineClientHook != nil { | ||||
| 		return appengineClientHook(ctx) | ||||
| 	} | ||||
| 	return http.DefaultClient | ||||
| } | ||||
							
								
								
									
										182
									
								
								vendor/golang.org/x/oauth2/jws/jws.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										182
									
								
								vendor/golang.org/x/oauth2/jws/jws.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,182 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // Package jws provides a partial implementation | ||||
| // of JSON Web Signature encoding and decoding. | ||||
| // It exists to support the golang.org/x/oauth2 package. | ||||
| // | ||||
| // See RFC 7515. | ||||
| // | ||||
| // Deprecated: this package is not intended for public use and might be | ||||
| // removed in the future. It exists for internal use only. | ||||
| // Please switch to another JWS package or copy this package into your own | ||||
| // source tree. | ||||
| package jws // import "golang.org/x/oauth2/jws" | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"crypto" | ||||
| 	"crypto/rand" | ||||
| 	"crypto/rsa" | ||||
| 	"crypto/sha256" | ||||
| 	"encoding/base64" | ||||
| 	"encoding/json" | ||||
| 	"errors" | ||||
| 	"fmt" | ||||
| 	"strings" | ||||
| 	"time" | ||||
| ) | ||||
|  | ||||
| // ClaimSet contains information about the JWT signature including the | ||||
| // permissions being requested (scopes), the target of the token, the issuer, | ||||
| // the time the token was issued, and the lifetime of the token. | ||||
| type ClaimSet struct { | ||||
| 	Iss   string `json:"iss"`             // email address of the client_id of the application making the access token request | ||||
| 	Scope string `json:"scope,omitempty"` // space-delimited list of the permissions the application requests | ||||
| 	Aud   string `json:"aud"`             // descriptor of the intended target of the assertion (Optional). | ||||
| 	Exp   int64  `json:"exp"`             // the expiration time of the assertion (seconds since Unix epoch) | ||||
| 	Iat   int64  `json:"iat"`             // the time the assertion was issued (seconds since Unix epoch) | ||||
| 	Typ   string `json:"typ,omitempty"`   // token type (Optional). | ||||
|  | ||||
| 	// Email for which the application is requesting delegated access (Optional). | ||||
| 	Sub string `json:"sub,omitempty"` | ||||
|  | ||||
| 	// The old name of Sub. Client keeps setting Prn to be | ||||
| 	// complaint with legacy OAuth 2.0 providers. (Optional) | ||||
| 	Prn string `json:"prn,omitempty"` | ||||
|  | ||||
| 	// See http://tools.ietf.org/html/draft-jones-json-web-token-10#section-4.3 | ||||
| 	// This array is marshalled using custom code (see (c *ClaimSet) encode()). | ||||
| 	PrivateClaims map[string]interface{} `json:"-"` | ||||
| } | ||||
|  | ||||
| func (c *ClaimSet) encode() (string, error) { | ||||
| 	// Reverting time back for machines whose time is not perfectly in sync. | ||||
| 	// If client machine's time is in the future according | ||||
| 	// to Google servers, an access token will not be issued. | ||||
| 	now := time.Now().Add(-10 * time.Second) | ||||
| 	if c.Iat == 0 { | ||||
| 		c.Iat = now.Unix() | ||||
| 	} | ||||
| 	if c.Exp == 0 { | ||||
| 		c.Exp = now.Add(time.Hour).Unix() | ||||
| 	} | ||||
| 	if c.Exp < c.Iat { | ||||
| 		return "", fmt.Errorf("jws: invalid Exp = %v; must be later than Iat = %v", c.Exp, c.Iat) | ||||
| 	} | ||||
|  | ||||
| 	b, err := json.Marshal(c) | ||||
| 	if err != nil { | ||||
| 		return "", err | ||||
| 	} | ||||
|  | ||||
| 	if len(c.PrivateClaims) == 0 { | ||||
| 		return base64.RawURLEncoding.EncodeToString(b), nil | ||||
| 	} | ||||
|  | ||||
| 	// Marshal private claim set and then append it to b. | ||||
| 	prv, err := json.Marshal(c.PrivateClaims) | ||||
| 	if err != nil { | ||||
| 		return "", fmt.Errorf("jws: invalid map of private claims %v", c.PrivateClaims) | ||||
| 	} | ||||
|  | ||||
| 	// Concatenate public and private claim JSON objects. | ||||
| 	if !bytes.HasSuffix(b, []byte{'}'}) { | ||||
| 		return "", fmt.Errorf("jws: invalid JSON %s", b) | ||||
| 	} | ||||
| 	if !bytes.HasPrefix(prv, []byte{'{'}) { | ||||
| 		return "", fmt.Errorf("jws: invalid JSON %s", prv) | ||||
| 	} | ||||
| 	b[len(b)-1] = ','         // Replace closing curly brace with a comma. | ||||
| 	b = append(b, prv[1:]...) // Append private claims. | ||||
| 	return base64.RawURLEncoding.EncodeToString(b), nil | ||||
| } | ||||
|  | ||||
| // Header represents the header for the signed JWS payloads. | ||||
| type Header struct { | ||||
| 	// The algorithm used for signature. | ||||
| 	Algorithm string `json:"alg"` | ||||
|  | ||||
| 	// Represents the token type. | ||||
| 	Typ string `json:"typ"` | ||||
|  | ||||
| 	// The optional hint of which key is being used. | ||||
| 	KeyID string `json:"kid,omitempty"` | ||||
| } | ||||
|  | ||||
| func (h *Header) encode() (string, error) { | ||||
| 	b, err := json.Marshal(h) | ||||
| 	if err != nil { | ||||
| 		return "", err | ||||
| 	} | ||||
| 	return base64.RawURLEncoding.EncodeToString(b), nil | ||||
| } | ||||
|  | ||||
| // Decode decodes a claim set from a JWS payload. | ||||
| func Decode(payload string) (*ClaimSet, error) { | ||||
| 	// decode returned id token to get expiry | ||||
| 	s := strings.Split(payload, ".") | ||||
| 	if len(s) < 2 { | ||||
| 		// TODO(jbd): Provide more context about the error. | ||||
| 		return nil, errors.New("jws: invalid token received") | ||||
| 	} | ||||
| 	decoded, err := base64.RawURLEncoding.DecodeString(s[1]) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	c := &ClaimSet{} | ||||
| 	err = json.NewDecoder(bytes.NewBuffer(decoded)).Decode(c) | ||||
| 	return c, err | ||||
| } | ||||
|  | ||||
| // Signer returns a signature for the given data. | ||||
| type Signer func(data []byte) (sig []byte, err error) | ||||
|  | ||||
| // EncodeWithSigner encodes a header and claim set with the provided signer. | ||||
| func EncodeWithSigner(header *Header, c *ClaimSet, sg Signer) (string, error) { | ||||
| 	head, err := header.encode() | ||||
| 	if err != nil { | ||||
| 		return "", err | ||||
| 	} | ||||
| 	cs, err := c.encode() | ||||
| 	if err != nil { | ||||
| 		return "", err | ||||
| 	} | ||||
| 	ss := fmt.Sprintf("%s.%s", head, cs) | ||||
| 	sig, err := sg([]byte(ss)) | ||||
| 	if err != nil { | ||||
| 		return "", err | ||||
| 	} | ||||
| 	return fmt.Sprintf("%s.%s", ss, base64.RawURLEncoding.EncodeToString(sig)), nil | ||||
| } | ||||
|  | ||||
| // Encode encodes a signed JWS with provided header and claim set. | ||||
| // This invokes EncodeWithSigner using crypto/rsa.SignPKCS1v15 with the given RSA private key. | ||||
| func Encode(header *Header, c *ClaimSet, key *rsa.PrivateKey) (string, error) { | ||||
| 	sg := func(data []byte) (sig []byte, err error) { | ||||
| 		h := sha256.New() | ||||
| 		h.Write(data) | ||||
| 		return rsa.SignPKCS1v15(rand.Reader, key, crypto.SHA256, h.Sum(nil)) | ||||
| 	} | ||||
| 	return EncodeWithSigner(header, c, sg) | ||||
| } | ||||
|  | ||||
| // Verify tests whether the provided JWT token's signature was produced by the private key | ||||
| // associated with the supplied public key. | ||||
| func Verify(token string, key *rsa.PublicKey) error { | ||||
| 	parts := strings.Split(token, ".") | ||||
| 	if len(parts) != 3 { | ||||
| 		return errors.New("jws: invalid token received, token must have 3 parts") | ||||
| 	} | ||||
|  | ||||
| 	signedContent := parts[0] + "." + parts[1] | ||||
| 	signatureString, err := base64.RawURLEncoding.DecodeString(parts[2]) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
|  | ||||
| 	h := sha256.New() | ||||
| 	h.Write([]byte(signedContent)) | ||||
| 	return rsa.VerifyPKCS1v15(key, crypto.SHA256, h.Sum(nil), []byte(signatureString)) | ||||
| } | ||||
							
								
								
									
										185
									
								
								vendor/golang.org/x/oauth2/jwt/jwt.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										185
									
								
								vendor/golang.org/x/oauth2/jwt/jwt.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,185 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // Package jwt implements the OAuth 2.0 JSON Web Token flow, commonly | ||||
| // known as "two-legged OAuth 2.0". | ||||
| // | ||||
| // See: https://tools.ietf.org/html/draft-ietf-oauth-jwt-bearer-12 | ||||
| package jwt | ||||
|  | ||||
| import ( | ||||
| 	"context" | ||||
| 	"encoding/json" | ||||
| 	"fmt" | ||||
| 	"io" | ||||
| 	"io/ioutil" | ||||
| 	"net/http" | ||||
| 	"net/url" | ||||
| 	"strings" | ||||
| 	"time" | ||||
|  | ||||
| 	"golang.org/x/oauth2" | ||||
| 	"golang.org/x/oauth2/internal" | ||||
| 	"golang.org/x/oauth2/jws" | ||||
| ) | ||||
|  | ||||
| var ( | ||||
| 	defaultGrantType = "urn:ietf:params:oauth:grant-type:jwt-bearer" | ||||
| 	defaultHeader    = &jws.Header{Algorithm: "RS256", Typ: "JWT"} | ||||
| ) | ||||
|  | ||||
| // Config is the configuration for using JWT to fetch tokens, | ||||
| // commonly known as "two-legged OAuth 2.0". | ||||
| type Config struct { | ||||
| 	// Email is the OAuth client identifier used when communicating with | ||||
| 	// the configured OAuth provider. | ||||
| 	Email string | ||||
|  | ||||
| 	// PrivateKey contains the contents of an RSA private key or the | ||||
| 	// contents of a PEM file that contains a private key. The provided | ||||
| 	// private key is used to sign JWT payloads. | ||||
| 	// PEM containers with a passphrase are not supported. | ||||
| 	// Use the following command to convert a PKCS 12 file into a PEM. | ||||
| 	// | ||||
| 	//    $ openssl pkcs12 -in key.p12 -out key.pem -nodes | ||||
| 	// | ||||
| 	PrivateKey []byte | ||||
|  | ||||
| 	// PrivateKeyID contains an optional hint indicating which key is being | ||||
| 	// used. | ||||
| 	PrivateKeyID string | ||||
|  | ||||
| 	// Subject is the optional user to impersonate. | ||||
| 	Subject string | ||||
|  | ||||
| 	// Scopes optionally specifies a list of requested permission scopes. | ||||
| 	Scopes []string | ||||
|  | ||||
| 	// TokenURL is the endpoint required to complete the 2-legged JWT flow. | ||||
| 	TokenURL string | ||||
|  | ||||
| 	// Expires optionally specifies how long the token is valid for. | ||||
| 	Expires time.Duration | ||||
|  | ||||
| 	// Audience optionally specifies the intended audience of the | ||||
| 	// request.  If empty, the value of TokenURL is used as the | ||||
| 	// intended audience. | ||||
| 	Audience string | ||||
|  | ||||
| 	// PrivateClaims optionally specifies custom private claims in the JWT. | ||||
| 	// See http://tools.ietf.org/html/draft-jones-json-web-token-10#section-4.3 | ||||
| 	PrivateClaims map[string]interface{} | ||||
|  | ||||
| 	// UseIDToken optionally specifies whether ID token should be used instead | ||||
| 	// of access token when the server returns both. | ||||
| 	UseIDToken bool | ||||
| } | ||||
|  | ||||
| // TokenSource returns a JWT TokenSource using the configuration | ||||
| // in c and the HTTP client from the provided context. | ||||
| func (c *Config) TokenSource(ctx context.Context) oauth2.TokenSource { | ||||
| 	return oauth2.ReuseTokenSource(nil, jwtSource{ctx, c}) | ||||
| } | ||||
|  | ||||
| // Client returns an HTTP client wrapping the context's | ||||
| // HTTP transport and adding Authorization headers with tokens | ||||
| // obtained from c. | ||||
| // | ||||
| // The returned client and its Transport should not be modified. | ||||
| func (c *Config) Client(ctx context.Context) *http.Client { | ||||
| 	return oauth2.NewClient(ctx, c.TokenSource(ctx)) | ||||
| } | ||||
|  | ||||
| // jwtSource is a source that always does a signed JWT request for a token. | ||||
| // It should typically be wrapped with a reuseTokenSource. | ||||
| type jwtSource struct { | ||||
| 	ctx  context.Context | ||||
| 	conf *Config | ||||
| } | ||||
|  | ||||
| func (js jwtSource) Token() (*oauth2.Token, error) { | ||||
| 	pk, err := internal.ParseKey(js.conf.PrivateKey) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	hc := oauth2.NewClient(js.ctx, nil) | ||||
| 	claimSet := &jws.ClaimSet{ | ||||
| 		Iss:           js.conf.Email, | ||||
| 		Scope:         strings.Join(js.conf.Scopes, " "), | ||||
| 		Aud:           js.conf.TokenURL, | ||||
| 		PrivateClaims: js.conf.PrivateClaims, | ||||
| 	} | ||||
| 	if subject := js.conf.Subject; subject != "" { | ||||
| 		claimSet.Sub = subject | ||||
| 		// prn is the old name of sub. Keep setting it | ||||
| 		// to be compatible with legacy OAuth 2.0 providers. | ||||
| 		claimSet.Prn = subject | ||||
| 	} | ||||
| 	if t := js.conf.Expires; t > 0 { | ||||
| 		claimSet.Exp = time.Now().Add(t).Unix() | ||||
| 	} | ||||
| 	if aud := js.conf.Audience; aud != "" { | ||||
| 		claimSet.Aud = aud | ||||
| 	} | ||||
| 	h := *defaultHeader | ||||
| 	h.KeyID = js.conf.PrivateKeyID | ||||
| 	payload, err := jws.Encode(&h, claimSet, pk) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	v := url.Values{} | ||||
| 	v.Set("grant_type", defaultGrantType) | ||||
| 	v.Set("assertion", payload) | ||||
| 	resp, err := hc.PostForm(js.conf.TokenURL, v) | ||||
| 	if err != nil { | ||||
| 		return nil, fmt.Errorf("oauth2: cannot fetch token: %v", err) | ||||
| 	} | ||||
| 	defer resp.Body.Close() | ||||
| 	body, err := ioutil.ReadAll(io.LimitReader(resp.Body, 1<<20)) | ||||
| 	if err != nil { | ||||
| 		return nil, fmt.Errorf("oauth2: cannot fetch token: %v", err) | ||||
| 	} | ||||
| 	if c := resp.StatusCode; c < 200 || c > 299 { | ||||
| 		return nil, &oauth2.RetrieveError{ | ||||
| 			Response: resp, | ||||
| 			Body:     body, | ||||
| 		} | ||||
| 	} | ||||
| 	// tokenRes is the JSON response body. | ||||
| 	var tokenRes struct { | ||||
| 		AccessToken string `json:"access_token"` | ||||
| 		TokenType   string `json:"token_type"` | ||||
| 		IDToken     string `json:"id_token"` | ||||
| 		ExpiresIn   int64  `json:"expires_in"` // relative seconds from now | ||||
| 	} | ||||
| 	if err := json.Unmarshal(body, &tokenRes); err != nil { | ||||
| 		return nil, fmt.Errorf("oauth2: cannot fetch token: %v", err) | ||||
| 	} | ||||
| 	token := &oauth2.Token{ | ||||
| 		AccessToken: tokenRes.AccessToken, | ||||
| 		TokenType:   tokenRes.TokenType, | ||||
| 	} | ||||
| 	raw := make(map[string]interface{}) | ||||
| 	json.Unmarshal(body, &raw) // no error checks for optional fields | ||||
| 	token = token.WithExtra(raw) | ||||
|  | ||||
| 	if secs := tokenRes.ExpiresIn; secs > 0 { | ||||
| 		token.Expiry = time.Now().Add(time.Duration(secs) * time.Second) | ||||
| 	} | ||||
| 	if v := tokenRes.IDToken; v != "" { | ||||
| 		// decode returned id token to get expiry | ||||
| 		claimSet, err := jws.Decode(v) | ||||
| 		if err != nil { | ||||
| 			return nil, fmt.Errorf("oauth2: error decoding JWT token: %v", err) | ||||
| 		} | ||||
| 		token.Expiry = time.Unix(claimSet.Exp, 0) | ||||
| 	} | ||||
| 	if js.conf.UseIDToken { | ||||
| 		if tokenRes.IDToken == "" { | ||||
| 			return nil, fmt.Errorf("oauth2: response doesn't have JWT token") | ||||
| 		} | ||||
| 		token.AccessToken = tokenRes.IDToken | ||||
| 	} | ||||
| 	return token, nil | ||||
| } | ||||
							
								
								
									
										381
									
								
								vendor/golang.org/x/oauth2/oauth2.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										381
									
								
								vendor/golang.org/x/oauth2/oauth2.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,381 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // Package oauth2 provides support for making | ||||
| // OAuth2 authorized and authenticated HTTP requests, | ||||
| // as specified in RFC 6749. | ||||
| // It can additionally grant authorization with Bearer JWT. | ||||
| package oauth2 // import "golang.org/x/oauth2" | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"context" | ||||
| 	"errors" | ||||
| 	"net/http" | ||||
| 	"net/url" | ||||
| 	"strings" | ||||
| 	"sync" | ||||
|  | ||||
| 	"golang.org/x/oauth2/internal" | ||||
| ) | ||||
|  | ||||
| // NoContext is the default context you should supply if not using | ||||
| // your own context.Context (see https://golang.org/x/net/context). | ||||
| // | ||||
| // Deprecated: Use context.Background() or context.TODO() instead. | ||||
| var NoContext = context.TODO() | ||||
|  | ||||
| // RegisterBrokenAuthHeaderProvider previously did something. It is now a no-op. | ||||
| // | ||||
| // Deprecated: this function no longer does anything. Caller code that | ||||
| // wants to avoid potential extra HTTP requests made during | ||||
| // auto-probing of the provider's auth style should set | ||||
| // Endpoint.AuthStyle. | ||||
| func RegisterBrokenAuthHeaderProvider(tokenURL string) {} | ||||
|  | ||||
| // Config describes a typical 3-legged OAuth2 flow, with both the | ||||
| // client application information and the server's endpoint URLs. | ||||
| // For the client credentials 2-legged OAuth2 flow, see the clientcredentials | ||||
| // package (https://golang.org/x/oauth2/clientcredentials). | ||||
| type Config struct { | ||||
| 	// ClientID is the application's ID. | ||||
| 	ClientID string | ||||
|  | ||||
| 	// ClientSecret is the application's secret. | ||||
| 	ClientSecret string | ||||
|  | ||||
| 	// Endpoint contains the resource server's token endpoint | ||||
| 	// URLs. These are constants specific to each server and are | ||||
| 	// often available via site-specific packages, such as | ||||
| 	// google.Endpoint or github.Endpoint. | ||||
| 	Endpoint Endpoint | ||||
|  | ||||
| 	// RedirectURL is the URL to redirect users going through | ||||
| 	// the OAuth flow, after the resource owner's URLs. | ||||
| 	RedirectURL string | ||||
|  | ||||
| 	// Scope specifies optional requested permissions. | ||||
| 	Scopes []string | ||||
| } | ||||
|  | ||||
| // A TokenSource is anything that can return a token. | ||||
| type TokenSource interface { | ||||
| 	// Token returns a token or an error. | ||||
| 	// Token must be safe for concurrent use by multiple goroutines. | ||||
| 	// The returned Token must not be modified. | ||||
| 	Token() (*Token, error) | ||||
| } | ||||
|  | ||||
| // Endpoint represents an OAuth 2.0 provider's authorization and token | ||||
| // endpoint URLs. | ||||
| type Endpoint struct { | ||||
| 	AuthURL  string | ||||
| 	TokenURL string | ||||
|  | ||||
| 	// AuthStyle optionally specifies how the endpoint wants the | ||||
| 	// client ID & client secret sent. The zero value means to | ||||
| 	// auto-detect. | ||||
| 	AuthStyle AuthStyle | ||||
| } | ||||
|  | ||||
| // AuthStyle represents how requests for tokens are authenticated | ||||
| // to the server. | ||||
| type AuthStyle int | ||||
|  | ||||
| const ( | ||||
| 	// AuthStyleAutoDetect means to auto-detect which authentication | ||||
| 	// style the provider wants by trying both ways and caching | ||||
| 	// the successful way for the future. | ||||
| 	AuthStyleAutoDetect AuthStyle = 0 | ||||
|  | ||||
| 	// AuthStyleInParams sends the "client_id" and "client_secret" | ||||
| 	// in the POST body as application/x-www-form-urlencoded parameters. | ||||
| 	AuthStyleInParams AuthStyle = 1 | ||||
|  | ||||
| 	// AuthStyleInHeader sends the client_id and client_password | ||||
| 	// using HTTP Basic Authorization. This is an optional style | ||||
| 	// described in the OAuth2 RFC 6749 section 2.3.1. | ||||
| 	AuthStyleInHeader AuthStyle = 2 | ||||
| ) | ||||
|  | ||||
| var ( | ||||
| 	// AccessTypeOnline and AccessTypeOffline are options passed | ||||
| 	// to the Options.AuthCodeURL method. They modify the | ||||
| 	// "access_type" field that gets sent in the URL returned by | ||||
| 	// AuthCodeURL. | ||||
| 	// | ||||
| 	// Online is the default if neither is specified. If your | ||||
| 	// application needs to refresh access tokens when the user | ||||
| 	// is not present at the browser, then use offline. This will | ||||
| 	// result in your application obtaining a refresh token the | ||||
| 	// first time your application exchanges an authorization | ||||
| 	// code for a user. | ||||
| 	AccessTypeOnline  AuthCodeOption = SetAuthURLParam("access_type", "online") | ||||
| 	AccessTypeOffline AuthCodeOption = SetAuthURLParam("access_type", "offline") | ||||
|  | ||||
| 	// ApprovalForce forces the users to view the consent dialog | ||||
| 	// and confirm the permissions request at the URL returned | ||||
| 	// from AuthCodeURL, even if they've already done so. | ||||
| 	ApprovalForce AuthCodeOption = SetAuthURLParam("prompt", "consent") | ||||
| ) | ||||
|  | ||||
| // An AuthCodeOption is passed to Config.AuthCodeURL. | ||||
| type AuthCodeOption interface { | ||||
| 	setValue(url.Values) | ||||
| } | ||||
|  | ||||
| type setParam struct{ k, v string } | ||||
|  | ||||
| func (p setParam) setValue(m url.Values) { m.Set(p.k, p.v) } | ||||
|  | ||||
| // SetAuthURLParam builds an AuthCodeOption which passes key/value parameters | ||||
| // to a provider's authorization endpoint. | ||||
| func SetAuthURLParam(key, value string) AuthCodeOption { | ||||
| 	return setParam{key, value} | ||||
| } | ||||
|  | ||||
| // AuthCodeURL returns a URL to OAuth 2.0 provider's consent page | ||||
| // that asks for permissions for the required scopes explicitly. | ||||
| // | ||||
| // State is a token to protect the user from CSRF attacks. You must | ||||
| // always provide a non-empty string and validate that it matches the | ||||
| // the state query parameter on your redirect callback. | ||||
| // See http://tools.ietf.org/html/rfc6749#section-10.12 for more info. | ||||
| // | ||||
| // Opts may include AccessTypeOnline or AccessTypeOffline, as well | ||||
| // as ApprovalForce. | ||||
| // It can also be used to pass the PKCE challenge. | ||||
| // See https://www.oauth.com/oauth2-servers/pkce/ for more info. | ||||
| func (c *Config) AuthCodeURL(state string, opts ...AuthCodeOption) string { | ||||
| 	var buf bytes.Buffer | ||||
| 	buf.WriteString(c.Endpoint.AuthURL) | ||||
| 	v := url.Values{ | ||||
| 		"response_type": {"code"}, | ||||
| 		"client_id":     {c.ClientID}, | ||||
| 	} | ||||
| 	if c.RedirectURL != "" { | ||||
| 		v.Set("redirect_uri", c.RedirectURL) | ||||
| 	} | ||||
| 	if len(c.Scopes) > 0 { | ||||
| 		v.Set("scope", strings.Join(c.Scopes, " ")) | ||||
| 	} | ||||
| 	if state != "" { | ||||
| 		// TODO(light): Docs say never to omit state; don't allow empty. | ||||
| 		v.Set("state", state) | ||||
| 	} | ||||
| 	for _, opt := range opts { | ||||
| 		opt.setValue(v) | ||||
| 	} | ||||
| 	if strings.Contains(c.Endpoint.AuthURL, "?") { | ||||
| 		buf.WriteByte('&') | ||||
| 	} else { | ||||
| 		buf.WriteByte('?') | ||||
| 	} | ||||
| 	buf.WriteString(v.Encode()) | ||||
| 	return buf.String() | ||||
| } | ||||
|  | ||||
| // PasswordCredentialsToken converts a resource owner username and password | ||||
| // pair into a token. | ||||
| // | ||||
| // Per the RFC, this grant type should only be used "when there is a high | ||||
| // degree of trust between the resource owner and the client (e.g., the client | ||||
| // is part of the device operating system or a highly privileged application), | ||||
| // and when other authorization grant types are not available." | ||||
| // See https://tools.ietf.org/html/rfc6749#section-4.3 for more info. | ||||
| // | ||||
| // The provided context optionally controls which HTTP client is used. See the HTTPClient variable. | ||||
| func (c *Config) PasswordCredentialsToken(ctx context.Context, username, password string) (*Token, error) { | ||||
| 	v := url.Values{ | ||||
| 		"grant_type": {"password"}, | ||||
| 		"username":   {username}, | ||||
| 		"password":   {password}, | ||||
| 	} | ||||
| 	if len(c.Scopes) > 0 { | ||||
| 		v.Set("scope", strings.Join(c.Scopes, " ")) | ||||
| 	} | ||||
| 	return retrieveToken(ctx, c, v) | ||||
| } | ||||
|  | ||||
| // Exchange converts an authorization code into a token. | ||||
| // | ||||
| // It is used after a resource provider redirects the user back | ||||
| // to the Redirect URI (the URL obtained from AuthCodeURL). | ||||
| // | ||||
| // The provided context optionally controls which HTTP client is used. See the HTTPClient variable. | ||||
| // | ||||
| // The code will be in the *http.Request.FormValue("code"). Before | ||||
| // calling Exchange, be sure to validate FormValue("state"). | ||||
| // | ||||
| // Opts may include the PKCE verifier code if previously used in AuthCodeURL. | ||||
| // See https://www.oauth.com/oauth2-servers/pkce/ for more info. | ||||
| func (c *Config) Exchange(ctx context.Context, code string, opts ...AuthCodeOption) (*Token, error) { | ||||
| 	v := url.Values{ | ||||
| 		"grant_type": {"authorization_code"}, | ||||
| 		"code":       {code}, | ||||
| 	} | ||||
| 	if c.RedirectURL != "" { | ||||
| 		v.Set("redirect_uri", c.RedirectURL) | ||||
| 	} | ||||
| 	for _, opt := range opts { | ||||
| 		opt.setValue(v) | ||||
| 	} | ||||
| 	return retrieveToken(ctx, c, v) | ||||
| } | ||||
|  | ||||
| // Client returns an HTTP client using the provided token. | ||||
| // The token will auto-refresh as necessary. The underlying | ||||
| // HTTP transport will be obtained using the provided context. | ||||
| // The returned client and its Transport should not be modified. | ||||
| func (c *Config) Client(ctx context.Context, t *Token) *http.Client { | ||||
| 	return NewClient(ctx, c.TokenSource(ctx, t)) | ||||
| } | ||||
|  | ||||
| // TokenSource returns a TokenSource that returns t until t expires, | ||||
| // automatically refreshing it as necessary using the provided context. | ||||
| // | ||||
| // Most users will use Config.Client instead. | ||||
| func (c *Config) TokenSource(ctx context.Context, t *Token) TokenSource { | ||||
| 	tkr := &tokenRefresher{ | ||||
| 		ctx:  ctx, | ||||
| 		conf: c, | ||||
| 	} | ||||
| 	if t != nil { | ||||
| 		tkr.refreshToken = t.RefreshToken | ||||
| 	} | ||||
| 	return &reuseTokenSource{ | ||||
| 		t:   t, | ||||
| 		new: tkr, | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // tokenRefresher is a TokenSource that makes "grant_type"=="refresh_token" | ||||
| // HTTP requests to renew a token using a RefreshToken. | ||||
| type tokenRefresher struct { | ||||
| 	ctx          context.Context // used to get HTTP requests | ||||
| 	conf         *Config | ||||
| 	refreshToken string | ||||
| } | ||||
|  | ||||
| // WARNING: Token is not safe for concurrent access, as it | ||||
| // updates the tokenRefresher's refreshToken field. | ||||
| // Within this package, it is used by reuseTokenSource which | ||||
| // synchronizes calls to this method with its own mutex. | ||||
| func (tf *tokenRefresher) Token() (*Token, error) { | ||||
| 	if tf.refreshToken == "" { | ||||
| 		return nil, errors.New("oauth2: token expired and refresh token is not set") | ||||
| 	} | ||||
|  | ||||
| 	tk, err := retrieveToken(tf.ctx, tf.conf, url.Values{ | ||||
| 		"grant_type":    {"refresh_token"}, | ||||
| 		"refresh_token": {tf.refreshToken}, | ||||
| 	}) | ||||
|  | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	if tf.refreshToken != tk.RefreshToken { | ||||
| 		tf.refreshToken = tk.RefreshToken | ||||
| 	} | ||||
| 	return tk, err | ||||
| } | ||||
|  | ||||
| // reuseTokenSource is a TokenSource that holds a single token in memory | ||||
| // and validates its expiry before each call to retrieve it with | ||||
| // Token. If it's expired, it will be auto-refreshed using the | ||||
| // new TokenSource. | ||||
| type reuseTokenSource struct { | ||||
| 	new TokenSource // called when t is expired. | ||||
|  | ||||
| 	mu sync.Mutex // guards t | ||||
| 	t  *Token | ||||
| } | ||||
|  | ||||
| // Token returns the current token if it's still valid, else will | ||||
| // refresh the current token (using r.Context for HTTP client | ||||
| // information) and return the new one. | ||||
| func (s *reuseTokenSource) Token() (*Token, error) { | ||||
| 	s.mu.Lock() | ||||
| 	defer s.mu.Unlock() | ||||
| 	if s.t.Valid() { | ||||
| 		return s.t, nil | ||||
| 	} | ||||
| 	t, err := s.new.Token() | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	s.t = t | ||||
| 	return t, nil | ||||
| } | ||||
|  | ||||
| // StaticTokenSource returns a TokenSource that always returns the same token. | ||||
| // Because the provided token t is never refreshed, StaticTokenSource is only | ||||
| // useful for tokens that never expire. | ||||
| func StaticTokenSource(t *Token) TokenSource { | ||||
| 	return staticTokenSource{t} | ||||
| } | ||||
|  | ||||
| // staticTokenSource is a TokenSource that always returns the same Token. | ||||
| type staticTokenSource struct { | ||||
| 	t *Token | ||||
| } | ||||
|  | ||||
| func (s staticTokenSource) Token() (*Token, error) { | ||||
| 	return s.t, nil | ||||
| } | ||||
|  | ||||
| // HTTPClient is the context key to use with golang.org/x/net/context's | ||||
| // WithValue function to associate an *http.Client value with a context. | ||||
| var HTTPClient internal.ContextKey | ||||
|  | ||||
| // NewClient creates an *http.Client from a Context and TokenSource. | ||||
| // The returned client is not valid beyond the lifetime of the context. | ||||
| // | ||||
| // Note that if a custom *http.Client is provided via the Context it | ||||
| // is used only for token acquisition and is not used to configure the | ||||
| // *http.Client returned from NewClient. | ||||
| // | ||||
| // As a special case, if src is nil, a non-OAuth2 client is returned | ||||
| // using the provided context. This exists to support related OAuth2 | ||||
| // packages. | ||||
| func NewClient(ctx context.Context, src TokenSource) *http.Client { | ||||
| 	if src == nil { | ||||
| 		return internal.ContextClient(ctx) | ||||
| 	} | ||||
| 	return &http.Client{ | ||||
| 		Transport: &Transport{ | ||||
| 			Base:   internal.ContextClient(ctx).Transport, | ||||
| 			Source: ReuseTokenSource(nil, src), | ||||
| 		}, | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // ReuseTokenSource returns a TokenSource which repeatedly returns the | ||||
| // same token as long as it's valid, starting with t. | ||||
| // When its cached token is invalid, a new token is obtained from src. | ||||
| // | ||||
| // ReuseTokenSource is typically used to reuse tokens from a cache | ||||
| // (such as a file on disk) between runs of a program, rather than | ||||
| // obtaining new tokens unnecessarily. | ||||
| // | ||||
| // The initial token t may be nil, in which case the TokenSource is | ||||
| // wrapped in a caching version if it isn't one already. This also | ||||
| // means it's always safe to wrap ReuseTokenSource around any other | ||||
| // TokenSource without adverse effects. | ||||
| func ReuseTokenSource(t *Token, src TokenSource) TokenSource { | ||||
| 	// Don't wrap a reuseTokenSource in itself. That would work, | ||||
| 	// but cause an unnecessary number of mutex operations. | ||||
| 	// Just build the equivalent one. | ||||
| 	if rt, ok := src.(*reuseTokenSource); ok { | ||||
| 		if t == nil { | ||||
| 			// Just use it directly. | ||||
| 			return rt | ||||
| 		} | ||||
| 		src = rt.new | ||||
| 	} | ||||
| 	return &reuseTokenSource{ | ||||
| 		t:   t, | ||||
| 		new: src, | ||||
| 	} | ||||
| } | ||||
							
								
								
									
										178
									
								
								vendor/golang.org/x/oauth2/token.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										178
									
								
								vendor/golang.org/x/oauth2/token.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,178 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package oauth2 | ||||
|  | ||||
| import ( | ||||
| 	"context" | ||||
| 	"fmt" | ||||
| 	"net/http" | ||||
| 	"net/url" | ||||
| 	"strconv" | ||||
| 	"strings" | ||||
| 	"time" | ||||
|  | ||||
| 	"golang.org/x/oauth2/internal" | ||||
| ) | ||||
|  | ||||
| // expiryDelta determines how earlier a token should be considered | ||||
| // expired than its actual expiration time. It is used to avoid late | ||||
| // expirations due to client-server time mismatches. | ||||
| const expiryDelta = 10 * time.Second | ||||
|  | ||||
| // Token represents the credentials used to authorize | ||||
| // the requests to access protected resources on the OAuth 2.0 | ||||
| // provider's backend. | ||||
| // | ||||
| // Most users of this package should not access fields of Token | ||||
| // directly. They're exported mostly for use by related packages | ||||
| // implementing derivative OAuth2 flows. | ||||
| type Token struct { | ||||
| 	// AccessToken is the token that authorizes and authenticates | ||||
| 	// the requests. | ||||
| 	AccessToken string `json:"access_token"` | ||||
|  | ||||
| 	// TokenType is the type of token. | ||||
| 	// The Type method returns either this or "Bearer", the default. | ||||
| 	TokenType string `json:"token_type,omitempty"` | ||||
|  | ||||
| 	// RefreshToken is a token that's used by the application | ||||
| 	// (as opposed to the user) to refresh the access token | ||||
| 	// if it expires. | ||||
| 	RefreshToken string `json:"refresh_token,omitempty"` | ||||
|  | ||||
| 	// Expiry is the optional expiration time of the access token. | ||||
| 	// | ||||
| 	// If zero, TokenSource implementations will reuse the same | ||||
| 	// token forever and RefreshToken or equivalent | ||||
| 	// mechanisms for that TokenSource will not be used. | ||||
| 	Expiry time.Time `json:"expiry,omitempty"` | ||||
|  | ||||
| 	// raw optionally contains extra metadata from the server | ||||
| 	// when updating a token. | ||||
| 	raw interface{} | ||||
| } | ||||
|  | ||||
| // Type returns t.TokenType if non-empty, else "Bearer". | ||||
| func (t *Token) Type() string { | ||||
| 	if strings.EqualFold(t.TokenType, "bearer") { | ||||
| 		return "Bearer" | ||||
| 	} | ||||
| 	if strings.EqualFold(t.TokenType, "mac") { | ||||
| 		return "MAC" | ||||
| 	} | ||||
| 	if strings.EqualFold(t.TokenType, "basic") { | ||||
| 		return "Basic" | ||||
| 	} | ||||
| 	if t.TokenType != "" { | ||||
| 		return t.TokenType | ||||
| 	} | ||||
| 	return "Bearer" | ||||
| } | ||||
|  | ||||
| // SetAuthHeader sets the Authorization header to r using the access | ||||
| // token in t. | ||||
| // | ||||
| // This method is unnecessary when using Transport or an HTTP Client | ||||
| // returned by this package. | ||||
| func (t *Token) SetAuthHeader(r *http.Request) { | ||||
| 	r.Header.Set("Authorization", t.Type()+" "+t.AccessToken) | ||||
| } | ||||
|  | ||||
| // WithExtra returns a new Token that's a clone of t, but using the | ||||
| // provided raw extra map. This is only intended for use by packages | ||||
| // implementing derivative OAuth2 flows. | ||||
| func (t *Token) WithExtra(extra interface{}) *Token { | ||||
| 	t2 := new(Token) | ||||
| 	*t2 = *t | ||||
| 	t2.raw = extra | ||||
| 	return t2 | ||||
| } | ||||
|  | ||||
| // Extra returns an extra field. | ||||
| // Extra fields are key-value pairs returned by the server as a | ||||
| // part of the token retrieval response. | ||||
| func (t *Token) Extra(key string) interface{} { | ||||
| 	if raw, ok := t.raw.(map[string]interface{}); ok { | ||||
| 		return raw[key] | ||||
| 	} | ||||
|  | ||||
| 	vals, ok := t.raw.(url.Values) | ||||
| 	if !ok { | ||||
| 		return nil | ||||
| 	} | ||||
|  | ||||
| 	v := vals.Get(key) | ||||
| 	switch s := strings.TrimSpace(v); strings.Count(s, ".") { | ||||
| 	case 0: // Contains no "."; try to parse as int | ||||
| 		if i, err := strconv.ParseInt(s, 10, 64); err == nil { | ||||
| 			return i | ||||
| 		} | ||||
| 	case 1: // Contains a single "."; try to parse as float | ||||
| 		if f, err := strconv.ParseFloat(s, 64); err == nil { | ||||
| 			return f | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	return v | ||||
| } | ||||
|  | ||||
| // timeNow is time.Now but pulled out as a variable for tests. | ||||
| var timeNow = time.Now | ||||
|  | ||||
| // expired reports whether the token is expired. | ||||
| // t must be non-nil. | ||||
| func (t *Token) expired() bool { | ||||
| 	if t.Expiry.IsZero() { | ||||
| 		return false | ||||
| 	} | ||||
| 	return t.Expiry.Round(0).Add(-expiryDelta).Before(timeNow()) | ||||
| } | ||||
|  | ||||
| // Valid reports whether t is non-nil, has an AccessToken, and is not expired. | ||||
| func (t *Token) Valid() bool { | ||||
| 	return t != nil && t.AccessToken != "" && !t.expired() | ||||
| } | ||||
|  | ||||
| // tokenFromInternal maps an *internal.Token struct into | ||||
| // a *Token struct. | ||||
| func tokenFromInternal(t *internal.Token) *Token { | ||||
| 	if t == nil { | ||||
| 		return nil | ||||
| 	} | ||||
| 	return &Token{ | ||||
| 		AccessToken:  t.AccessToken, | ||||
| 		TokenType:    t.TokenType, | ||||
| 		RefreshToken: t.RefreshToken, | ||||
| 		Expiry:       t.Expiry, | ||||
| 		raw:          t.Raw, | ||||
| 	} | ||||
| } | ||||
|  | ||||
| // retrieveToken takes a *Config and uses that to retrieve an *internal.Token. | ||||
| // This token is then mapped from *internal.Token into an *oauth2.Token which is returned along | ||||
| // with an error.. | ||||
| func retrieveToken(ctx context.Context, c *Config, v url.Values) (*Token, error) { | ||||
| 	tk, err := internal.RetrieveToken(ctx, c.ClientID, c.ClientSecret, c.Endpoint.TokenURL, v, internal.AuthStyle(c.Endpoint.AuthStyle)) | ||||
| 	if err != nil { | ||||
| 		if rErr, ok := err.(*internal.RetrieveError); ok { | ||||
| 			return nil, (*RetrieveError)(rErr) | ||||
| 		} | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	return tokenFromInternal(tk), nil | ||||
| } | ||||
|  | ||||
| // RetrieveError is the error returned when the token endpoint returns a | ||||
| // non-2XX HTTP status code. | ||||
| type RetrieveError struct { | ||||
| 	Response *http.Response | ||||
| 	// Body is the body that was consumed by reading Response.Body. | ||||
| 	// It may be truncated. | ||||
| 	Body []byte | ||||
| } | ||||
|  | ||||
| func (r *RetrieveError) Error() string { | ||||
| 	return fmt.Sprintf("oauth2: cannot fetch token: %v\nResponse: %s", r.Response.Status, r.Body) | ||||
| } | ||||
							
								
								
									
										89
									
								
								vendor/golang.org/x/oauth2/transport.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										89
									
								
								vendor/golang.org/x/oauth2/transport.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,89 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package oauth2 | ||||
|  | ||||
| import ( | ||||
| 	"errors" | ||||
| 	"log" | ||||
| 	"net/http" | ||||
| 	"sync" | ||||
| ) | ||||
|  | ||||
| // Transport is an http.RoundTripper that makes OAuth 2.0 HTTP requests, | ||||
| // wrapping a base RoundTripper and adding an Authorization header | ||||
| // with a token from the supplied Sources. | ||||
| // | ||||
| // Transport is a low-level mechanism. Most code will use the | ||||
| // higher-level Config.Client method instead. | ||||
| type Transport struct { | ||||
| 	// Source supplies the token to add to outgoing requests' | ||||
| 	// Authorization headers. | ||||
| 	Source TokenSource | ||||
|  | ||||
| 	// Base is the base RoundTripper used to make HTTP requests. | ||||
| 	// If nil, http.DefaultTransport is used. | ||||
| 	Base http.RoundTripper | ||||
| } | ||||
|  | ||||
| // RoundTrip authorizes and authenticates the request with an | ||||
| // access token from Transport's Source. | ||||
| func (t *Transport) RoundTrip(req *http.Request) (*http.Response, error) { | ||||
| 	reqBodyClosed := false | ||||
| 	if req.Body != nil { | ||||
| 		defer func() { | ||||
| 			if !reqBodyClosed { | ||||
| 				req.Body.Close() | ||||
| 			} | ||||
| 		}() | ||||
| 	} | ||||
|  | ||||
| 	if t.Source == nil { | ||||
| 		return nil, errors.New("oauth2: Transport's Source is nil") | ||||
| 	} | ||||
| 	token, err := t.Source.Token() | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
|  | ||||
| 	req2 := cloneRequest(req) // per RoundTripper contract | ||||
| 	token.SetAuthHeader(req2) | ||||
|  | ||||
| 	// req.Body is assumed to be closed by the base RoundTripper. | ||||
| 	reqBodyClosed = true | ||||
| 	return t.base().RoundTrip(req2) | ||||
| } | ||||
|  | ||||
| var cancelOnce sync.Once | ||||
|  | ||||
| // CancelRequest does nothing. It used to be a legacy cancellation mechanism | ||||
| // but now only it only logs on first use to warn that it's deprecated. | ||||
| // | ||||
| // Deprecated: use contexts for cancellation instead. | ||||
| func (t *Transport) CancelRequest(req *http.Request) { | ||||
| 	cancelOnce.Do(func() { | ||||
| 		log.Printf("deprecated: golang.org/x/oauth2: Transport.CancelRequest no longer does anything; use contexts") | ||||
| 	}) | ||||
| } | ||||
|  | ||||
| func (t *Transport) base() http.RoundTripper { | ||||
| 	if t.Base != nil { | ||||
| 		return t.Base | ||||
| 	} | ||||
| 	return http.DefaultTransport | ||||
| } | ||||
|  | ||||
| // cloneRequest returns a clone of the provided *http.Request. | ||||
| // The clone is a shallow copy of the struct and its Header map. | ||||
| func cloneRequest(r *http.Request) *http.Request { | ||||
| 	// shallow copy of the struct | ||||
| 	r2 := new(http.Request) | ||||
| 	*r2 = *r | ||||
| 	// deep copy of the Header | ||||
| 	r2.Header = make(http.Header, len(r.Header)) | ||||
| 	for k, s := range r.Header { | ||||
| 		r2.Header[k] = append([]string(nil), s...) | ||||
| 	} | ||||
| 	return r2 | ||||
| } | ||||
							
								
								
									
										8
									
								
								vendor/golang.org/x/sys/plan9/asm.s
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										8
									
								
								vendor/golang.org/x/sys/plan9/asm.s
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,8 +0,0 @@ | ||||
| // Copyright 2014 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| #include "textflag.h" | ||||
|  | ||||
| TEXT ·use(SB),NOSPLIT,$0 | ||||
| 	RET | ||||
							
								
								
									
										30
									
								
								vendor/golang.org/x/sys/plan9/asm_plan9_386.s
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										30
									
								
								vendor/golang.org/x/sys/plan9/asm_plan9_386.s
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,30 +0,0 @@ | ||||
| // Copyright 2009 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| #include "textflag.h" | ||||
|  | ||||
| // | ||||
| // System call support for 386, Plan 9 | ||||
| // | ||||
|  | ||||
| // Just jump to package syscall's implementation for all these functions. | ||||
| // The runtime may know about them. | ||||
|  | ||||
| TEXT	·Syscall(SB),NOSPLIT,$0-32 | ||||
| 	JMP	syscall·Syscall(SB) | ||||
|  | ||||
| TEXT	·Syscall6(SB),NOSPLIT,$0-44 | ||||
| 	JMP	syscall·Syscall6(SB) | ||||
|  | ||||
| TEXT ·RawSyscall(SB),NOSPLIT,$0-28 | ||||
| 	JMP	syscall·RawSyscall(SB) | ||||
|  | ||||
| TEXT ·RawSyscall6(SB),NOSPLIT,$0-40 | ||||
| 	JMP	syscall·RawSyscall6(SB) | ||||
|  | ||||
| TEXT ·seek(SB),NOSPLIT,$0-36 | ||||
| 	JMP	syscall·seek(SB) | ||||
|  | ||||
| TEXT ·exit(SB),NOSPLIT,$4-4 | ||||
| 	JMP	syscall·exit(SB) | ||||
							
								
								
									
										30
									
								
								vendor/golang.org/x/sys/plan9/asm_plan9_amd64.s
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										30
									
								
								vendor/golang.org/x/sys/plan9/asm_plan9_amd64.s
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,30 +0,0 @@ | ||||
| // Copyright 2009 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| #include "textflag.h" | ||||
|  | ||||
| // | ||||
| // System call support for amd64, Plan 9 | ||||
| // | ||||
|  | ||||
| // Just jump to package syscall's implementation for all these functions. | ||||
| // The runtime may know about them. | ||||
|  | ||||
| TEXT	·Syscall(SB),NOSPLIT,$0-64 | ||||
| 	JMP	syscall·Syscall(SB) | ||||
|  | ||||
| TEXT	·Syscall6(SB),NOSPLIT,$0-88 | ||||
| 	JMP	syscall·Syscall6(SB) | ||||
|  | ||||
| TEXT ·RawSyscall(SB),NOSPLIT,$0-56 | ||||
| 	JMP	syscall·RawSyscall(SB) | ||||
|  | ||||
| TEXT	·RawSyscall6(SB),NOSPLIT,$0-80 | ||||
| 	JMP	syscall·RawSyscall6(SB) | ||||
|  | ||||
| TEXT ·seek(SB),NOSPLIT,$0-56 | ||||
| 	JMP	syscall·seek(SB) | ||||
|  | ||||
| TEXT ·exit(SB),NOSPLIT,$8-8 | ||||
| 	JMP	syscall·exit(SB) | ||||
							
								
								
									
										25
									
								
								vendor/golang.org/x/sys/plan9/asm_plan9_arm.s
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										25
									
								
								vendor/golang.org/x/sys/plan9/asm_plan9_arm.s
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,25 +0,0 @@ | ||||
| // Copyright 2009 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| #include "textflag.h" | ||||
|  | ||||
| // System call support for plan9 on arm | ||||
|  | ||||
| // Just jump to package syscall's implementation for all these functions. | ||||
| // The runtime may know about them. | ||||
|  | ||||
| TEXT ·Syscall(SB),NOSPLIT,$0-32 | ||||
| 	JMP	syscall·Syscall(SB) | ||||
|  | ||||
| TEXT ·Syscall6(SB),NOSPLIT,$0-44 | ||||
| 	JMP	syscall·Syscall6(SB) | ||||
|  | ||||
| TEXT ·RawSyscall(SB),NOSPLIT,$0-28 | ||||
| 	JMP	syscall·RawSyscall(SB) | ||||
|  | ||||
| TEXT ·RawSyscall6(SB),NOSPLIT,$0-40 | ||||
| 	JMP	syscall·RawSyscall6(SB) | ||||
|  | ||||
| TEXT ·seek(SB),NOSPLIT,$0-36 | ||||
| 	JMP	syscall·exit(SB) | ||||
							
								
								
									
										70
									
								
								vendor/golang.org/x/sys/plan9/const_plan9.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										70
									
								
								vendor/golang.org/x/sys/plan9/const_plan9.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,70 +0,0 @@ | ||||
| package plan9 | ||||
|  | ||||
| // Plan 9 Constants | ||||
|  | ||||
| // Open modes | ||||
| const ( | ||||
| 	O_RDONLY  = 0 | ||||
| 	O_WRONLY  = 1 | ||||
| 	O_RDWR    = 2 | ||||
| 	O_TRUNC   = 16 | ||||
| 	O_CLOEXEC = 32 | ||||
| 	O_EXCL    = 0x1000 | ||||
| ) | ||||
|  | ||||
| // Rfork flags | ||||
| const ( | ||||
| 	RFNAMEG  = 1 << 0 | ||||
| 	RFENVG   = 1 << 1 | ||||
| 	RFFDG    = 1 << 2 | ||||
| 	RFNOTEG  = 1 << 3 | ||||
| 	RFPROC   = 1 << 4 | ||||
| 	RFMEM    = 1 << 5 | ||||
| 	RFNOWAIT = 1 << 6 | ||||
| 	RFCNAMEG = 1 << 10 | ||||
| 	RFCENVG  = 1 << 11 | ||||
| 	RFCFDG   = 1 << 12 | ||||
| 	RFREND   = 1 << 13 | ||||
| 	RFNOMNT  = 1 << 14 | ||||
| ) | ||||
|  | ||||
| // Qid.Type bits | ||||
| const ( | ||||
| 	QTDIR    = 0x80 | ||||
| 	QTAPPEND = 0x40 | ||||
| 	QTEXCL   = 0x20 | ||||
| 	QTMOUNT  = 0x10 | ||||
| 	QTAUTH   = 0x08 | ||||
| 	QTTMP    = 0x04 | ||||
| 	QTFILE   = 0x00 | ||||
| ) | ||||
|  | ||||
| // Dir.Mode bits | ||||
| const ( | ||||
| 	DMDIR    = 0x80000000 | ||||
| 	DMAPPEND = 0x40000000 | ||||
| 	DMEXCL   = 0x20000000 | ||||
| 	DMMOUNT  = 0x10000000 | ||||
| 	DMAUTH   = 0x08000000 | ||||
| 	DMTMP    = 0x04000000 | ||||
| 	DMREAD   = 0x4 | ||||
| 	DMWRITE  = 0x2 | ||||
| 	DMEXEC   = 0x1 | ||||
| ) | ||||
|  | ||||
| const ( | ||||
| 	STATMAX    = 65535 | ||||
| 	ERRMAX     = 128 | ||||
| 	STATFIXLEN = 49 | ||||
| ) | ||||
|  | ||||
| // Mount and bind flags | ||||
| const ( | ||||
| 	MREPL   = 0x0000 | ||||
| 	MBEFORE = 0x0001 | ||||
| 	MAFTER  = 0x0002 | ||||
| 	MORDER  = 0x0003 | ||||
| 	MCREATE = 0x0004 | ||||
| 	MCACHE  = 0x0010 | ||||
| 	MMASK   = 0x0017 | ||||
| ) | ||||
							
								
								
									
										212
									
								
								vendor/golang.org/x/sys/plan9/dir_plan9.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										212
									
								
								vendor/golang.org/x/sys/plan9/dir_plan9.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,212 +0,0 @@ | ||||
| // Copyright 2012 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // Plan 9 directory marshalling. See intro(5). | ||||
|  | ||||
| package plan9 | ||||
|  | ||||
| import "errors" | ||||
|  | ||||
| var ( | ||||
| 	ErrShortStat = errors.New("stat buffer too short") | ||||
| 	ErrBadStat   = errors.New("malformed stat buffer") | ||||
| 	ErrBadName   = errors.New("bad character in file name") | ||||
| ) | ||||
|  | ||||
| // A Qid represents a 9P server's unique identification for a file. | ||||
| type Qid struct { | ||||
| 	Path uint64 // the file server's unique identification for the file | ||||
| 	Vers uint32 // version number for given Path | ||||
| 	Type uint8  // the type of the file (plan9.QTDIR for example) | ||||
| } | ||||
|  | ||||
| // A Dir contains the metadata for a file. | ||||
| type Dir struct { | ||||
| 	// system-modified data | ||||
| 	Type uint16 // server type | ||||
| 	Dev  uint32 // server subtype | ||||
|  | ||||
| 	// file data | ||||
| 	Qid    Qid    // unique id from server | ||||
| 	Mode   uint32 // permissions | ||||
| 	Atime  uint32 // last read time | ||||
| 	Mtime  uint32 // last write time | ||||
| 	Length int64  // file length | ||||
| 	Name   string // last element of path | ||||
| 	Uid    string // owner name | ||||
| 	Gid    string // group name | ||||
| 	Muid   string // last modifier name | ||||
| } | ||||
|  | ||||
| var nullDir = Dir{ | ||||
| 	Type: ^uint16(0), | ||||
| 	Dev:  ^uint32(0), | ||||
| 	Qid: Qid{ | ||||
| 		Path: ^uint64(0), | ||||
| 		Vers: ^uint32(0), | ||||
| 		Type: ^uint8(0), | ||||
| 	}, | ||||
| 	Mode:   ^uint32(0), | ||||
| 	Atime:  ^uint32(0), | ||||
| 	Mtime:  ^uint32(0), | ||||
| 	Length: ^int64(0), | ||||
| } | ||||
|  | ||||
| // Null assigns special "don't touch" values to members of d to | ||||
| // avoid modifying them during plan9.Wstat. | ||||
| func (d *Dir) Null() { *d = nullDir } | ||||
|  | ||||
| // Marshal encodes a 9P stat message corresponding to d into b | ||||
| // | ||||
| // If there isn't enough space in b for a stat message, ErrShortStat is returned. | ||||
| func (d *Dir) Marshal(b []byte) (n int, err error) { | ||||
| 	n = STATFIXLEN + len(d.Name) + len(d.Uid) + len(d.Gid) + len(d.Muid) | ||||
| 	if n > len(b) { | ||||
| 		return n, ErrShortStat | ||||
| 	} | ||||
|  | ||||
| 	for _, c := range d.Name { | ||||
| 		if c == '/' { | ||||
| 			return n, ErrBadName | ||||
| 		} | ||||
| 	} | ||||
|  | ||||
| 	b = pbit16(b, uint16(n)-2) | ||||
| 	b = pbit16(b, d.Type) | ||||
| 	b = pbit32(b, d.Dev) | ||||
| 	b = pbit8(b, d.Qid.Type) | ||||
| 	b = pbit32(b, d.Qid.Vers) | ||||
| 	b = pbit64(b, d.Qid.Path) | ||||
| 	b = pbit32(b, d.Mode) | ||||
| 	b = pbit32(b, d.Atime) | ||||
| 	b = pbit32(b, d.Mtime) | ||||
| 	b = pbit64(b, uint64(d.Length)) | ||||
| 	b = pstring(b, d.Name) | ||||
| 	b = pstring(b, d.Uid) | ||||
| 	b = pstring(b, d.Gid) | ||||
| 	b = pstring(b, d.Muid) | ||||
|  | ||||
| 	return n, nil | ||||
| } | ||||
|  | ||||
| // UnmarshalDir decodes a single 9P stat message from b and returns the resulting Dir. | ||||
| // | ||||
| // If b is too small to hold a valid stat message, ErrShortStat is returned. | ||||
| // | ||||
| // If the stat message itself is invalid, ErrBadStat is returned. | ||||
| func UnmarshalDir(b []byte) (*Dir, error) { | ||||
| 	if len(b) < STATFIXLEN { | ||||
| 		return nil, ErrShortStat | ||||
| 	} | ||||
| 	size, buf := gbit16(b) | ||||
| 	if len(b) != int(size)+2 { | ||||
| 		return nil, ErrBadStat | ||||
| 	} | ||||
| 	b = buf | ||||
|  | ||||
| 	var d Dir | ||||
| 	d.Type, b = gbit16(b) | ||||
| 	d.Dev, b = gbit32(b) | ||||
| 	d.Qid.Type, b = gbit8(b) | ||||
| 	d.Qid.Vers, b = gbit32(b) | ||||
| 	d.Qid.Path, b = gbit64(b) | ||||
| 	d.Mode, b = gbit32(b) | ||||
| 	d.Atime, b = gbit32(b) | ||||
| 	d.Mtime, b = gbit32(b) | ||||
|  | ||||
| 	n, b := gbit64(b) | ||||
| 	d.Length = int64(n) | ||||
|  | ||||
| 	var ok bool | ||||
| 	if d.Name, b, ok = gstring(b); !ok { | ||||
| 		return nil, ErrBadStat | ||||
| 	} | ||||
| 	if d.Uid, b, ok = gstring(b); !ok { | ||||
| 		return nil, ErrBadStat | ||||
| 	} | ||||
| 	if d.Gid, b, ok = gstring(b); !ok { | ||||
| 		return nil, ErrBadStat | ||||
| 	} | ||||
| 	if d.Muid, b, ok = gstring(b); !ok { | ||||
| 		return nil, ErrBadStat | ||||
| 	} | ||||
|  | ||||
| 	return &d, nil | ||||
| } | ||||
|  | ||||
| // pbit8 copies the 8-bit number v to b and returns the remaining slice of b. | ||||
| func pbit8(b []byte, v uint8) []byte { | ||||
| 	b[0] = byte(v) | ||||
| 	return b[1:] | ||||
| } | ||||
|  | ||||
| // pbit16 copies the 16-bit number v to b in little-endian order and returns the remaining slice of b. | ||||
| func pbit16(b []byte, v uint16) []byte { | ||||
| 	b[0] = byte(v) | ||||
| 	b[1] = byte(v >> 8) | ||||
| 	return b[2:] | ||||
| } | ||||
|  | ||||
| // pbit32 copies the 32-bit number v to b in little-endian order and returns the remaining slice of b. | ||||
| func pbit32(b []byte, v uint32) []byte { | ||||
| 	b[0] = byte(v) | ||||
| 	b[1] = byte(v >> 8) | ||||
| 	b[2] = byte(v >> 16) | ||||
| 	b[3] = byte(v >> 24) | ||||
| 	return b[4:] | ||||
| } | ||||
|  | ||||
| // pbit64 copies the 64-bit number v to b in little-endian order and returns the remaining slice of b. | ||||
| func pbit64(b []byte, v uint64) []byte { | ||||
| 	b[0] = byte(v) | ||||
| 	b[1] = byte(v >> 8) | ||||
| 	b[2] = byte(v >> 16) | ||||
| 	b[3] = byte(v >> 24) | ||||
| 	b[4] = byte(v >> 32) | ||||
| 	b[5] = byte(v >> 40) | ||||
| 	b[6] = byte(v >> 48) | ||||
| 	b[7] = byte(v >> 56) | ||||
| 	return b[8:] | ||||
| } | ||||
|  | ||||
| // pstring copies the string s to b, prepending it with a 16-bit length in little-endian order, and | ||||
| // returning the remaining slice of b.. | ||||
| func pstring(b []byte, s string) []byte { | ||||
| 	b = pbit16(b, uint16(len(s))) | ||||
| 	n := copy(b, s) | ||||
| 	return b[n:] | ||||
| } | ||||
|  | ||||
| // gbit8 reads an 8-bit number from b and returns it with the remaining slice of b. | ||||
| func gbit8(b []byte) (uint8, []byte) { | ||||
| 	return uint8(b[0]), b[1:] | ||||
| } | ||||
|  | ||||
| // gbit16 reads a 16-bit number in little-endian order from b and returns it with the remaining slice of b. | ||||
| func gbit16(b []byte) (uint16, []byte) { | ||||
| 	return uint16(b[0]) | uint16(b[1])<<8, b[2:] | ||||
| } | ||||
|  | ||||
| // gbit32 reads a 32-bit number in little-endian order from b and returns it with the remaining slice of b. | ||||
| func gbit32(b []byte) (uint32, []byte) { | ||||
| 	return uint32(b[0]) | uint32(b[1])<<8 | uint32(b[2])<<16 | uint32(b[3])<<24, b[4:] | ||||
| } | ||||
|  | ||||
| // gbit64 reads a 64-bit number in little-endian order from b and returns it with the remaining slice of b. | ||||
| func gbit64(b []byte) (uint64, []byte) { | ||||
| 	lo := uint32(b[0]) | uint32(b[1])<<8 | uint32(b[2])<<16 | uint32(b[3])<<24 | ||||
| 	hi := uint32(b[4]) | uint32(b[5])<<8 | uint32(b[6])<<16 | uint32(b[7])<<24 | ||||
| 	return uint64(lo) | uint64(hi)<<32, b[8:] | ||||
| } | ||||
|  | ||||
| // gstring reads a string from b, prefixed with a 16-bit length in little-endian order. | ||||
| // It returns the string with the remaining slice of b and a boolean. If the length is | ||||
| // greater than the number of bytes in b, the boolean will be false. | ||||
| func gstring(b []byte) (string, []byte, bool) { | ||||
| 	n, b := gbit16(b) | ||||
| 	if int(n) > len(b) { | ||||
| 		return "", b, false | ||||
| 	} | ||||
| 	return string(b[:n]), b[n:], true | ||||
| } | ||||
							
								
								
									
										31
									
								
								vendor/golang.org/x/sys/plan9/env_plan9.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										31
									
								
								vendor/golang.org/x/sys/plan9/env_plan9.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,31 +0,0 @@ | ||||
| // Copyright 2011 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // Plan 9 environment variables. | ||||
|  | ||||
| package plan9 | ||||
|  | ||||
| import ( | ||||
| 	"syscall" | ||||
| ) | ||||
|  | ||||
| func Getenv(key string) (value string, found bool) { | ||||
| 	return syscall.Getenv(key) | ||||
| } | ||||
|  | ||||
| func Setenv(key, value string) error { | ||||
| 	return syscall.Setenv(key, value) | ||||
| } | ||||
|  | ||||
| func Clearenv() { | ||||
| 	syscall.Clearenv() | ||||
| } | ||||
|  | ||||
| func Environ() []string { | ||||
| 	return syscall.Environ() | ||||
| } | ||||
|  | ||||
| func Unsetenv(key string) error { | ||||
| 	return syscall.Unsetenv(key) | ||||
| } | ||||
							
								
								
									
										50
									
								
								vendor/golang.org/x/sys/plan9/errors_plan9.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										50
									
								
								vendor/golang.org/x/sys/plan9/errors_plan9.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,50 +0,0 @@ | ||||
| // Copyright 2011 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| package plan9 | ||||
|  | ||||
| import "syscall" | ||||
|  | ||||
| // Constants | ||||
| const ( | ||||
| 	// Invented values to support what package os expects. | ||||
| 	O_CREAT    = 0x02000 | ||||
| 	O_APPEND   = 0x00400 | ||||
| 	O_NOCTTY   = 0x00000 | ||||
| 	O_NONBLOCK = 0x00000 | ||||
| 	O_SYNC     = 0x00000 | ||||
| 	O_ASYNC    = 0x00000 | ||||
|  | ||||
| 	S_IFMT   = 0x1f000 | ||||
| 	S_IFIFO  = 0x1000 | ||||
| 	S_IFCHR  = 0x2000 | ||||
| 	S_IFDIR  = 0x4000 | ||||
| 	S_IFBLK  = 0x6000 | ||||
| 	S_IFREG  = 0x8000 | ||||
| 	S_IFLNK  = 0xa000 | ||||
| 	S_IFSOCK = 0xc000 | ||||
| ) | ||||
|  | ||||
| // Errors | ||||
| var ( | ||||
| 	EINVAL       = syscall.NewError("bad arg in system call") | ||||
| 	ENOTDIR      = syscall.NewError("not a directory") | ||||
| 	EISDIR       = syscall.NewError("file is a directory") | ||||
| 	ENOENT       = syscall.NewError("file does not exist") | ||||
| 	EEXIST       = syscall.NewError("file already exists") | ||||
| 	EMFILE       = syscall.NewError("no free file descriptors") | ||||
| 	EIO          = syscall.NewError("i/o error") | ||||
| 	ENAMETOOLONG = syscall.NewError("file name too long") | ||||
| 	EINTR        = syscall.NewError("interrupted") | ||||
| 	EPERM        = syscall.NewError("permission denied") | ||||
| 	EBUSY        = syscall.NewError("no free devices") | ||||
| 	ETIMEDOUT    = syscall.NewError("connection timed out") | ||||
| 	EPLAN9       = syscall.NewError("not supported by plan 9") | ||||
|  | ||||
| 	// The following errors do not correspond to any | ||||
| 	// Plan 9 system messages. Invented to support | ||||
| 	// what package os and others expect. | ||||
| 	EACCES       = syscall.NewError("access permission denied") | ||||
| 	EAFNOSUPPORT = syscall.NewError("address family not supported by protocol") | ||||
| ) | ||||
							
								
								
									
										150
									
								
								vendor/golang.org/x/sys/plan9/mkall.sh
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										150
									
								
								vendor/golang.org/x/sys/plan9/mkall.sh
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,150 +0,0 @@ | ||||
| #!/usr/bin/env bash | ||||
| # Copyright 2009 The Go Authors. All rights reserved. | ||||
| # Use of this source code is governed by a BSD-style | ||||
| # license that can be found in the LICENSE file. | ||||
|  | ||||
| # The plan9 package provides access to the raw system call | ||||
| # interface of the underlying operating system.  Porting Go to | ||||
| # a new architecture/operating system combination requires | ||||
| # some manual effort, though there are tools that automate | ||||
| # much of the process.  The auto-generated files have names | ||||
| # beginning with z. | ||||
| # | ||||
| # This script runs or (given -n) prints suggested commands to generate z files | ||||
| # for the current system.  Running those commands is not automatic. | ||||
| # This script is documentation more than anything else. | ||||
| # | ||||
| # * asm_${GOOS}_${GOARCH}.s | ||||
| # | ||||
| # This hand-written assembly file implements system call dispatch. | ||||
| # There are three entry points: | ||||
| # | ||||
| # 	func Syscall(trap, a1, a2, a3 uintptr) (r1, r2, err uintptr); | ||||
| # 	func Syscall6(trap, a1, a2, a3, a4, a5, a6 uintptr) (r1, r2, err uintptr); | ||||
| # 	func RawSyscall(trap, a1, a2, a3 uintptr) (r1, r2, err uintptr); | ||||
| # | ||||
| # The first and second are the standard ones; they differ only in | ||||
| # how many arguments can be passed to the kernel. | ||||
| # The third is for low-level use by the ForkExec wrapper; | ||||
| # unlike the first two, it does not call into the scheduler to | ||||
| # let it know that a system call is running. | ||||
| # | ||||
| # * syscall_${GOOS}.go | ||||
| # | ||||
| # This hand-written Go file implements system calls that need | ||||
| # special handling and lists "//sys" comments giving prototypes | ||||
| # for ones that can be auto-generated.  Mksyscall reads those | ||||
| # comments to generate the stubs. | ||||
| # | ||||
| # * syscall_${GOOS}_${GOARCH}.go | ||||
| # | ||||
| # Same as syscall_${GOOS}.go except that it contains code specific | ||||
| # to ${GOOS} on one particular architecture. | ||||
| # | ||||
| # * types_${GOOS}.c | ||||
| # | ||||
| # This hand-written C file includes standard C headers and then | ||||
| # creates typedef or enum names beginning with a dollar sign | ||||
| # (use of $ in variable names is a gcc extension).  The hardest | ||||
| # part about preparing this file is figuring out which headers to | ||||
| # include and which symbols need to be #defined to get the | ||||
| # actual data structures that pass through to the kernel system calls. | ||||
| # Some C libraries present alternate versions for binary compatibility | ||||
| # and translate them on the way in and out of system calls, but | ||||
| # there is almost always a #define that can get the real ones. | ||||
| # See types_darwin.c and types_linux.c for examples. | ||||
| # | ||||
| # * zerror_${GOOS}_${GOARCH}.go | ||||
| # | ||||
| # This machine-generated file defines the system's error numbers, | ||||
| # error strings, and signal numbers.  The generator is "mkerrors.sh". | ||||
| # Usually no arguments are needed, but mkerrors.sh will pass its | ||||
| # arguments on to godefs. | ||||
| # | ||||
| # * zsyscall_${GOOS}_${GOARCH}.go | ||||
| # | ||||
| # Generated by mksyscall.pl; see syscall_${GOOS}.go above. | ||||
| # | ||||
| # * zsysnum_${GOOS}_${GOARCH}.go | ||||
| # | ||||
| # Generated by mksysnum_${GOOS}. | ||||
| # | ||||
| # * ztypes_${GOOS}_${GOARCH}.go | ||||
| # | ||||
| # Generated by godefs; see types_${GOOS}.c above. | ||||
|  | ||||
| GOOSARCH="${GOOS}_${GOARCH}" | ||||
|  | ||||
| # defaults | ||||
| mksyscall="go run mksyscall.go" | ||||
| mkerrors="./mkerrors.sh" | ||||
| zerrors="zerrors_$GOOSARCH.go" | ||||
| mksysctl="" | ||||
| zsysctl="zsysctl_$GOOSARCH.go" | ||||
| mksysnum= | ||||
| mktypes= | ||||
| run="sh" | ||||
|  | ||||
| case "$1" in | ||||
| -syscalls) | ||||
| 	for i in zsyscall*go | ||||
| 	do | ||||
| 		sed 1q $i | sed 's;^// ;;' | sh > _$i && gofmt < _$i > $i | ||||
| 		rm _$i | ||||
| 	done | ||||
| 	exit 0 | ||||
| 	;; | ||||
| -n) | ||||
| 	run="cat" | ||||
| 	shift | ||||
| esac | ||||
|  | ||||
| case "$#" in | ||||
| 0) | ||||
| 	;; | ||||
| *) | ||||
| 	echo 'usage: mkall.sh [-n]' 1>&2 | ||||
| 	exit 2 | ||||
| esac | ||||
|  | ||||
| case "$GOOSARCH" in | ||||
| _* | *_ | _) | ||||
| 	echo 'undefined $GOOS_$GOARCH:' "$GOOSARCH" 1>&2 | ||||
| 	exit 1 | ||||
| 	;; | ||||
| plan9_386) | ||||
| 	mkerrors= | ||||
| 	mksyscall="go run mksyscall.go -l32 -plan9 -tags plan9,386" | ||||
| 	mksysnum="./mksysnum_plan9.sh /n/sources/plan9/sys/src/libc/9syscall/sys.h" | ||||
| 	mktypes="XXX" | ||||
| 	;; | ||||
| plan9_amd64) | ||||
| 	mkerrors= | ||||
| 	mksyscall="go run mksyscall.go -l32 -plan9 -tags plan9,amd64" | ||||
| 	mksysnum="./mksysnum_plan9.sh /n/sources/plan9/sys/src/libc/9syscall/sys.h" | ||||
| 	mktypes="XXX" | ||||
| 	;; | ||||
| plan9_arm) | ||||
| 	mkerrors= | ||||
| 	mksyscall="go run mksyscall.go -l32 -plan9 -tags plan9,arm" | ||||
| 	mksysnum="./mksysnum_plan9.sh /n/sources/plan9/sys/src/libc/9syscall/sys.h" | ||||
| 	mktypes="XXX" | ||||
| 	;; | ||||
| *) | ||||
| 	echo 'unrecognized $GOOS_$GOARCH: ' "$GOOSARCH" 1>&2 | ||||
| 	exit 1 | ||||
| 	;; | ||||
| esac | ||||
|  | ||||
| ( | ||||
| 	if [ -n "$mkerrors" ]; then echo "$mkerrors |gofmt >$zerrors"; fi | ||||
| 	case "$GOOS" in | ||||
| 	plan9) | ||||
| 		syscall_goos="syscall_$GOOS.go" | ||||
| 		if [ -n "$mksyscall" ]; then echo "$mksyscall $syscall_goos |gofmt >zsyscall_$GOOSARCH.go"; fi | ||||
| 		;; | ||||
| 	esac | ||||
| 	if [ -n "$mksysctl" ]; then echo "$mksysctl |gofmt >$zsysctl"; fi | ||||
| 	if [ -n "$mksysnum" ]; then echo "$mksysnum |gofmt >zsysnum_$GOOSARCH.go"; fi | ||||
| 	if [ -n "$mktypes" ]; then echo "$mktypes types_$GOOS.go |gofmt >ztypes_$GOOSARCH.go"; fi | ||||
| ) | $run | ||||
							
								
								
									
										246
									
								
								vendor/golang.org/x/sys/plan9/mkerrors.sh
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										246
									
								
								vendor/golang.org/x/sys/plan9/mkerrors.sh
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,246 +0,0 @@ | ||||
| #!/usr/bin/env bash | ||||
| # Copyright 2009 The Go Authors. All rights reserved. | ||||
| # Use of this source code is governed by a BSD-style | ||||
| # license that can be found in the LICENSE file. | ||||
|  | ||||
| # Generate Go code listing errors and other #defined constant | ||||
| # values (ENAMETOOLONG etc.), by asking the preprocessor | ||||
| # about the definitions. | ||||
|  | ||||
| unset LANG | ||||
| export LC_ALL=C | ||||
| export LC_CTYPE=C | ||||
|  | ||||
| CC=${CC:-gcc} | ||||
|  | ||||
| uname=$(uname) | ||||
|  | ||||
| includes=' | ||||
| #include <sys/types.h> | ||||
| #include <sys/file.h> | ||||
| #include <fcntl.h> | ||||
| #include <dirent.h> | ||||
| #include <sys/socket.h> | ||||
| #include <netinet/in.h> | ||||
| #include <netinet/ip.h> | ||||
| #include <netinet/ip6.h> | ||||
| #include <netinet/tcp.h> | ||||
| #include <errno.h> | ||||
| #include <sys/signal.h> | ||||
| #include <signal.h> | ||||
| #include <sys/resource.h> | ||||
| ' | ||||
|  | ||||
| ccflags="$@" | ||||
|  | ||||
| # Write go tool cgo -godefs input. | ||||
| ( | ||||
| 	echo package plan9 | ||||
| 	echo | ||||
| 	echo '/*' | ||||
| 	indirect="includes_$(uname)" | ||||
| 	echo "${!indirect} $includes" | ||||
| 	echo '*/' | ||||
| 	echo 'import "C"' | ||||
| 	echo | ||||
| 	echo 'const (' | ||||
|  | ||||
| 	# The gcc command line prints all the #defines | ||||
| 	# it encounters while processing the input | ||||
| 	echo "${!indirect} $includes" | $CC -x c - -E -dM $ccflags | | ||||
| 	awk ' | ||||
| 		$1 != "#define" || $2 ~ /\(/ || $3 == "" {next} | ||||
|  | ||||
| 		$2 ~ /^E([ABCD]X|[BIS]P|[SD]I|S|FL)$/ {next}  # 386 registers | ||||
| 		$2 ~ /^(SIGEV_|SIGSTKSZ|SIGRT(MIN|MAX))/ {next} | ||||
| 		$2 ~ /^(SCM_SRCRT)$/ {next} | ||||
| 		$2 ~ /^(MAP_FAILED)$/ {next} | ||||
|  | ||||
| 		$2 !~ /^ETH_/ && | ||||
| 		$2 !~ /^EPROC_/ && | ||||
| 		$2 !~ /^EQUIV_/ && | ||||
| 		$2 !~ /^EXPR_/ && | ||||
| 		$2 ~ /^E[A-Z0-9_]+$/ || | ||||
| 		$2 ~ /^B[0-9_]+$/ || | ||||
| 		$2 ~ /^V[A-Z0-9]+$/ || | ||||
| 		$2 ~ /^CS[A-Z0-9]/ || | ||||
| 		$2 ~ /^I(SIG|CANON|CRNL|EXTEN|MAXBEL|STRIP|UTF8)$/ || | ||||
| 		$2 ~ /^IGN/ || | ||||
| 		$2 ~ /^IX(ON|ANY|OFF)$/ || | ||||
| 		$2 ~ /^IN(LCR|PCK)$/ || | ||||
| 		$2 ~ /(^FLU?SH)|(FLU?SH$)/ || | ||||
| 		$2 ~ /^C(LOCAL|READ)$/ || | ||||
| 		$2 == "BRKINT" || | ||||
| 		$2 == "HUPCL" || | ||||
| 		$2 == "PENDIN" || | ||||
| 		$2 == "TOSTOP" || | ||||
| 		$2 ~ /^PAR/ || | ||||
| 		$2 ~ /^SIG[^_]/ || | ||||
| 		$2 ~ /^O[CNPFP][A-Z]+[^_][A-Z]+$/ || | ||||
| 		$2 ~ /^IN_/ || | ||||
| 		$2 ~ /^LOCK_(SH|EX|NB|UN)$/ || | ||||
| 		$2 ~ /^(AF|SOCK|SO|SOL|IPPROTO|IP|IPV6|ICMP6|TCP|EVFILT|NOTE|EV|SHUT|PROT|MAP|PACKET|MSG|SCM|MCL|DT|MADV|PR)_/ || | ||||
| 		$2 == "ICMPV6_FILTER" || | ||||
| 		$2 == "SOMAXCONN" || | ||||
| 		$2 == "NAME_MAX" || | ||||
| 		$2 == "IFNAMSIZ" || | ||||
| 		$2 ~ /^CTL_(MAXNAME|NET|QUERY)$/ || | ||||
| 		$2 ~ /^SYSCTL_VERS/ || | ||||
| 		$2 ~ /^(MS|MNT)_/ || | ||||
| 		$2 ~ /^TUN(SET|GET|ATTACH|DETACH)/ || | ||||
| 		$2 ~ /^(O|F|FD|NAME|S|PTRACE|PT)_/ || | ||||
| 		$2 ~ /^LINUX_REBOOT_CMD_/ || | ||||
| 		$2 ~ /^LINUX_REBOOT_MAGIC[12]$/ || | ||||
| 		$2 !~ "NLA_TYPE_MASK" && | ||||
| 		$2 ~ /^(NETLINK|NLM|NLMSG|NLA|IFA|IFAN|RT|RTCF|RTN|RTPROT|RTNH|ARPHRD|ETH_P)_/ || | ||||
| 		$2 ~ /^SIOC/ || | ||||
| 		$2 ~ /^TIOC/ || | ||||
| 		$2 !~ "RTF_BITS" && | ||||
| 		$2 ~ /^(IFF|IFT|NET_RT|RTM|RTF|RTV|RTA|RTAX)_/ || | ||||
| 		$2 ~ /^BIOC/ || | ||||
| 		$2 ~ /^RUSAGE_(SELF|CHILDREN|THREAD)/ || | ||||
| 		$2 ~ /^RLIMIT_(AS|CORE|CPU|DATA|FSIZE|NOFILE|STACK)|RLIM_INFINITY/ || | ||||
| 		$2 ~ /^PRIO_(PROCESS|PGRP|USER)/ || | ||||
| 		$2 ~ /^CLONE_[A-Z_]+/ || | ||||
| 		$2 !~ /^(BPF_TIMEVAL)$/ && | ||||
| 		$2 ~ /^(BPF|DLT)_/ || | ||||
| 		$2 !~ "WMESGLEN" && | ||||
| 		$2 ~ /^W[A-Z0-9]+$/ {printf("\t%s = C.%s\n", $2, $2)} | ||||
| 		$2 ~ /^__WCOREFLAG$/ {next} | ||||
| 		$2 ~ /^__W[A-Z0-9]+$/ {printf("\t%s = C.%s\n", substr($2,3), $2)} | ||||
|  | ||||
| 		{next} | ||||
| 	' | sort | ||||
|  | ||||
| 	echo ')' | ||||
| ) >_const.go | ||||
|  | ||||
| # Pull out the error names for later. | ||||
| errors=$( | ||||
| 	echo '#include <errno.h>' | $CC -x c - -E -dM $ccflags | | ||||
| 	awk '$1=="#define" && $2 ~ /^E[A-Z0-9_]+$/ { print $2 }' | | ||||
| 	sort | ||||
| ) | ||||
|  | ||||
| # Pull out the signal names for later. | ||||
| signals=$( | ||||
| 	echo '#include <signal.h>' | $CC -x c - -E -dM $ccflags | | ||||
| 	awk '$1=="#define" && $2 ~ /^SIG[A-Z0-9]+$/ { print $2 }' | | ||||
| 	egrep -v '(SIGSTKSIZE|SIGSTKSZ|SIGRT)' | | ||||
| 	sort | ||||
| ) | ||||
|  | ||||
| # Again, writing regexps to a file. | ||||
| echo '#include <errno.h>' | $CC -x c - -E -dM $ccflags | | ||||
| 	awk '$1=="#define" && $2 ~ /^E[A-Z0-9_]+$/ { print "^\t" $2 "[ \t]*=" }' | | ||||
| 	sort >_error.grep | ||||
| echo '#include <signal.h>' | $CC -x c - -E -dM $ccflags | | ||||
| 	awk '$1=="#define" && $2 ~ /^SIG[A-Z0-9]+$/ { print "^\t" $2 "[ \t]*=" }' | | ||||
| 	egrep -v '(SIGSTKSIZE|SIGSTKSZ|SIGRT)' | | ||||
| 	sort >_signal.grep | ||||
|  | ||||
| echo '// mkerrors.sh' "$@" | ||||
| echo '// Code generated by the command above; DO NOT EDIT.' | ||||
| echo | ||||
| go tool cgo -godefs -- "$@" _const.go >_error.out | ||||
| cat _error.out | grep -vf _error.grep | grep -vf _signal.grep | ||||
| echo | ||||
| echo '// Errors' | ||||
| echo 'const (' | ||||
| cat _error.out | grep -f _error.grep | sed 's/=\(.*\)/= Errno(\1)/' | ||||
| echo ')' | ||||
|  | ||||
| echo | ||||
| echo '// Signals' | ||||
| echo 'const (' | ||||
| cat _error.out | grep -f _signal.grep | sed 's/=\(.*\)/= Signal(\1)/' | ||||
| echo ')' | ||||
|  | ||||
| # Run C program to print error and syscall strings. | ||||
| ( | ||||
| 	echo -E " | ||||
| #include <stdio.h> | ||||
| #include <stdlib.h> | ||||
| #include <errno.h> | ||||
| #include <ctype.h> | ||||
| #include <string.h> | ||||
| #include <signal.h> | ||||
|  | ||||
| #define nelem(x) (sizeof(x)/sizeof((x)[0])) | ||||
|  | ||||
| enum { A = 'A', Z = 'Z', a = 'a', z = 'z' }; // avoid need for single quotes below | ||||
|  | ||||
| int errors[] = { | ||||
| " | ||||
| 	for i in $errors | ||||
| 	do | ||||
| 		echo -E '	'$i, | ||||
| 	done | ||||
|  | ||||
| 	echo -E " | ||||
| }; | ||||
|  | ||||
| int signals[] = { | ||||
| " | ||||
| 	for i in $signals | ||||
| 	do | ||||
| 		echo -E '	'$i, | ||||
| 	done | ||||
|  | ||||
| 	# Use -E because on some systems bash builtin interprets \n itself. | ||||
| 	echo -E ' | ||||
| }; | ||||
|  | ||||
| static int | ||||
| intcmp(const void *a, const void *b) | ||||
| { | ||||
| 	return *(int*)a - *(int*)b; | ||||
| } | ||||
|  | ||||
| int | ||||
| main(void) | ||||
| { | ||||
| 	int i, j, e; | ||||
| 	char buf[1024], *p; | ||||
|  | ||||
| 	printf("\n\n// Error table\n"); | ||||
| 	printf("var errors = [...]string {\n"); | ||||
| 	qsort(errors, nelem(errors), sizeof errors[0], intcmp); | ||||
| 	for(i=0; i<nelem(errors); i++) { | ||||
| 		e = errors[i]; | ||||
| 		if(i > 0 && errors[i-1] == e) | ||||
| 			continue; | ||||
| 		strcpy(buf, strerror(e)); | ||||
| 		// lowercase first letter: Bad -> bad, but STREAM -> STREAM. | ||||
| 		if(A <= buf[0] && buf[0] <= Z && a <= buf[1] && buf[1] <= z) | ||||
| 			buf[0] += a - A; | ||||
| 		printf("\t%d: \"%s\",\n", e, buf); | ||||
| 	} | ||||
| 	printf("}\n\n"); | ||||
| 	 | ||||
| 	printf("\n\n// Signal table\n"); | ||||
| 	printf("var signals = [...]string {\n"); | ||||
| 	qsort(signals, nelem(signals), sizeof signals[0], intcmp); | ||||
| 	for(i=0; i<nelem(signals); i++) { | ||||
| 		e = signals[i]; | ||||
| 		if(i > 0 && signals[i-1] == e) | ||||
| 			continue; | ||||
| 		strcpy(buf, strsignal(e)); | ||||
| 		// lowercase first letter: Bad -> bad, but STREAM -> STREAM. | ||||
| 		if(A <= buf[0] && buf[0] <= Z && a <= buf[1] && buf[1] <= z) | ||||
| 			buf[0] += a - A; | ||||
| 		// cut trailing : number. | ||||
| 		p = strrchr(buf, ":"[0]); | ||||
| 		if(p) | ||||
| 			*p = '\0'; | ||||
| 		printf("\t%d: \"%s\",\n", e, buf); | ||||
| 	} | ||||
| 	printf("}\n\n"); | ||||
|  | ||||
| 	return 0; | ||||
| } | ||||
|  | ||||
| ' | ||||
| ) >_errors.c | ||||
|  | ||||
| $CC $ccflags -o _errors _errors.c && $GORUN ./_errors && rm -f _errors.c _errors _const.go _error.grep _signal.grep _error.out | ||||
							
								
								
									
										23
									
								
								vendor/golang.org/x/sys/plan9/mksysnum_plan9.sh
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										23
									
								
								vendor/golang.org/x/sys/plan9/mksysnum_plan9.sh
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,23 +0,0 @@ | ||||
| #!/bin/sh | ||||
| # Copyright 2009 The Go Authors. All rights reserved. | ||||
| # Use of this source code is governed by a BSD-style | ||||
| # license that can be found in the LICENSE file. | ||||
|  | ||||
| COMMAND="mksysnum_plan9.sh $@" | ||||
|  | ||||
| cat <<EOF | ||||
| // $COMMAND | ||||
| // MACHINE GENERATED BY THE ABOVE COMMAND; DO NOT EDIT | ||||
|  | ||||
| package plan9 | ||||
|  | ||||
| const( | ||||
| EOF | ||||
|  | ||||
| SP='[ 	]' # space or tab | ||||
| sed "s/^#define${SP}\\([A-Z0-9_][A-Z0-9_]*\\)${SP}${SP}*\\([0-9][0-9]*\\)/SYS_\\1=\\2/g" \ | ||||
| 	< $1 | grep -v SYS__ | ||||
|  | ||||
| cat <<EOF | ||||
| ) | ||||
| EOF | ||||
							
								
								
									
										21
									
								
								vendor/golang.org/x/sys/plan9/pwd_go15_plan9.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										21
									
								
								vendor/golang.org/x/sys/plan9/pwd_go15_plan9.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,21 +0,0 @@ | ||||
| // Copyright 2015 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // +build go1.5 | ||||
|  | ||||
| package plan9 | ||||
|  | ||||
| import "syscall" | ||||
|  | ||||
| func fixwd() { | ||||
| 	syscall.Fixwd() | ||||
| } | ||||
|  | ||||
| func Getwd() (wd string, err error) { | ||||
| 	return syscall.Getwd() | ||||
| } | ||||
|  | ||||
| func Chdir(path string) error { | ||||
| 	return syscall.Chdir(path) | ||||
| } | ||||
							
								
								
									
										23
									
								
								vendor/golang.org/x/sys/plan9/pwd_plan9.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										23
									
								
								vendor/golang.org/x/sys/plan9/pwd_plan9.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,23 +0,0 @@ | ||||
| // Copyright 2015 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // +build !go1.5 | ||||
|  | ||||
| package plan9 | ||||
|  | ||||
| func fixwd() { | ||||
| } | ||||
|  | ||||
| func Getwd() (wd string, err error) { | ||||
| 	fd, err := open(".", O_RDONLY) | ||||
| 	if err != nil { | ||||
| 		return "", err | ||||
| 	} | ||||
| 	defer Close(fd) | ||||
| 	return Fd2path(fd) | ||||
| } | ||||
|  | ||||
| func Chdir(path string) error { | ||||
| 	return chdir(path) | ||||
| } | ||||
							
								
								
									
										30
									
								
								vendor/golang.org/x/sys/plan9/race.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										30
									
								
								vendor/golang.org/x/sys/plan9/race.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,30 +0,0 @@ | ||||
| // Copyright 2012 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // +build plan9,race | ||||
|  | ||||
| package plan9 | ||||
|  | ||||
| import ( | ||||
| 	"runtime" | ||||
| 	"unsafe" | ||||
| ) | ||||
|  | ||||
| const raceenabled = true | ||||
|  | ||||
| func raceAcquire(addr unsafe.Pointer) { | ||||
| 	runtime.RaceAcquire(addr) | ||||
| } | ||||
|  | ||||
| func raceReleaseMerge(addr unsafe.Pointer) { | ||||
| 	runtime.RaceReleaseMerge(addr) | ||||
| } | ||||
|  | ||||
| func raceReadRange(addr unsafe.Pointer, len int) { | ||||
| 	runtime.RaceReadRange(addr, len) | ||||
| } | ||||
|  | ||||
| func raceWriteRange(addr unsafe.Pointer, len int) { | ||||
| 	runtime.RaceWriteRange(addr, len) | ||||
| } | ||||
							
								
								
									
										25
									
								
								vendor/golang.org/x/sys/plan9/race0.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										25
									
								
								vendor/golang.org/x/sys/plan9/race0.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,25 +0,0 @@ | ||||
| // Copyright 2012 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // +build plan9,!race | ||||
|  | ||||
| package plan9 | ||||
|  | ||||
| import ( | ||||
| 	"unsafe" | ||||
| ) | ||||
|  | ||||
| const raceenabled = false | ||||
|  | ||||
| func raceAcquire(addr unsafe.Pointer) { | ||||
| } | ||||
|  | ||||
| func raceReleaseMerge(addr unsafe.Pointer) { | ||||
| } | ||||
|  | ||||
| func raceReadRange(addr unsafe.Pointer, len int) { | ||||
| } | ||||
|  | ||||
| func raceWriteRange(addr unsafe.Pointer, len int) { | ||||
| } | ||||
							
								
								
									
										22
									
								
								vendor/golang.org/x/sys/plan9/str.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										22
									
								
								vendor/golang.org/x/sys/plan9/str.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,22 +0,0 @@ | ||||
| // Copyright 2009 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // +build plan9 | ||||
|  | ||||
| package plan9 | ||||
|  | ||||
| func itoa(val int) string { // do it here rather than with fmt to avoid dependency | ||||
| 	if val < 0 { | ||||
| 		return "-" + itoa(-val) | ||||
| 	} | ||||
| 	var buf [32]byte // big enough for int64 | ||||
| 	i := len(buf) - 1 | ||||
| 	for val >= 10 { | ||||
| 		buf[i] = byte(val%10 + '0') | ||||
| 		i-- | ||||
| 		val /= 10 | ||||
| 	} | ||||
| 	buf[i] = byte(val + '0') | ||||
| 	return string(buf[i:]) | ||||
| } | ||||
							
								
								
									
										116
									
								
								vendor/golang.org/x/sys/plan9/syscall.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										116
									
								
								vendor/golang.org/x/sys/plan9/syscall.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,116 +0,0 @@ | ||||
| // Copyright 2009 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // +build plan9 | ||||
|  | ||||
| // Package plan9 contains an interface to the low-level operating system | ||||
| // primitives. OS details vary depending on the underlying system, and | ||||
| // by default, godoc will display the OS-specific documentation for the current | ||||
| // system. If you want godoc to display documentation for another | ||||
| // system, set $GOOS and $GOARCH to the desired system. For example, if | ||||
| // you want to view documentation for freebsd/arm on linux/amd64, set $GOOS | ||||
| // to freebsd and $GOARCH to arm. | ||||
| // | ||||
| // The primary use of this package is inside other packages that provide a more | ||||
| // portable interface to the system, such as "os", "time" and "net".  Use | ||||
| // those packages rather than this one if you can. | ||||
| // | ||||
| // For details of the functions and data types in this package consult | ||||
| // the manuals for the appropriate operating system. | ||||
| // | ||||
| // These calls return err == nil to indicate success; otherwise | ||||
| // err represents an operating system error describing the failure and | ||||
| // holds a value of type syscall.ErrorString. | ||||
| package plan9 // import "golang.org/x/sys/plan9" | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"strings" | ||||
| 	"unsafe" | ||||
|  | ||||
| 	"golang.org/x/sys/internal/unsafeheader" | ||||
| ) | ||||
|  | ||||
| // ByteSliceFromString returns a NUL-terminated slice of bytes | ||||
| // containing the text of s. If s contains a NUL byte at any | ||||
| // location, it returns (nil, EINVAL). | ||||
| func ByteSliceFromString(s string) ([]byte, error) { | ||||
| 	if strings.IndexByte(s, 0) != -1 { | ||||
| 		return nil, EINVAL | ||||
| 	} | ||||
| 	a := make([]byte, len(s)+1) | ||||
| 	copy(a, s) | ||||
| 	return a, nil | ||||
| } | ||||
|  | ||||
| // BytePtrFromString returns a pointer to a NUL-terminated array of | ||||
| // bytes containing the text of s. If s contains a NUL byte at any | ||||
| // location, it returns (nil, EINVAL). | ||||
| func BytePtrFromString(s string) (*byte, error) { | ||||
| 	a, err := ByteSliceFromString(s) | ||||
| 	if err != nil { | ||||
| 		return nil, err | ||||
| 	} | ||||
| 	return &a[0], nil | ||||
| } | ||||
|  | ||||
| // ByteSliceToString returns a string form of the text represented by the slice s, with a terminating NUL and any | ||||
| // bytes after the NUL removed. | ||||
| func ByteSliceToString(s []byte) string { | ||||
| 	if i := bytes.IndexByte(s, 0); i != -1 { | ||||
| 		s = s[:i] | ||||
| 	} | ||||
| 	return string(s) | ||||
| } | ||||
|  | ||||
| // BytePtrToString takes a pointer to a sequence of text and returns the corresponding string. | ||||
| // If the pointer is nil, it returns the empty string. It assumes that the text sequence is terminated | ||||
| // at a zero byte; if the zero byte is not present, the program may crash. | ||||
| func BytePtrToString(p *byte) string { | ||||
| 	if p == nil { | ||||
| 		return "" | ||||
| 	} | ||||
| 	if *p == 0 { | ||||
| 		return "" | ||||
| 	} | ||||
|  | ||||
| 	// Find NUL terminator. | ||||
| 	n := 0 | ||||
| 	for ptr := unsafe.Pointer(p); *(*byte)(ptr) != 0; n++ { | ||||
| 		ptr = unsafe.Pointer(uintptr(ptr) + 1) | ||||
| 	} | ||||
|  | ||||
| 	var s []byte | ||||
| 	h := (*unsafeheader.Slice)(unsafe.Pointer(&s)) | ||||
| 	h.Data = unsafe.Pointer(p) | ||||
| 	h.Len = n | ||||
| 	h.Cap = n | ||||
|  | ||||
| 	return string(s) | ||||
| } | ||||
|  | ||||
| // Single-word zero for use when we need a valid pointer to 0 bytes. | ||||
| // See mksyscall.pl. | ||||
| var _zero uintptr | ||||
|  | ||||
| func (ts *Timespec) Unix() (sec int64, nsec int64) { | ||||
| 	return int64(ts.Sec), int64(ts.Nsec) | ||||
| } | ||||
|  | ||||
| func (tv *Timeval) Unix() (sec int64, nsec int64) { | ||||
| 	return int64(tv.Sec), int64(tv.Usec) * 1000 | ||||
| } | ||||
|  | ||||
| func (ts *Timespec) Nano() int64 { | ||||
| 	return int64(ts.Sec)*1e9 + int64(ts.Nsec) | ||||
| } | ||||
|  | ||||
| func (tv *Timeval) Nano() int64 { | ||||
| 	return int64(tv.Sec)*1e9 + int64(tv.Usec)*1000 | ||||
| } | ||||
|  | ||||
| // use is a no-op, but the compiler cannot see that it is. | ||||
| // Calling use(p) ensures that p is kept live until that point. | ||||
| //go:noescape | ||||
| func use(p unsafe.Pointer) | ||||
							
								
								
									
										349
									
								
								vendor/golang.org/x/sys/plan9/syscall_plan9.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										349
									
								
								vendor/golang.org/x/sys/plan9/syscall_plan9.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,349 +0,0 @@ | ||||
| // Copyright 2011 The Go Authors. All rights reserved. | ||||
| // Use of this source code is governed by a BSD-style | ||||
| // license that can be found in the LICENSE file. | ||||
|  | ||||
| // Plan 9 system calls. | ||||
| // This file is compiled as ordinary Go code, | ||||
| // but it is also input to mksyscall, | ||||
| // which parses the //sys lines and generates system call stubs. | ||||
| // Note that sometimes we use a lowercase //sys name and | ||||
| // wrap it in our own nicer implementation. | ||||
|  | ||||
| package plan9 | ||||
|  | ||||
| import ( | ||||
| 	"bytes" | ||||
| 	"syscall" | ||||
| 	"unsafe" | ||||
| ) | ||||
|  | ||||
| // A Note is a string describing a process note. | ||||
| // It implements the os.Signal interface. | ||||
| type Note string | ||||
|  | ||||
| func (n Note) Signal() {} | ||||
|  | ||||
| func (n Note) String() string { | ||||
| 	return string(n) | ||||
| } | ||||
|  | ||||
| var ( | ||||
| 	Stdin  = 0 | ||||
| 	Stdout = 1 | ||||
| 	Stderr = 2 | ||||
| ) | ||||
|  | ||||
| // For testing: clients can set this flag to force | ||||
| // creation of IPv6 sockets to return EAFNOSUPPORT. | ||||
| var SocketDisableIPv6 bool | ||||
|  | ||||
| func Syscall(trap, a1, a2, a3 uintptr) (r1, r2 uintptr, err syscall.ErrorString) | ||||
| func Syscall6(trap, a1, a2, a3, a4, a5, a6 uintptr) (r1, r2 uintptr, err syscall.ErrorString) | ||||
| func RawSyscall(trap, a1, a2, a3 uintptr) (r1, r2, err uintptr) | ||||
| func RawSyscall6(trap, a1, a2, a3, a4, a5, a6 uintptr) (r1, r2, err uintptr) | ||||
|  | ||||
| func atoi(b []byte) (n uint) { | ||||
| 	n = 0 | ||||
| 	for i := 0; i < len(b); i++ { | ||||
| 		n = n*10 + uint(b[i]-'0') | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| func cstring(s []byte) string { | ||||
| 	i := bytes.IndexByte(s, 0) | ||||
| 	if i == -1 { | ||||
| 		i = len(s) | ||||
| 	} | ||||
| 	return string(s[:i]) | ||||
| } | ||||
|  | ||||
| func errstr() string { | ||||
| 	var buf [ERRMAX]byte | ||||
|  | ||||
| 	RawSyscall(SYS_ERRSTR, uintptr(unsafe.Pointer(&buf[0])), uintptr(len(buf)), 0) | ||||
|  | ||||
| 	buf[len(buf)-1] = 0 | ||||
| 	return cstring(buf[:]) | ||||
| } | ||||
|  | ||||
| // Implemented in assembly to import from runtime. | ||||
| func exit(code int) | ||||
|  | ||||
| func Exit(code int) { exit(code) } | ||||
|  | ||||
| func readnum(path string) (uint, error) { | ||||
| 	var b [12]byte | ||||
|  | ||||
| 	fd, e := Open(path, O_RDONLY) | ||||
| 	if e != nil { | ||||
| 		return 0, e | ||||
| 	} | ||||
| 	defer Close(fd) | ||||
|  | ||||
| 	n, e := Pread(fd, b[:], 0) | ||||
|  | ||||
| 	if e != nil { | ||||
| 		return 0, e | ||||
| 	} | ||||
|  | ||||
| 	m := 0 | ||||
| 	for ; m < n && b[m] == ' '; m++ { | ||||
| 	} | ||||
|  | ||||
| 	return atoi(b[m : n-1]), nil | ||||
| } | ||||
|  | ||||
| func Getpid() (pid int) { | ||||
| 	n, _ := readnum("#c/pid") | ||||
| 	return int(n) | ||||
| } | ||||
|  | ||||
| func Getppid() (ppid int) { | ||||
| 	n, _ := readnum("#c/ppid") | ||||
| 	return int(n) | ||||
| } | ||||
|  | ||||
| func Read(fd int, p []byte) (n int, err error) { | ||||
| 	return Pread(fd, p, -1) | ||||
| } | ||||
|  | ||||
| func Write(fd int, p []byte) (n int, err error) { | ||||
| 	return Pwrite(fd, p, -1) | ||||
| } | ||||
|  | ||||
| var ioSync int64 | ||||
|  | ||||
| //sys	fd2path(fd int, buf []byte) (err error) | ||||
| func Fd2path(fd int) (path string, err error) { | ||||
| 	var buf [512]byte | ||||
|  | ||||
| 	e := fd2path(fd, buf[:]) | ||||
| 	if e != nil { | ||||
| 		return "", e | ||||
| 	} | ||||
| 	return cstring(buf[:]), nil | ||||
| } | ||||
|  | ||||
| //sys	pipe(p *[2]int32) (err error) | ||||
| func Pipe(p []int) (err error) { | ||||
| 	if len(p) != 2 { | ||||
| 		return syscall.ErrorString("bad arg in system call") | ||||
| 	} | ||||
| 	var pp [2]int32 | ||||
| 	err = pipe(&pp) | ||||
| 	p[0] = int(pp[0]) | ||||
| 	p[1] = int(pp[1]) | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // Underlying system call writes to newoffset via pointer. | ||||
| // Implemented in assembly to avoid allocation. | ||||
| func seek(placeholder uintptr, fd int, offset int64, whence int) (newoffset int64, err string) | ||||
|  | ||||
| func Seek(fd int, offset int64, whence int) (newoffset int64, err error) { | ||||
| 	newoffset, e := seek(0, fd, offset, whence) | ||||
|  | ||||
| 	if newoffset == -1 { | ||||
| 		err = syscall.ErrorString(e) | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| func Mkdir(path string, mode uint32) (err error) { | ||||
| 	fd, err := Create(path, O_RDONLY, DMDIR|mode) | ||||
|  | ||||
| 	if fd != -1 { | ||||
| 		Close(fd) | ||||
| 	} | ||||
|  | ||||
| 	return | ||||
| } | ||||
|  | ||||
| type Waitmsg struct { | ||||
| 	Pid  int | ||||
| 	Time [3]uint32 | ||||
| 	Msg  string | ||||
| } | ||||
|  | ||||
| func (w Waitmsg) Exited() bool   { return true } | ||||
| func (w Waitmsg) Signaled() bool { return false } | ||||
|  | ||||
| func (w Waitmsg) ExitStatus() int { | ||||
| 	if len(w.Msg) == 0 { | ||||
| 		// a normal exit returns no message | ||||
| 		return 0 | ||||
| 	} | ||||
| 	return 1 | ||||
| } | ||||
|  | ||||
| //sys	await(s []byte) (n int, err error) | ||||
| func Await(w *Waitmsg) (err error) { | ||||
| 	var buf [512]byte | ||||
| 	var f [5][]byte | ||||
|  | ||||
| 	n, err := await(buf[:]) | ||||
|  | ||||
| 	if err != nil || w == nil { | ||||
| 		return | ||||
| 	} | ||||
|  | ||||
| 	nf := 0 | ||||
| 	p := 0 | ||||
| 	for i := 0; i < n && nf < len(f)-1; i++ { | ||||
| 		if buf[i] == ' ' { | ||||
| 			f[nf] = buf[p:i] | ||||
| 			p = i + 1 | ||||
| 			nf++ | ||||
| 		} | ||||
| 	} | ||||
| 	f[nf] = buf[p:] | ||||
| 	nf++ | ||||
|  | ||||
| 	if nf != len(f) { | ||||
| 		return syscall.ErrorString("invalid wait message") | ||||
| 	} | ||||
| 	w.Pid = int(atoi(f[0])) | ||||
| 	w.Time[0] = uint32(atoi(f[1])) | ||||
| 	w.Time[1] = uint32(atoi(f[2])) | ||||
| 	w.Time[2] = uint32(atoi(f[3])) | ||||
| 	w.Msg = cstring(f[4]) | ||||
| 	if w.Msg == "''" { | ||||
| 		// await() returns '' for no error | ||||
| 		w.Msg = "" | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| func Unmount(name, old string) (err error) { | ||||
| 	fixwd() | ||||
| 	oldp, err := BytePtrFromString(old) | ||||
| 	if err != nil { | ||||
| 		return err | ||||
| 	} | ||||
| 	oldptr := uintptr(unsafe.Pointer(oldp)) | ||||
|  | ||||
| 	var r0 uintptr | ||||
| 	var e syscall.ErrorString | ||||
|  | ||||
| 	// bind(2) man page: If name is zero, everything bound or mounted upon old is unbound or unmounted. | ||||
| 	if name == "" { | ||||
| 		r0, _, e = Syscall(SYS_UNMOUNT, _zero, oldptr, 0) | ||||
| 	} else { | ||||
| 		namep, err := BytePtrFromString(name) | ||||
| 		if err != nil { | ||||
| 			return err | ||||
| 		} | ||||
| 		r0, _, e = Syscall(SYS_UNMOUNT, uintptr(unsafe.Pointer(namep)), oldptr, 0) | ||||
| 	} | ||||
|  | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| func Fchdir(fd int) (err error) { | ||||
| 	path, err := Fd2path(fd) | ||||
|  | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
|  | ||||
| 	return Chdir(path) | ||||
| } | ||||
|  | ||||
| type Timespec struct { | ||||
| 	Sec  int32 | ||||
| 	Nsec int32 | ||||
| } | ||||
|  | ||||
| type Timeval struct { | ||||
| 	Sec  int32 | ||||
| 	Usec int32 | ||||
| } | ||||
|  | ||||
| func NsecToTimeval(nsec int64) (tv Timeval) { | ||||
| 	nsec += 999 // round up to microsecond | ||||
| 	tv.Usec = int32(nsec % 1e9 / 1e3) | ||||
| 	tv.Sec = int32(nsec / 1e9) | ||||
| 	return | ||||
| } | ||||
|  | ||||
| func nsec() int64 { | ||||
| 	var scratch int64 | ||||
|  | ||||
| 	r0, _, _ := Syscall(SYS_NSEC, uintptr(unsafe.Pointer(&scratch)), 0, 0) | ||||
| 	// TODO(aram): remove hack after I fix _nsec in the pc64 kernel. | ||||
| 	if r0 == 0 { | ||||
| 		return scratch | ||||
| 	} | ||||
| 	return int64(r0) | ||||
| } | ||||
|  | ||||
| func Gettimeofday(tv *Timeval) error { | ||||
| 	nsec := nsec() | ||||
| 	*tv = NsecToTimeval(nsec) | ||||
| 	return nil | ||||
| } | ||||
|  | ||||
| func Getpagesize() int { return 0x1000 } | ||||
|  | ||||
| func Getegid() (egid int) { return -1 } | ||||
| func Geteuid() (euid int) { return -1 } | ||||
| func Getgid() (gid int)   { return -1 } | ||||
| func Getuid() (uid int)   { return -1 } | ||||
|  | ||||
| func Getgroups() (gids []int, err error) { | ||||
| 	return make([]int, 0), nil | ||||
| } | ||||
|  | ||||
| //sys	open(path string, mode int) (fd int, err error) | ||||
| func Open(path string, mode int) (fd int, err error) { | ||||
| 	fixwd() | ||||
| 	return open(path, mode) | ||||
| } | ||||
|  | ||||
| //sys	create(path string, mode int, perm uint32) (fd int, err error) | ||||
| func Create(path string, mode int, perm uint32) (fd int, err error) { | ||||
| 	fixwd() | ||||
| 	return create(path, mode, perm) | ||||
| } | ||||
|  | ||||
| //sys	remove(path string) (err error) | ||||
| func Remove(path string) error { | ||||
| 	fixwd() | ||||
| 	return remove(path) | ||||
| } | ||||
|  | ||||
| //sys	stat(path string, edir []byte) (n int, err error) | ||||
| func Stat(path string, edir []byte) (n int, err error) { | ||||
| 	fixwd() | ||||
| 	return stat(path, edir) | ||||
| } | ||||
|  | ||||
| //sys	bind(name string, old string, flag int) (err error) | ||||
| func Bind(name string, old string, flag int) (err error) { | ||||
| 	fixwd() | ||||
| 	return bind(name, old, flag) | ||||
| } | ||||
|  | ||||
| //sys	mount(fd int, afd int, old string, flag int, aname string) (err error) | ||||
| func Mount(fd int, afd int, old string, flag int, aname string) (err error) { | ||||
| 	fixwd() | ||||
| 	return mount(fd, afd, old, flag, aname) | ||||
| } | ||||
|  | ||||
| //sys	wstat(path string, edir []byte) (err error) | ||||
| func Wstat(path string, edir []byte) (err error) { | ||||
| 	fixwd() | ||||
| 	return wstat(path, edir) | ||||
| } | ||||
|  | ||||
| //sys	chdir(path string) (err error) | ||||
| //sys	Dup(oldfd int, newfd int) (fd int, err error) | ||||
| //sys	Pread(fd int, p []byte, offset int64) (n int, err error) | ||||
| //sys	Pwrite(fd int, p []byte, offset int64) (n int, err error) | ||||
| //sys	Close(fd int) (err error) | ||||
| //sys	Fstat(fd int, edir []byte) (n int, err error) | ||||
| //sys	Fwstat(fd int, edir []byte) (err error) | ||||
							
								
								
									
										284
									
								
								vendor/golang.org/x/sys/plan9/zsyscall_plan9_386.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										284
									
								
								vendor/golang.org/x/sys/plan9/zsyscall_plan9_386.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,284 +0,0 @@ | ||||
| // go run mksyscall.go -l32 -plan9 -tags plan9,386 syscall_plan9.go | ||||
| // Code generated by the command above; see README.md. DO NOT EDIT. | ||||
|  | ||||
| // +build plan9,386 | ||||
|  | ||||
| package plan9 | ||||
|  | ||||
| import "unsafe" | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func fd2path(fd int, buf []byte) (err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(buf) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&buf[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_FD2PATH, uintptr(fd), uintptr(_p0), uintptr(len(buf))) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func pipe(p *[2]int32) (err error) { | ||||
| 	r0, _, e1 := Syscall(SYS_PIPE, uintptr(unsafe.Pointer(p)), 0, 0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func await(s []byte) (n int, err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(s) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&s[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_AWAIT, uintptr(_p0), uintptr(len(s)), 0) | ||||
| 	n = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func open(path string, mode int) (fd int, err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_OPEN, uintptr(unsafe.Pointer(_p0)), uintptr(mode), 0) | ||||
| 	fd = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func create(path string, mode int, perm uint32) (fd int, err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_CREATE, uintptr(unsafe.Pointer(_p0)), uintptr(mode), uintptr(perm)) | ||||
| 	fd = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func remove(path string) (err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_REMOVE, uintptr(unsafe.Pointer(_p0)), 0, 0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func stat(path string, edir []byte) (n int, err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	var _p1 unsafe.Pointer | ||||
| 	if len(edir) > 0 { | ||||
| 		_p1 = unsafe.Pointer(&edir[0]) | ||||
| 	} else { | ||||
| 		_p1 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_STAT, uintptr(unsafe.Pointer(_p0)), uintptr(_p1), uintptr(len(edir))) | ||||
| 	n = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func bind(name string, old string, flag int) (err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(name) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	var _p1 *byte | ||||
| 	_p1, err = BytePtrFromString(old) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_BIND, uintptr(unsafe.Pointer(_p0)), uintptr(unsafe.Pointer(_p1)), uintptr(flag)) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func mount(fd int, afd int, old string, flag int, aname string) (err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(old) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	var _p1 *byte | ||||
| 	_p1, err = BytePtrFromString(aname) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall6(SYS_MOUNT, uintptr(fd), uintptr(afd), uintptr(unsafe.Pointer(_p0)), uintptr(flag), uintptr(unsafe.Pointer(_p1)), 0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func wstat(path string, edir []byte) (err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	var _p1 unsafe.Pointer | ||||
| 	if len(edir) > 0 { | ||||
| 		_p1 = unsafe.Pointer(&edir[0]) | ||||
| 	} else { | ||||
| 		_p1 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_WSTAT, uintptr(unsafe.Pointer(_p0)), uintptr(_p1), uintptr(len(edir))) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func chdir(path string) (err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_CHDIR, uintptr(unsafe.Pointer(_p0)), 0, 0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Dup(oldfd int, newfd int) (fd int, err error) { | ||||
| 	r0, _, e1 := Syscall(SYS_DUP, uintptr(oldfd), uintptr(newfd), 0) | ||||
| 	fd = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Pread(fd int, p []byte, offset int64) (n int, err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(p) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&p[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall6(SYS_PREAD, uintptr(fd), uintptr(_p0), uintptr(len(p)), uintptr(offset), uintptr(offset>>32), 0) | ||||
| 	n = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Pwrite(fd int, p []byte, offset int64) (n int, err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(p) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&p[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall6(SYS_PWRITE, uintptr(fd), uintptr(_p0), uintptr(len(p)), uintptr(offset), uintptr(offset>>32), 0) | ||||
| 	n = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Close(fd int) (err error) { | ||||
| 	r0, _, e1 := Syscall(SYS_CLOSE, uintptr(fd), 0, 0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Fstat(fd int, edir []byte) (n int, err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(edir) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&edir[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_FSTAT, uintptr(fd), uintptr(_p0), uintptr(len(edir))) | ||||
| 	n = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Fwstat(fd int, edir []byte) (err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(edir) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&edir[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_FWSTAT, uintptr(fd), uintptr(_p0), uintptr(len(edir))) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
							
								
								
									
										284
									
								
								vendor/golang.org/x/sys/plan9/zsyscall_plan9_amd64.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										284
									
								
								vendor/golang.org/x/sys/plan9/zsyscall_plan9_amd64.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,284 +0,0 @@ | ||||
| // go run mksyscall.go -l32 -plan9 -tags plan9,amd64 syscall_plan9.go | ||||
| // Code generated by the command above; see README.md. DO NOT EDIT. | ||||
|  | ||||
| // +build plan9,amd64 | ||||
|  | ||||
| package plan9 | ||||
|  | ||||
| import "unsafe" | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func fd2path(fd int, buf []byte) (err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(buf) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&buf[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_FD2PATH, uintptr(fd), uintptr(_p0), uintptr(len(buf))) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func pipe(p *[2]int32) (err error) { | ||||
| 	r0, _, e1 := Syscall(SYS_PIPE, uintptr(unsafe.Pointer(p)), 0, 0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func await(s []byte) (n int, err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(s) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&s[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_AWAIT, uintptr(_p0), uintptr(len(s)), 0) | ||||
| 	n = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func open(path string, mode int) (fd int, err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_OPEN, uintptr(unsafe.Pointer(_p0)), uintptr(mode), 0) | ||||
| 	fd = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func create(path string, mode int, perm uint32) (fd int, err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_CREATE, uintptr(unsafe.Pointer(_p0)), uintptr(mode), uintptr(perm)) | ||||
| 	fd = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func remove(path string) (err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_REMOVE, uintptr(unsafe.Pointer(_p0)), 0, 0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func stat(path string, edir []byte) (n int, err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	var _p1 unsafe.Pointer | ||||
| 	if len(edir) > 0 { | ||||
| 		_p1 = unsafe.Pointer(&edir[0]) | ||||
| 	} else { | ||||
| 		_p1 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_STAT, uintptr(unsafe.Pointer(_p0)), uintptr(_p1), uintptr(len(edir))) | ||||
| 	n = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func bind(name string, old string, flag int) (err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(name) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	var _p1 *byte | ||||
| 	_p1, err = BytePtrFromString(old) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_BIND, uintptr(unsafe.Pointer(_p0)), uintptr(unsafe.Pointer(_p1)), uintptr(flag)) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func mount(fd int, afd int, old string, flag int, aname string) (err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(old) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	var _p1 *byte | ||||
| 	_p1, err = BytePtrFromString(aname) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall6(SYS_MOUNT, uintptr(fd), uintptr(afd), uintptr(unsafe.Pointer(_p0)), uintptr(flag), uintptr(unsafe.Pointer(_p1)), 0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func wstat(path string, edir []byte) (err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	var _p1 unsafe.Pointer | ||||
| 	if len(edir) > 0 { | ||||
| 		_p1 = unsafe.Pointer(&edir[0]) | ||||
| 	} else { | ||||
| 		_p1 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_WSTAT, uintptr(unsafe.Pointer(_p0)), uintptr(_p1), uintptr(len(edir))) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func chdir(path string) (err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_CHDIR, uintptr(unsafe.Pointer(_p0)), 0, 0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Dup(oldfd int, newfd int) (fd int, err error) { | ||||
| 	r0, _, e1 := Syscall(SYS_DUP, uintptr(oldfd), uintptr(newfd), 0) | ||||
| 	fd = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Pread(fd int, p []byte, offset int64) (n int, err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(p) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&p[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall6(SYS_PREAD, uintptr(fd), uintptr(_p0), uintptr(len(p)), uintptr(offset), uintptr(offset>>32), 0) | ||||
| 	n = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Pwrite(fd int, p []byte, offset int64) (n int, err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(p) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&p[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall6(SYS_PWRITE, uintptr(fd), uintptr(_p0), uintptr(len(p)), uintptr(offset), uintptr(offset>>32), 0) | ||||
| 	n = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Close(fd int) (err error) { | ||||
| 	r0, _, e1 := Syscall(SYS_CLOSE, uintptr(fd), 0, 0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Fstat(fd int, edir []byte) (n int, err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(edir) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&edir[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_FSTAT, uintptr(fd), uintptr(_p0), uintptr(len(edir))) | ||||
| 	n = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Fwstat(fd int, edir []byte) (err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(edir) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&edir[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_FWSTAT, uintptr(fd), uintptr(_p0), uintptr(len(edir))) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
							
								
								
									
										284
									
								
								vendor/golang.org/x/sys/plan9/zsyscall_plan9_arm.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										284
									
								
								vendor/golang.org/x/sys/plan9/zsyscall_plan9_arm.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,284 +0,0 @@ | ||||
| // go run mksyscall.go -l32 -plan9 -tags plan9,arm syscall_plan9.go | ||||
| // Code generated by the command above; see README.md. DO NOT EDIT. | ||||
|  | ||||
| // +build plan9,arm | ||||
|  | ||||
| package plan9 | ||||
|  | ||||
| import "unsafe" | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func fd2path(fd int, buf []byte) (err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(buf) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&buf[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_FD2PATH, uintptr(fd), uintptr(_p0), uintptr(len(buf))) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func pipe(p *[2]int32) (err error) { | ||||
| 	r0, _, e1 := Syscall(SYS_PIPE, uintptr(unsafe.Pointer(p)), 0, 0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func await(s []byte) (n int, err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(s) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&s[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_AWAIT, uintptr(_p0), uintptr(len(s)), 0) | ||||
| 	n = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func open(path string, mode int) (fd int, err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_OPEN, uintptr(unsafe.Pointer(_p0)), uintptr(mode), 0) | ||||
| 	fd = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func create(path string, mode int, perm uint32) (fd int, err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_CREATE, uintptr(unsafe.Pointer(_p0)), uintptr(mode), uintptr(perm)) | ||||
| 	fd = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func remove(path string) (err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_REMOVE, uintptr(unsafe.Pointer(_p0)), 0, 0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func stat(path string, edir []byte) (n int, err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	var _p1 unsafe.Pointer | ||||
| 	if len(edir) > 0 { | ||||
| 		_p1 = unsafe.Pointer(&edir[0]) | ||||
| 	} else { | ||||
| 		_p1 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_STAT, uintptr(unsafe.Pointer(_p0)), uintptr(_p1), uintptr(len(edir))) | ||||
| 	n = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func bind(name string, old string, flag int) (err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(name) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	var _p1 *byte | ||||
| 	_p1, err = BytePtrFromString(old) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_BIND, uintptr(unsafe.Pointer(_p0)), uintptr(unsafe.Pointer(_p1)), uintptr(flag)) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func mount(fd int, afd int, old string, flag int, aname string) (err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(old) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	var _p1 *byte | ||||
| 	_p1, err = BytePtrFromString(aname) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall6(SYS_MOUNT, uintptr(fd), uintptr(afd), uintptr(unsafe.Pointer(_p0)), uintptr(flag), uintptr(unsafe.Pointer(_p1)), 0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func wstat(path string, edir []byte) (err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	var _p1 unsafe.Pointer | ||||
| 	if len(edir) > 0 { | ||||
| 		_p1 = unsafe.Pointer(&edir[0]) | ||||
| 	} else { | ||||
| 		_p1 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_WSTAT, uintptr(unsafe.Pointer(_p0)), uintptr(_p1), uintptr(len(edir))) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func chdir(path string) (err error) { | ||||
| 	var _p0 *byte | ||||
| 	_p0, err = BytePtrFromString(path) | ||||
| 	if err != nil { | ||||
| 		return | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_CHDIR, uintptr(unsafe.Pointer(_p0)), 0, 0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Dup(oldfd int, newfd int) (fd int, err error) { | ||||
| 	r0, _, e1 := Syscall(SYS_DUP, uintptr(oldfd), uintptr(newfd), 0) | ||||
| 	fd = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Pread(fd int, p []byte, offset int64) (n int, err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(p) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&p[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall6(SYS_PREAD, uintptr(fd), uintptr(_p0), uintptr(len(p)), uintptr(offset), uintptr(offset>>32), 0) | ||||
| 	n = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Pwrite(fd int, p []byte, offset int64) (n int, err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(p) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&p[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall6(SYS_PWRITE, uintptr(fd), uintptr(_p0), uintptr(len(p)), uintptr(offset), uintptr(offset>>32), 0) | ||||
| 	n = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Close(fd int) (err error) { | ||||
| 	r0, _, e1 := Syscall(SYS_CLOSE, uintptr(fd), 0, 0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Fstat(fd int, edir []byte) (n int, err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(edir) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&edir[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_FSTAT, uintptr(fd), uintptr(_p0), uintptr(len(edir))) | ||||
| 	n = int(r0) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
|  | ||||
| // THIS FILE IS GENERATED BY THE COMMAND AT THE TOP; DO NOT EDIT | ||||
|  | ||||
| func Fwstat(fd int, edir []byte) (err error) { | ||||
| 	var _p0 unsafe.Pointer | ||||
| 	if len(edir) > 0 { | ||||
| 		_p0 = unsafe.Pointer(&edir[0]) | ||||
| 	} else { | ||||
| 		_p0 = unsafe.Pointer(&_zero) | ||||
| 	} | ||||
| 	r0, _, e1 := Syscall(SYS_FWSTAT, uintptr(fd), uintptr(_p0), uintptr(len(edir))) | ||||
| 	if int32(r0) == -1 { | ||||
| 		err = e1 | ||||
| 	} | ||||
| 	return | ||||
| } | ||||
							
								
								
									
										49
									
								
								vendor/golang.org/x/sys/plan9/zsysnum_plan9.go
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										49
									
								
								vendor/golang.org/x/sys/plan9/zsysnum_plan9.go
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,49 +0,0 @@ | ||||
| // mksysnum_plan9.sh /opt/plan9/sys/src/libc/9syscall/sys.h | ||||
| // MACHINE GENERATED BY THE ABOVE COMMAND; DO NOT EDIT | ||||
|  | ||||
| package plan9 | ||||
|  | ||||
| const ( | ||||
| 	SYS_SYSR1       = 0 | ||||
| 	SYS_BIND        = 2 | ||||
| 	SYS_CHDIR       = 3 | ||||
| 	SYS_CLOSE       = 4 | ||||
| 	SYS_DUP         = 5 | ||||
| 	SYS_ALARM       = 6 | ||||
| 	SYS_EXEC        = 7 | ||||
| 	SYS_EXITS       = 8 | ||||
| 	SYS_FAUTH       = 10 | ||||
| 	SYS_SEGBRK      = 12 | ||||
| 	SYS_OPEN        = 14 | ||||
| 	SYS_OSEEK       = 16 | ||||
| 	SYS_SLEEP       = 17 | ||||
| 	SYS_RFORK       = 19 | ||||
| 	SYS_PIPE        = 21 | ||||
| 	SYS_CREATE      = 22 | ||||
| 	SYS_FD2PATH     = 23 | ||||
| 	SYS_BRK_        = 24 | ||||
| 	SYS_REMOVE      = 25 | ||||
| 	SYS_NOTIFY      = 28 | ||||
| 	SYS_NOTED       = 29 | ||||
| 	SYS_SEGATTACH   = 30 | ||||
| 	SYS_SEGDETACH   = 31 | ||||
| 	SYS_SEGFREE     = 32 | ||||
| 	SYS_SEGFLUSH    = 33 | ||||
| 	SYS_RENDEZVOUS  = 34 | ||||
| 	SYS_UNMOUNT     = 35 | ||||
| 	SYS_SEMACQUIRE  = 37 | ||||
| 	SYS_SEMRELEASE  = 38 | ||||
| 	SYS_SEEK        = 39 | ||||
| 	SYS_FVERSION    = 40 | ||||
| 	SYS_ERRSTR      = 41 | ||||
| 	SYS_STAT        = 42 | ||||
| 	SYS_FSTAT       = 43 | ||||
| 	SYS_WSTAT       = 44 | ||||
| 	SYS_FWSTAT      = 45 | ||||
| 	SYS_MOUNT       = 46 | ||||
| 	SYS_AWAIT       = 47 | ||||
| 	SYS_PREAD       = 50 | ||||
| 	SYS_PWRITE      = 51 | ||||
| 	SYS_TSEMACQUIRE = 52 | ||||
| 	SYS_NSEC        = 53 | ||||
| ) | ||||
							
								
								
									
										3
									
								
								vendor/golang.org/x/term/AUTHORS
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										3
									
								
								vendor/golang.org/x/term/AUTHORS
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,3 +0,0 @@ | ||||
| # This source code refers to The Go Authors for copyright purposes. | ||||
| # The master list of authors is in the main Go distribution, | ||||
| # visible at http://tip.golang.org/AUTHORS. | ||||
							
								
								
									
										26
									
								
								vendor/golang.org/x/term/CONTRIBUTING.md
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										26
									
								
								vendor/golang.org/x/term/CONTRIBUTING.md
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,26 +0,0 @@ | ||||
| # Contributing to Go | ||||
|  | ||||
| Go is an open source project. | ||||
|  | ||||
| It is the work of hundreds of contributors. We appreciate your help! | ||||
|  | ||||
| ## Filing issues | ||||
|  | ||||
| When [filing an issue](https://golang.org/issue/new), make sure to answer these five questions: | ||||
|  | ||||
| 1.  What version of Go are you using (`go version`)? | ||||
| 2.  What operating system and processor architecture are you using? | ||||
| 3.  What did you do? | ||||
| 4.  What did you expect to see? | ||||
| 5.  What did you see instead? | ||||
|  | ||||
| General questions should go to the [golang-nuts mailing list](https://groups.google.com/group/golang-nuts) instead of the issue tracker. | ||||
| The gophers there will answer or ask you to file an issue if you've tripped over a bug. | ||||
|  | ||||
| ## Contributing code | ||||
|  | ||||
| Please read the [Contribution Guidelines](https://golang.org/doc/contribute.html) | ||||
| before sending patches. | ||||
|  | ||||
| Unless otherwise noted, the Go source files are distributed under | ||||
| the BSD-style license found in the LICENSE file. | ||||
							
								
								
									
										3
									
								
								vendor/golang.org/x/term/CONTRIBUTORS
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										3
									
								
								vendor/golang.org/x/term/CONTRIBUTORS
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,3 +0,0 @@ | ||||
| # This source code was written by the Go contributors. | ||||
| # The master list of contributors is in the main Go distribution, | ||||
| # visible at http://tip.golang.org/CONTRIBUTORS. | ||||
							
								
								
									
										27
									
								
								vendor/golang.org/x/term/LICENSE
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										27
									
								
								vendor/golang.org/x/term/LICENSE
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,27 +0,0 @@ | ||||
| Copyright (c) 2009 The Go Authors. All rights reserved. | ||||
|  | ||||
| Redistribution and use in source and binary forms, with or without | ||||
| modification, are permitted provided that the following conditions are | ||||
| met: | ||||
|  | ||||
|    * Redistributions of source code must retain the above copyright | ||||
| notice, this list of conditions and the following disclaimer. | ||||
|    * Redistributions in binary form must reproduce the above | ||||
| copyright notice, this list of conditions and the following disclaimer | ||||
| in the documentation and/or other materials provided with the | ||||
| distribution. | ||||
|    * Neither the name of Google Inc. nor the names of its | ||||
| contributors may be used to endorse or promote products derived from | ||||
| this software without specific prior written permission. | ||||
|  | ||||
| THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS | ||||
| "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT | ||||
| LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR | ||||
| A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT | ||||
| OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, | ||||
| SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT | ||||
| LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, | ||||
| DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY | ||||
| THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT | ||||
| (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE | ||||
| OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. | ||||
							
								
								
									
										22
									
								
								vendor/golang.org/x/term/PATENTS
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										22
									
								
								vendor/golang.org/x/term/PATENTS
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,22 +0,0 @@ | ||||
| Additional IP Rights Grant (Patents) | ||||
|  | ||||
| "This implementation" means the copyrightable works distributed by | ||||
| Google as part of the Go project. | ||||
|  | ||||
| Google hereby grants to You a perpetual, worldwide, non-exclusive, | ||||
| no-charge, royalty-free, irrevocable (except as stated in this section) | ||||
| patent license to make, have made, use, offer to sell, sell, import, | ||||
| transfer and otherwise run, modify and propagate the contents of this | ||||
| implementation of Go, where such license applies only to those patent | ||||
| claims, both currently owned or controlled by Google and acquired in | ||||
| the future, licensable by Google that are necessarily infringed by this | ||||
| implementation of Go.  This grant does not include claims that would be | ||||
| infringed only as a consequence of further modification of this | ||||
| implementation.  If you or your agent or exclusive licensee institute or | ||||
| order or agree to the institution of patent litigation against any | ||||
| entity (including a cross-claim or counterclaim in a lawsuit) alleging | ||||
| that this implementation of Go or any code incorporated within this | ||||
| implementation of Go constitutes direct or contributory patent | ||||
| infringement, or inducement of patent infringement, then any patent | ||||
| rights granted to you under this License for this implementation of Go | ||||
| shall terminate as of the date such litigation is filed. | ||||
							
								
								
									
										19
									
								
								vendor/golang.org/x/term/README.md
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										19
									
								
								vendor/golang.org/x/term/README.md
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,19 +0,0 @@ | ||||
| # Go terminal/console support | ||||
|  | ||||
| [](https://pkg.go.dev/golang.org/x/term) | ||||
|  | ||||
| This repository provides Go terminal and console support packages. | ||||
|  | ||||
| ## Download/Install | ||||
|  | ||||
| The easiest way to install is to run `go get -u golang.org/x/term`. You can | ||||
| also manually git clone the repository to `$GOPATH/src/golang.org/x/term`. | ||||
|  | ||||
| ## Report Issues / Send Patches | ||||
|  | ||||
| This repository uses Gerrit for code changes. To learn how to submit changes to | ||||
| this repository, see https://golang.org/doc/contribute.html. | ||||
|  | ||||
| The main issue tracker for the term repository is located at | ||||
| https://github.com/golang/go/issues. Prefix your issue with "x/term:" in the | ||||
| subject line, so it is easy to find. | ||||
							
								
								
									
										5
									
								
								vendor/golang.org/x/term/go.mod
									
									
									
										generated
									
									
										vendored
									
									
								
							
							
						
						
									
										5
									
								
								vendor/golang.org/x/term/go.mod
									
									
									
										generated
									
									
										vendored
									
									
								
							| @ -1,5 +0,0 @@ | ||||
| module golang.org/x/term | ||||
|  | ||||
| go 1.11 | ||||
|  | ||||
| require golang.org/x/sys v0.0.0-20201119102817-f84b799fce68 | ||||
Some files were not shown because too many files have changed in this diff Show More
		Reference in New Issue
	
	Block a user