github.com/useflyent/fhttp@v0.0.0-20211004035111-333f430cfbbf/request.go (about) 1 // Copyright 2009 The Go Authors. All rights reserved. 2 // Use of this source code is governed by a BSD-style 3 // license that can be found in the LICENSE file. 4 5 // HTTP Request reading and parsing. 6 7 package http 8 9 import ( 10 "bufio" 11 "bytes" 12 "context" 13 "crypto/tls" 14 "encoding/base64" 15 "errors" 16 "fmt" 17 "io" 18 "mime" 19 "mime/multipart" 20 "net" 21 "net/textproto" 22 "net/url" 23 urlpkg "net/url" 24 "strconv" 25 "strings" 26 "sync" 27 28 "github.com/useflyent/fhttp/httptrace" 29 30 "golang.org/x/net/idna" 31 ) 32 33 const ( 34 defaultMaxMemory = 32 << 20 // 32 MB 35 ) 36 37 // ErrMissingFile is returned by FormFile when the provided file field name 38 // is either not present in the request or not a file field. 39 var ErrMissingFile = errors.New("http: no such file") 40 41 // ProtocolError represents an HTTP protocol error. 42 // 43 // Deprecated: Not all errors in the http package related to protocol errors 44 // are of type ProtocolError. 45 type ProtocolError struct { 46 ErrorString string 47 } 48 49 func (pe *ProtocolError) Error() string { return pe.ErrorString } 50 51 var ( 52 // ErrNotSupported is returned by the Push method of Pusher 53 // implementations to indicate that HTTP/2 Push support is not 54 // available. 55 ErrNotSupported = &ProtocolError{"feature not supported"} 56 57 // Deprecated: ErrUnexpectedTrailer is no longer returned by 58 // anything in the net/http package. Callers should not 59 // compare errors against this variable. 60 ErrUnexpectedTrailer = &ProtocolError{"trailer header without chunked transfer encoding"} 61 62 // ErrMissingBoundary is returned by Request.MultipartReader when the 63 // request's Content-Type does not include a "boundary" parameter. 64 ErrMissingBoundary = &ProtocolError{"no multipart boundary param in Content-Type"} 65 66 // ErrNotMultipart is returned by Request.MultipartReader when the 67 // request's Content-Type is not multipart/form-data. 68 ErrNotMultipart = &ProtocolError{"request Content-Type isn't multipart/form-data"} 69 70 // Deprecated: ErrHeaderTooLong is no longer returned by 71 // anything in the net/http package. Callers should not 72 // compare errors against this variable. 73 ErrHeaderTooLong = &ProtocolError{"header too long"} 74 75 // Deprecated: ErrShortBody is no longer returned by 76 // anything in the net/http package. Callers should not 77 // compare errors against this variable. 78 ErrShortBody = &ProtocolError{"entity body too short"} 79 80 // Deprecated: ErrMissingContentLength is no longer returned by 81 // anything in the net/http package. Callers should not 82 // compare errors against this variable. 83 ErrMissingContentLength = &ProtocolError{"missing ContentLength in HEAD response"} 84 ) 85 86 func badStringError(what, val string) error { return fmt.Errorf("%s %q", what, val) } 87 88 // Headers that Request.Write handles itself and should be skipped. 89 var reqWriteExcludeHeader = map[string]bool{ 90 "Host": true, // not in Header map anyway 91 "User-Agent": true, 92 "Content-Length": true, 93 "Transfer-Encoding": true, 94 "Trailer": true, 95 } 96 97 // A Request represents an HTTP request received by a server 98 // or to be sent by a client. 99 // 100 // The field semantics differ slightly between client and server 101 // usage. In addition to the notes on the fields below, see the 102 // documentation for Request.Write and RoundTripper. 103 type Request struct { 104 // Method specifies the HTTP method (GET, POST, PUT, etc.). 105 // For client requests, an empty string means GET. 106 // 107 // Go's HTTP client does not support sending a request with 108 // the CONNECT method. See the documentation on Transport for 109 // details. 110 Method string 111 112 // URL specifies either the URI being requested (for server 113 // requests) or the URL to access (for client requests). 114 // 115 // For server requests, the URL is parsed from the URI 116 // supplied on the Request-Line as stored in RequestURI. For 117 // most requests, fields other than Path and RawQuery will be 118 // empty. (See RFC 7230, Section 5.3) 119 // 120 // For client requests, the URL's Host specifies the server to 121 // connect to, while the Request's Host field optionally 122 // specifies the Host header value to send in the HTTP 123 // request. 124 URL *url.URL 125 126 // The protocol version for incoming server requests. 127 // 128 // For client requests, these fields are ignored. The HTTP 129 // client code always uses either HTTP/1.1 or HTTP/2. 130 // See the docs on Transport for details. 131 Proto string // "HTTP/1.0" 132 ProtoMajor int // 1 133 ProtoMinor int // 0 134 135 // Header contains the request header fields either received 136 // by the server or to be sent by the client. 137 // 138 // If a server received a request with header lines, 139 // 140 // Host: example.com 141 // accept-encoding: gzip, deflate 142 // Accept-Language: en-us 143 // fOO: Bar 144 // foo: two 145 // 146 // then 147 // 148 // Header = map[string][]string{ 149 // "Accept-Encoding": {"gzip, deflate"}, 150 // "Accept-Language": {"en-us"}, 151 // "Foo": {"Bar", "two"}, 152 // } 153 // 154 // For incoming requests, the Host header is promoted to the 155 // Request.Host field and removed from the Header map. 156 // 157 // HTTP defines that header names are case-insensitive. The 158 // request parser implements this by using CanonicalHeaderKey, 159 // making the first character and any characters following a 160 // hyphen uppercase and the rest lowercase. 161 // 162 // For client requests, certain headers such as Content-Length 163 // and Connection are automatically written when needed and 164 // Values in Header may be ignored. See the documentation 165 // for the Request.Write method. 166 Header Header 167 168 // Body is the request's body. 169 // 170 // For client requests, a nil body means the request has no 171 // body, such as a GET request. The HTTP Client's Transport 172 // is responsible for calling the Close method. 173 // 174 // For server requests, the Request Body is always non-nil 175 // but will return EOF immediately when no body is present. 176 // The Server will close the request body. The ServeHTTP 177 // Handler does not need to. 178 // 179 // Body must allow Read to be called concurrently with Close. 180 // In particular, calling Close should unblock a Read waiting 181 // for input. 182 Body io.ReadCloser 183 184 // GetBody defines an optional func to return a new copy of 185 // Body. It is used for client requests when a redirect requires 186 // reading the body more than once. Use of GetBody still 187 // requires setting Body. 188 // 189 // For server requests, it is unused. 190 GetBody func() (io.ReadCloser, error) 191 192 // ContentLength records the length of the associated content. 193 // The value -1 indicates that the length is unknown. 194 // Values >= 0 indicate that the given number of bytes may 195 // be read from Body. 196 // 197 // For client requests, a value of 0 with a non-nil Body is 198 // also treated as unknown. 199 ContentLength int64 200 201 // TransferEncoding lists the transfer encodings from outermost to 202 // innermost. An empty list denotes the "identity" encoding. 203 // TransferEncoding can usually be ignored; chunked encoding is 204 // automatically added and removed as necessary when sending and 205 // receiving requests. 206 TransferEncoding []string 207 208 // Close indicates whether to close the connection after 209 // replying to this request (for servers) or after sending this 210 // request and reading its response (for clients). 211 // 212 // For server requests, the HTTP server handles this automatically 213 // and this field is not needed by Handlers. 214 // 215 // For client requests, setting this field prevents re-use of 216 // TCP connections between requests to the same hosts, as if 217 // Transport.DisableKeepAlives were set. 218 Close bool 219 220 // For server requests, Host specifies the host on which the 221 // URL is sought. For HTTP/1 (per RFC 7230, section 5.4), this 222 // is either the value of the "Host" header or the host name 223 // given in the URL itself. For HTTP/2, it is the value of the 224 // ":authority" pseudo-header field. 225 // It may be of the form "host:port". For international domain 226 // names, Host may be in Punycode or Unicode form. Use 227 // golang.org/x/net/idna to convert it to either format if 228 // needed. 229 // To prevent DNS rebinding attacks, server Handlers should 230 // validate that the Host header has a value for which the 231 // Handler considers itself authoritative. The included 232 // ServeMux supports patterns registered to particular host 233 // names and thus protects its registered Handlers. 234 // 235 // For client requests, Host optionally overrides the Host 236 // header to send. If empty, the Request.Write method uses 237 // the value of URL.Host. Host may contain an international 238 // domain name. 239 Host string 240 241 // Form contains the parsed form data, including both the URL 242 // field's query parameters and the PATCH, POST, or PUT form data. 243 // This field is only available after ParseForm is called. 244 // The HTTP client ignores Form and uses Body instead. 245 Form url.Values 246 247 // PostForm contains the parsed form data from PATCH, POST 248 // or PUT body parameters. 249 // 250 // This field is only available after ParseForm is called. 251 // The HTTP client ignores PostForm and uses Body instead. 252 PostForm url.Values 253 254 // MultipartForm is the parsed multipart form, including file uploads. 255 // This field is only available after ParseMultipartForm is called. 256 // The HTTP client ignores MultipartForm and uses Body instead. 257 MultipartForm *multipart.Form 258 259 // Trailer specifies additional headers that are sent after the request 260 // body. 261 // 262 // For server requests, the Trailer map initially contains only the 263 // trailer keys, with nil Values. (The client declares which trailers it 264 // will later send.) While the handler is reading from Body, it must 265 // not reference Trailer. After reading from Body returns EOF, Trailer 266 // can be read again and will contain non-nil Values, if they were sent 267 // by the client. 268 // 269 // For client requests, Trailer must be initialized to a map containing 270 // the trailer keys to later send. The Values may be nil or their final 271 // Values. The ContentLength must be 0 or -1, to send a chunked request. 272 // After the HTTP request is sent the map Values can be updated while 273 // the request body is read. Once the body returns EOF, the caller must 274 // not mutate Trailer. 275 // 276 // Few HTTP clients, servers, or proxies support HTTP trailers. 277 Trailer Header 278 279 // RemoteAddr allows HTTP servers and other software to record 280 // the network address that sent the request, usually for 281 // logging. This field is not filled in by ReadRequest and 282 // has no defined format. The HTTP server in this package 283 // sets RemoteAddr to an "IP:port" address before invoking a 284 // handler. 285 // This field is ignored by the HTTP client. 286 RemoteAddr string 287 288 // RequestURI is the unmodified request-target of the 289 // Request-Line (RFC 7230, Section 3.1.1) as sent by the client 290 // to a server. Usually the URL field should be used instead. 291 // It is an error to set this field in an HTTP client request. 292 RequestURI string 293 294 // TLS allows HTTP servers and other software to record 295 // information about the TLS connection on which the request 296 // was received. This field is not filled in by ReadRequest. 297 // The HTTP server in this package sets the field for 298 // TLS-enabled connections before invoking a handler; 299 // otherwise it leaves the field nil. 300 // This field is ignored by the HTTP client. 301 TLS *tls.ConnectionState 302 303 // Cancel is an optional channel whose closure indicates that the client 304 // request should be regarded as canceled. Not all implementations of 305 // RoundTripper may support Cancel. 306 // 307 // For server requests, this field is not applicable. 308 // 309 // Deprecated: Set the Request's context with NewRequestWithContext 310 // instead. If a Request's Cancel field and context are both 311 // set, it is undefined whether Cancel is respected. 312 Cancel <-chan struct{} 313 314 // Response is the redirect response which caused this request 315 // to be created. This field is only populated during client 316 // redirects. 317 Response *Response 318 319 // ctx is either the client or server context. It should only 320 // be modified via copying the whole Request using WithContext. 321 // It is unexported to prevent people from using Context wrong 322 // and mutating the contexts held by callers of the same request. 323 ctx context.Context 324 } 325 326 // Context returns the request's context. To change the context, use 327 // WithContext. 328 // 329 // The returned context is always non-nil; it defaults to the 330 // background context. 331 // 332 // For outgoing client requests, the context controls cancellation. 333 // 334 // For incoming server requests, the context is canceled when the 335 // client's connection closes, the request is canceled (with HTTP/2), 336 // or when the ServeHTTP method returns. 337 func (r *Request) Context() context.Context { 338 if r.ctx != nil { 339 return r.ctx 340 } 341 return context.Background() 342 } 343 344 // WithContext returns a shallow copy of r with its context changed 345 // to ctx. The provided ctx must be non-nil. 346 // 347 // For outgoing client request, the context controls the entire 348 // lifetime of a request and its response: obtaining a connection, 349 // sending the request, and reading the response headers and body. 350 // 351 // To create a new request with a context, use NewRequestWithContext. 352 // To change the context of a request, such as an incoming request you 353 // want to modify before sending back out, use Request.Clone. Between 354 // those two uses, it's rare to need WithContext. 355 func (r *Request) WithContext(ctx context.Context) *Request { 356 if ctx == nil { 357 panic("nil context") 358 } 359 r2 := new(Request) 360 *r2 = *r 361 r2.ctx = ctx 362 r2.URL = cloneURL(r.URL) // legacy behavior; TODO: try to remove. Issue 23544 363 return r2 364 } 365 366 // Clone returns a deep copy of r with its context changed to ctx. 367 // The provided ctx must be non-nil. 368 // 369 // For an outgoing client request, the context controls the entire 370 // lifetime of a request and its response: obtaining a connection, 371 // sending the request, and reading the response headers and body. 372 func (r *Request) Clone(ctx context.Context) *Request { 373 if ctx == nil { 374 panic("nil context") 375 } 376 r2 := new(Request) 377 *r2 = *r 378 r2.ctx = ctx 379 r2.URL = cloneURL(r.URL) 380 if r.Header != nil { 381 r2.Header = r.Header.Clone() 382 } 383 if r.Trailer != nil { 384 r2.Trailer = r.Trailer.Clone() 385 } 386 if s := r.TransferEncoding; s != nil { 387 s2 := make([]string, len(s)) 388 copy(s2, s) 389 r2.TransferEncoding = s2 390 } 391 r2.Form = cloneURLValues(r.Form) 392 r2.PostForm = cloneURLValues(r.PostForm) 393 r2.MultipartForm = cloneMultipartForm(r.MultipartForm) 394 return r2 395 } 396 397 // ProtoAtLeast reports whether the HTTP protocol used 398 // in the request is at least major.minor. 399 func (r *Request) ProtoAtLeast(major, minor int) bool { 400 return r.ProtoMajor > major || 401 r.ProtoMajor == major && r.ProtoMinor >= minor 402 } 403 404 // UserAgent returns the client's User-Agent, if sent in the request. 405 func (r *Request) UserAgent() string { 406 return r.Header.Get("User-Agent") 407 } 408 409 // Cookies parses and returns the HTTP cookies sent with the request. 410 func (r *Request) Cookies() []*Cookie { 411 return ReadCookies(r.Header, "") 412 } 413 414 // ErrNoCookie is returned by Request's Cookie method when a cookie is not found. 415 var ErrNoCookie = errors.New("http: named cookie not present") 416 417 // Cookie returns the named cookie provided in the request or 418 // ErrNoCookie if not found. 419 // If multiple cookies match the given name, only one cookie will 420 // be returned. 421 func (r *Request) Cookie(name string) (*Cookie, error) { 422 for _, c := range ReadCookies(r.Header, name) { 423 return c, nil 424 } 425 return nil, ErrNoCookie 426 } 427 428 // AddCookie adds a cookie to the request. Per RFC 6265 section 5.4, 429 // AddCookie does not attach more than one Cookie header field. That 430 // means all cookies, if any, are written into the same line, 431 // separated by semicolon. 432 // AddCookie only sanitizes c's name and value, and does not sanitize 433 // a Cookie header already present in the request. 434 func (r *Request) AddCookie(c *Cookie) { 435 s := fmt.Sprintf("%s=%s", sanitizeCookieName(c.Name), sanitizeCookieValue(c.Value)) 436 if c := r.Header.Get("Cookie"); c != "" { 437 r.Header.Set("Cookie", c+"; "+s) 438 } else { 439 r.Header.Set("Cookie", s) 440 } 441 } 442 443 // Referer returns the referring URL, if sent in the request. 444 // 445 // Referer is misspelled as in the request itself, a mistake from the 446 // earliest days of HTTP. This value can also be fetched from the 447 // Header map as Header["Referer"]; the benefit of making it available 448 // as a method is that the compiler can diagnose programs that use the 449 // alternate (correct English) spelling req.Referrer() but cannot 450 // diagnose programs that use Header["Referrer"]. 451 func (r *Request) Referer() string { 452 return r.Header.Get("Referer") 453 } 454 455 // multipartByReader is a sentinel value. 456 // Its presence in Request.MultipartForm indicates that parsing of the request 457 // body has been handed off to a MultipartReader instead of ParseMultipartForm. 458 var multipartByReader = &multipart.Form{ 459 Value: make(map[string][]string), 460 File: make(map[string][]*multipart.FileHeader), 461 } 462 463 // MultipartReader returns a MIME multipart reader if this is a 464 // multipart/form-data or a multipart/mixed POST request, else returns nil and an error. 465 // Use this function instead of ParseMultipartForm to 466 // process the request body as a stream. 467 func (r *Request) MultipartReader() (*multipart.Reader, error) { 468 if r.MultipartForm == multipartByReader { 469 return nil, errors.New("http: MultipartReader called twice") 470 } 471 if r.MultipartForm != nil { 472 return nil, errors.New("http: multipart handled by ParseMultipartForm") 473 } 474 r.MultipartForm = multipartByReader 475 return r.multipartReader(true) 476 } 477 478 func (r *Request) multipartReader(allowMixed bool) (*multipart.Reader, error) { 479 v := r.Header.Get("Content-Type") 480 if v == "" { 481 return nil, ErrNotMultipart 482 } 483 d, params, err := mime.ParseMediaType(v) 484 if err != nil || !(d == "multipart/form-data" || allowMixed && d == "multipart/mixed") { 485 return nil, ErrNotMultipart 486 } 487 boundary, ok := params["boundary"] 488 if !ok { 489 return nil, ErrMissingBoundary 490 } 491 return multipart.NewReader(r.Body, boundary), nil 492 } 493 494 // isH2Upgrade reports whether r represents the http2 "client preface" 495 // magic string. 496 func (r *Request) isH2Upgrade() bool { 497 return r.Method == "PRI" && len(r.Header) == 0 && r.URL.Path == "*" && r.Proto == "HTTP/2.0" 498 } 499 500 // Return value if nonempty, def otherwise. 501 func valueOrDefault(value, def string) string { 502 if value != "" { 503 return value 504 } 505 return def 506 } 507 508 // NOTE: This is not intended to reflect the actual Go version being used. 509 // It was changed at the time of Go 1.1 release because the former User-Agent 510 // had ended up blocked by some intrusion detection systems. 511 // See https://codereview.appspot.com/7532043. 512 const defaultUserAgent = "Go-http-client/1.1" 513 514 // Write writes an HTTP/1.1 request, which is the header and body, in wire format. 515 // This method consults the following fields of the request: 516 // Host 517 // URL 518 // Method (defaults to "GET") 519 // Header 520 // ContentLength 521 // TransferEncoding 522 // Body 523 // 524 // If Body is present, Content-Length is <= 0 and TransferEncoding 525 // hasn't been set to "identity", Write adds "Transfer-Encoding: 526 // chunked" to the header. Body is closed after it is sent. 527 func (r *Request) Write(w io.Writer) error { 528 return r.write(w, false, nil, nil) 529 } 530 531 // WriteProxy is like Write but writes the request in the form 532 // expected by an HTTP proxy. In particular, WriteProxy writes the 533 // initial Request-URI line of the request with an absolute URI, per 534 // section 5.3 of RFC 7230, including the scheme and host. 535 // In either case, WriteProxy also writes a Host header, using 536 // either r.Host or r.URL.Host. 537 func (r *Request) WriteProxy(w io.Writer) error { 538 return r.write(w, true, nil, nil) 539 } 540 541 // errMissingHost is returned by Write when there is no Host or URL present in 542 // the Request. 543 var errMissingHost = errors.New("http: Request.Write on Request with no Host or URL set") 544 545 // extraHeaders may be nil 546 // waitForContinue may be nil 547 // always closes body 548 func (r *Request) write(w io.Writer, usingProxy bool, extraHeaders Header, waitForContinue func() bool) (err error) { 549 trace := httptrace.ContextClientTrace(r.Context()) 550 if trace != nil && trace.WroteRequest != nil { 551 defer func() { 552 trace.WroteRequest(httptrace.WroteRequestInfo{ 553 Err: err, 554 }) 555 }() 556 } 557 closed := false 558 defer func() { 559 if closed { 560 return 561 } 562 if closeErr := r.closeBody(); closeErr != nil && err == nil { 563 err = closeErr 564 } 565 }() 566 567 // Find the target host. Prefer the Host: header, but if that 568 // is not given, use the host from the request URL. 569 // 570 // Clean the host, in case it arrives with unexpected stuff in it. 571 host := cleanHost(r.Host) 572 if host == "" { 573 if r.URL == nil { 574 return errMissingHost 575 } 576 host = cleanHost(r.URL.Host) 577 } 578 579 // According to RFC 6874, an HTTP client, proxy, or other 580 // intermediary must remove any IPv6 zone identifier attached 581 // to an outgoing URI. 582 host = removeZone(host) 583 584 ruri := r.URL.RequestURI() 585 if usingProxy && r.URL.Scheme != "" && r.URL.Opaque == "" { 586 ruri = r.URL.Scheme + "://" + host + ruri 587 } else if r.Method == "CONNECT" && r.URL.Path == "" { 588 // CONNECT requests normally give just the host and port, not a full URL. 589 ruri = host 590 if r.URL.Opaque != "" { 591 ruri = r.URL.Opaque 592 } 593 } 594 if stringContainsCTLByte(ruri) { 595 return errors.New("net/http: can't write control character in Request.URL") 596 } 597 // TODO: validate r.Method too? At least it's less likely to 598 // come from an attacker (more likely to be a constant in 599 // code). 600 601 // Wrap the writer in a bufio Writer if it's not already buffered. 602 // Don't always call NewWriter, as that forces a bytes.Buffer 603 // and other small bufio Writers to have a minimum 4k buffer 604 // size. 605 var bw *bufio.Writer 606 if _, ok := w.(io.ByteWriter); !ok { 607 bw = bufio.NewWriter(w) 608 w = bw 609 } 610 611 _, err = fmt.Fprintf(w, "%s %s HTTP/1.1\r\n", valueOrDefault(r.Method, "GET"), ruri) 612 if err != nil { 613 return err 614 } 615 616 if _, ok := r.Header["Host"]; !ok { 617 r.Header.Set("Host", host) 618 } 619 620 // if user agent field is not present, add it 621 if uaCap, uaLow := r.Header["User-Agent"], r.Header["user-agent"]; uaCap == nil && uaLow == nil { 622 r.Header.Set("User-Agent", "Go-http-client/1.1") 623 } 624 625 // Process Body,ContentLength,Close,Trailer 626 tw, err := newTransferWriter(r) 627 if err != nil { 628 return err 629 } 630 err = tw.addHeaders(&r.Header, trace) 631 if err != nil { 632 return err 633 } 634 635 err = r.Header.write(w, trace) 636 if err != nil { 637 return err 638 } 639 640 if extraHeaders != nil { 641 err = extraHeaders.write(w, trace) 642 if err != nil { 643 return err 644 } 645 } 646 647 _, err = io.WriteString(w, "\r\n") 648 if err != nil { 649 return err 650 } 651 652 if trace != nil && trace.WroteHeaders != nil { 653 trace.WroteHeaders() 654 } 655 656 // Flush and wait for 100-continue if expected. 657 if waitForContinue != nil { 658 if bw, ok := w.(*bufio.Writer); ok { 659 err = bw.Flush() 660 if err != nil { 661 return err 662 } 663 } 664 if trace != nil && trace.Wait100Continue != nil { 665 trace.Wait100Continue() 666 } 667 if !waitForContinue() { 668 closed = true 669 r.closeBody() 670 return nil 671 } 672 } 673 674 if bw, ok := w.(*bufio.Writer); ok && tw.FlushHeaders { 675 if err := bw.Flush(); err != nil { 676 return err 677 } 678 } 679 680 // Write body and trailer 681 closed = true 682 err = tw.writeBody(w) 683 if err != nil { 684 if tw.bodyReadError == err { 685 err = requestBodyReadError{err} 686 } 687 return err 688 } 689 690 if bw != nil { 691 return bw.Flush() 692 } 693 return nil 694 } 695 696 // requestBodyReadError wraps an error from (*Request).write to indicate 697 // that the error came from a Read call on the Request.Body. 698 // This error type should not escape the net/http package to users. 699 type requestBodyReadError struct{ error } 700 701 func idnaASCII(v string) (string, error) { 702 // TODO: Consider removing this check after verifying performance is okay. 703 // Right now punycode verification, length checks, context checks, and the 704 // permissible character tests are all omitted. It also prevents the ToASCII 705 // call from salvaging an invalid IDN, when possible. As a result it may be 706 // possible to have two IDNs that appear identical to the user where the 707 // ASCII-only version causes an error downstream whereas the non-ASCII 708 // version does not. 709 // Note that for correct ASCII IDNs ToASCII will only do considerably more 710 // work, but it will not cause an allocation. 711 if isASCII(v) { 712 return v, nil 713 } 714 return idna.Lookup.ToASCII(v) 715 } 716 717 // cleanHost cleans up the host sent in request's Host header. 718 // 719 // It both strips anything after '/' or ' ', and puts the value 720 // into Punycode form, if necessary. 721 // 722 // Ideally we'd clean the Host header according to the spec: 723 // https://tools.ietf.org/html/rfc7230#section-5.4 (Host = uri-host [ ":" port ]") 724 // https://tools.ietf.org/html/rfc7230#section-2.7 (uri-host -> rfc3986's host) 725 // https://tools.ietf.org/html/rfc3986#section-3.2.2 (definition of host) 726 // But practically, what we are trying to avoid is the situation in 727 // issue 11206, where a malformed Host header used in the proxy context 728 // would create a bad request. So it is enough to just truncate at the 729 // first offending character. 730 func cleanHost(in string) string { 731 if i := strings.IndexAny(in, " /"); i != -1 { 732 in = in[:i] 733 } 734 host, port, err := net.SplitHostPort(in) 735 if err != nil { // input was just a host 736 a, err := idnaASCII(in) 737 if err != nil { 738 return in // garbage in, garbage out 739 } 740 return a 741 } 742 a, err := idnaASCII(host) 743 if err != nil { 744 return in // garbage in, garbage out 745 } 746 return net.JoinHostPort(a, port) 747 } 748 749 // removeZone removes IPv6 zone identifier from host. 750 // E.g., "[fe80::1%en0]:8080" to "[fe80::1]:8080" 751 func removeZone(host string) string { 752 if !strings.HasPrefix(host, "[") { 753 return host 754 } 755 i := strings.LastIndex(host, "]") 756 if i < 0 { 757 return host 758 } 759 j := strings.LastIndex(host[:i], "%") 760 if j < 0 { 761 return host 762 } 763 return host[:j] + host[i:] 764 } 765 766 // ParseHTTPVersion parses an HTTP version string. 767 // "HTTP/1.0" returns (1, 0, true). 768 func ParseHTTPVersion(vers string) (major, minor int, ok bool) { 769 const Big = 1000000 // arbitrary upper bound 770 switch vers { 771 case "HTTP/1.1": 772 return 1, 1, true 773 case "HTTP/1.0": 774 return 1, 0, true 775 } 776 if !strings.HasPrefix(vers, "HTTP/") { 777 return 0, 0, false 778 } 779 dot := strings.Index(vers, ".") 780 if dot < 0 { 781 return 0, 0, false 782 } 783 major, err := strconv.Atoi(vers[5:dot]) 784 if err != nil || major < 0 || major > Big { 785 return 0, 0, false 786 } 787 minor, err = strconv.Atoi(vers[dot+1:]) 788 if err != nil || minor < 0 || minor > Big { 789 return 0, 0, false 790 } 791 return major, minor, true 792 } 793 794 func validMethod(method string) bool { 795 /* 796 Method = "OPTIONS" ; Section 9.2 797 | "GET" ; Section 9.3 798 | "HEAD" ; Section 9.4 799 | "POST" ; Section 9.5 800 | "PUT" ; Section 9.6 801 | "DELETE" ; Section 9.7 802 | "TRACE" ; Section 9.8 803 | "CONNECT" ; Section 9.9 804 | extension-method 805 extension-method = token 806 token = 1*<any CHAR except CTLs or separators> 807 */ 808 return len(method) > 0 && strings.IndexFunc(method, isNotToken) == -1 809 } 810 811 // NewRequest wraps NewRequestWithContext using the background context. 812 func NewRequest(method, url string, body io.Reader) (*Request, error) { 813 return NewRequestWithContext(context.Background(), method, url, body) 814 } 815 816 // NewRequestWithContext returns a new Request given a method, URL, and 817 // optional body. 818 // 819 // If the provided body is also an io.Closer, the returned 820 // Request.Body is set to body and will be closed by the Client 821 // methods Do, Post, and PostForm, and Transport.RoundTrip. 822 // 823 // NewRequestWithContext returns a Request suitable for use with 824 // Client.Do or Transport.RoundTrip. To create a request for use with 825 // testing a Server Handler, either use the NewRequest function in the 826 // net/http/httptest package, use ReadRequest, or manually update the 827 // Request fields. For an outgoing client request, the context 828 // controls the entire lifetime of a request and its response: 829 // obtaining a connection, sending the request, and reading the 830 // response headers and body. See the Request type's documentation for 831 // the difference between inbound and outbound request fields. 832 // 833 // If body is of type *bytes.Buffer, *bytes.Reader, or 834 // *strings.Reader, the returned request's ContentLength is set to its 835 // exact value (instead of -1), GetBody is populated (so 307 and 308 836 // redirects can replay the body), and Body is set to NoBody if the 837 // ContentLength is 0. 838 func NewRequestWithContext(ctx context.Context, method, url string, body io.Reader) (*Request, error) { 839 if method == "" { 840 // We document that "" means "GET" for Request.Method, and people have 841 // relied on that from NewRequest, so keep that working. 842 // We still enforce validMethod for non-empty methods. 843 method = "GET" 844 } 845 if !validMethod(method) { 846 return nil, fmt.Errorf("net/http: invalid method %q", method) 847 } 848 if ctx == nil { 849 return nil, errors.New("net/http: nil Context") 850 } 851 u, err := urlpkg.Parse(url) 852 if err != nil { 853 return nil, err 854 } 855 rc, ok := body.(io.ReadCloser) 856 if !ok && body != nil { 857 rc = io.NopCloser(body) 858 } 859 // The host's colon:port should be normalized. See Issue 14836. 860 u.Host = removeEmptyPort(u.Host) 861 req := &Request{ 862 ctx: ctx, 863 Method: method, 864 URL: u, 865 Proto: "HTTP/1.1", 866 ProtoMajor: 1, 867 ProtoMinor: 1, 868 Header: make(Header), 869 Body: rc, 870 Host: u.Host, 871 } 872 if body != nil { 873 switch v := body.(type) { 874 case *bytes.Buffer: 875 req.ContentLength = int64(v.Len()) 876 buf := v.Bytes() 877 req.GetBody = func() (io.ReadCloser, error) { 878 r := bytes.NewReader(buf) 879 return io.NopCloser(r), nil 880 } 881 case *bytes.Reader: 882 req.ContentLength = int64(v.Len()) 883 snapshot := *v 884 req.GetBody = func() (io.ReadCloser, error) { 885 r := snapshot 886 return io.NopCloser(&r), nil 887 } 888 case *strings.Reader: 889 req.ContentLength = int64(v.Len()) 890 snapshot := *v 891 req.GetBody = func() (io.ReadCloser, error) { 892 r := snapshot 893 return io.NopCloser(&r), nil 894 } 895 default: 896 // This is where we'd set it to -1 (at least 897 // if body != NoBody) to mean unknown, but 898 // that broke people during the Go 1.8 testing 899 // period. People depend on it being 0 I 900 // guess. Maybe retry later. See Issue 18117. 901 } 902 // For client requests, Request.ContentLength of 0 903 // means either actually 0, or unknown. The only way 904 // to explicitly say that the ContentLength is zero is 905 // to set the Body to nil. But turns out too much code 906 // depends on NewRequest returning a non-nil Body, 907 // so we use a well-known ReadCloser variable instead 908 // and have the http package also treat that sentinel 909 // variable to mean explicitly zero. 910 if req.GetBody != nil && req.ContentLength == 0 { 911 req.Body = NoBody 912 req.GetBody = func() (io.ReadCloser, error) { return NoBody, nil } 913 } 914 } 915 916 return req, nil 917 } 918 919 // BasicAuth returns the username and password provided in the request's 920 // Authorization header, if the request uses HTTP Basic Authentication. 921 // See RFC 2617, Section 2. 922 func (r *Request) BasicAuth() (username, password string, ok bool) { 923 auth := r.Header.Get("Authorization") 924 if auth == "" { 925 return 926 } 927 return parseBasicAuth(auth) 928 } 929 930 // parseBasicAuth parses an HTTP Basic Authentication string. 931 // "Basic QWxhZGRpbjpvcGVuIHNlc2FtZQ==" returns ("Aladdin", "open sesame", true). 932 func parseBasicAuth(auth string) (username, password string, ok bool) { 933 const prefix = "Basic " 934 // Case insensitive prefix match. See Issue 22736. 935 if len(auth) < len(prefix) || !strings.EqualFold(auth[:len(prefix)], prefix) { 936 return 937 } 938 c, err := base64.StdEncoding.DecodeString(auth[len(prefix):]) 939 if err != nil { 940 return 941 } 942 cs := string(c) 943 s := strings.IndexByte(cs, ':') 944 if s < 0 { 945 return 946 } 947 return cs[:s], cs[s+1:], true 948 } 949 950 // SetBasicAuth sets the request's Authorization header to use HTTP 951 // Basic Authentication with the provided username and password. 952 // 953 // With HTTP Basic Authentication the provided username and password 954 // are not encrypted. 955 // 956 // Some protocols may impose additional requirements on pre-escaping the 957 // username and password. For instance, when used with OAuth2, both arguments 958 // must be URL encoded first with url.QueryEscape. 959 func (r *Request) SetBasicAuth(username, password string) { 960 r.Header.Set("Authorization", "Basic "+basicAuth(username, password)) 961 } 962 963 // parseRequestLine parses "GET /foo HTTP/1.1" into its three parts. 964 func parseRequestLine(line string) (method, requestURI, proto string, ok bool) { 965 s1 := strings.Index(line, " ") 966 s2 := strings.Index(line[s1+1:], " ") 967 if s1 < 0 || s2 < 0 { 968 return 969 } 970 s2 += s1 + 1 971 return line[:s1], line[s1+1 : s2], line[s2+1:], true 972 } 973 974 var textprotoReaderPool sync.Pool 975 976 func newTextprotoReader(br *bufio.Reader) *textproto.Reader { 977 if v := textprotoReaderPool.Get(); v != nil { 978 tr := v.(*textproto.Reader) 979 tr.R = br 980 return tr 981 } 982 return textproto.NewReader(br) 983 } 984 985 func putTextprotoReader(r *textproto.Reader) { 986 r.R = nil 987 textprotoReaderPool.Put(r) 988 } 989 990 // ReadRequest reads and parses an incoming request from b. 991 // 992 // ReadRequest is a low-level function and should only be used for 993 // specialized applications; most code should use the Server to read 994 // requests and handle them via the Handler interface. ReadRequest 995 // only supports HTTP/1.x requests. For HTTP/2, use golang.org/x/net/http2. 996 func ReadRequest(b *bufio.Reader) (*Request, error) { 997 return readRequest(b, deleteHostHeader) 998 } 999 1000 // Constants for readRequest's deleteHostHeader parameter. 1001 const ( 1002 deleteHostHeader = true 1003 keepHostHeader = false 1004 ) 1005 1006 func readRequest(b *bufio.Reader, deleteHostHeader bool) (req *Request, err error) { 1007 tp := newTextprotoReader(b) 1008 req = new(Request) 1009 1010 // First line: GET /index.html HTTP/1.0 1011 var s string 1012 if s, err = tp.ReadLine(); err != nil { 1013 return nil, err 1014 } 1015 defer func() { 1016 putTextprotoReader(tp) 1017 if err == io.EOF { 1018 err = io.ErrUnexpectedEOF 1019 } 1020 }() 1021 1022 var ok bool 1023 req.Method, req.RequestURI, req.Proto, ok = parseRequestLine(s) 1024 if !ok { 1025 return nil, badStringError("malformed HTTP request", s) 1026 } 1027 if !validMethod(req.Method) { 1028 return nil, badStringError("invalid method", req.Method) 1029 } 1030 rawurl := req.RequestURI 1031 if req.ProtoMajor, req.ProtoMinor, ok = ParseHTTPVersion(req.Proto); !ok { 1032 return nil, badStringError("malformed HTTP version", req.Proto) 1033 } 1034 1035 // CONNECT requests are used two different ways, and neither uses a full URL: 1036 // The standard use is to tunnel HTTPS through an HTTP proxy. 1037 // It looks like "CONNECT www.google.com:443 HTTP/1.1", and the parameter is 1038 // just the authority section of a URL. This information should go in req.URL.Host. 1039 // 1040 // The net/rpc package also uses CONNECT, but there the parameter is a path 1041 // that starts with a slash. It can be parsed with the regular URL parser, 1042 // and the path will end up in req.URL.Path, where it needs to be in order for 1043 // RPC to work. 1044 justAuthority := req.Method == "CONNECT" && !strings.HasPrefix(rawurl, "/") 1045 if justAuthority { 1046 rawurl = "http://" + rawurl 1047 } 1048 1049 if req.URL, err = url.ParseRequestURI(rawurl); err != nil { 1050 return nil, err 1051 } 1052 1053 if justAuthority { 1054 // Strip the bogus "http://" back off. 1055 req.URL.Scheme = "" 1056 } 1057 1058 // Subsequent lines: Key: value. 1059 mimeHeader, err := tp.ReadMIMEHeader() 1060 if err != nil { 1061 return nil, err 1062 } 1063 req.Header = Header(mimeHeader) 1064 1065 // RFC 7230, section 5.3: Must treat 1066 // GET /index.html HTTP/1.1 1067 // Host: www.google.com 1068 // and 1069 // GET http://www.google.com/index.html HTTP/1.1 1070 // Host: doesntmatter 1071 // the same. In the second case, any Host line is ignored. 1072 req.Host = req.URL.Host 1073 if req.Host == "" { 1074 req.Host = req.Header.get("Host") 1075 } 1076 if deleteHostHeader { 1077 delete(req.Header, "Host") 1078 } 1079 1080 fixPragmaCacheControl(req.Header) 1081 1082 req.Close = shouldClose(req.ProtoMajor, req.ProtoMinor, req.Header, false) 1083 1084 err = readTransfer(req, b) 1085 if err != nil { 1086 return nil, err 1087 } 1088 1089 if req.isH2Upgrade() { 1090 // Because it's neither chunked, nor declared: 1091 req.ContentLength = -1 1092 1093 // We want to give handlers a chance to hijack the 1094 // connection, but we need to prevent the Server from 1095 // dealing with the connection further if it's not 1096 // hijacked. Set Close to ensure that: 1097 req.Close = true 1098 } 1099 return req, nil 1100 } 1101 1102 // MaxBytesReader is similar to io.LimitReader but is intended for 1103 // limiting the size of incoming request bodies. In contrast to 1104 // io.LimitReader, MaxBytesReader's result is a ReadCloser, returns a 1105 // non-EOF error for a Read beyond the limit, and closes the 1106 // underlying reader when its Close method is called. 1107 // 1108 // MaxBytesReader prevents clients from accidentally or maliciously 1109 // sending a large request and wasting server resources. 1110 func MaxBytesReader(w ResponseWriter, r io.ReadCloser, n int64) io.ReadCloser { 1111 return &maxBytesReader{w: w, r: r, n: n} 1112 } 1113 1114 type maxBytesReader struct { 1115 w ResponseWriter 1116 r io.ReadCloser // underlying reader 1117 n int64 // max bytes remaining 1118 err error // sticky error 1119 } 1120 1121 func (l *maxBytesReader) Read(p []byte) (n int, err error) { 1122 if l.err != nil { 1123 return 0, l.err 1124 } 1125 if len(p) == 0 { 1126 return 0, nil 1127 } 1128 // If they asked for a 32KB byte read but only 5 bytes are 1129 // remaining, no need to read 32KB. 6 bytes will answer the 1130 // question of the whether we hit the limit or go past it. 1131 if int64(len(p)) > l.n+1 { 1132 p = p[:l.n+1] 1133 } 1134 n, err = l.r.Read(p) 1135 1136 if int64(n) <= l.n { 1137 l.n -= int64(n) 1138 l.err = err 1139 return n, err 1140 } 1141 1142 n = int(l.n) 1143 l.n = 0 1144 1145 // The server code and client code both use 1146 // maxBytesReader. This "requestTooLarge" check is 1147 // only used by the server code. To prevent binaries 1148 // which only using the HTTP Client code (such as 1149 // cmd/go) from also linking in the HTTP server, don't 1150 // use a static type assertion to the server 1151 // "*response" type. Check this interface instead: 1152 type requestTooLarger interface { 1153 requestTooLarge() 1154 } 1155 if res, ok := l.w.(requestTooLarger); ok { 1156 res.requestTooLarge() 1157 } 1158 l.err = errors.New("http: request body too large") 1159 return n, l.err 1160 } 1161 1162 func (l *maxBytesReader) Close() error { 1163 return l.r.Close() 1164 } 1165 1166 func copyValues(dst, src url.Values) { 1167 for k, vs := range src { 1168 dst[k] = append(dst[k], vs...) 1169 } 1170 } 1171 1172 func parsePostForm(r *Request) (vs url.Values, err error) { 1173 if r.Body == nil { 1174 err = errors.New("missing form body") 1175 return 1176 } 1177 ct := r.Header.Get("Content-Type") 1178 // RFC 7231, section 3.1.1.5 - empty type 1179 // MAY be treated as application/octet-stream 1180 if ct == "" { 1181 ct = "application/octet-stream" 1182 } 1183 ct, _, err = mime.ParseMediaType(ct) 1184 switch { 1185 case ct == "application/x-www-form-urlencoded": 1186 var reader io.Reader = r.Body 1187 maxFormSize := int64(1<<63 - 1) 1188 if _, ok := r.Body.(*maxBytesReader); !ok { 1189 maxFormSize = int64(10 << 20) // 10 MB is a lot of text. 1190 reader = io.LimitReader(r.Body, maxFormSize+1) 1191 } 1192 b, e := io.ReadAll(reader) 1193 if e != nil { 1194 if err == nil { 1195 err = e 1196 } 1197 break 1198 } 1199 if int64(len(b)) > maxFormSize { 1200 err = errors.New("http: POST too large") 1201 return 1202 } 1203 vs, e = url.ParseQuery(string(b)) 1204 if err == nil { 1205 err = e 1206 } 1207 case ct == "multipart/form-data": 1208 // handled by ParseMultipartForm (which is calling us, or should be) 1209 // TODO(bradfitz): there are too many possible 1210 // orders to call too many functions here. 1211 // Clean this up and write more tests. 1212 // request_test.go contains the start of this, 1213 // in TestParseMultipartFormOrder and others. 1214 } 1215 return 1216 } 1217 1218 // ParseForm populates r.Form and r.PostForm. 1219 // 1220 // For all requests, ParseForm parses the raw query from the URL and updates 1221 // r.Form. 1222 // 1223 // For POST, PUT, and PATCH requests, it also reads the request body, parses it 1224 // as a form and puts the results into both r.PostForm and r.Form. Request body 1225 // parameters take precedence over URL query string Values in r.Form. 1226 // 1227 // If the request Body's size has not already been limited by MaxBytesReader, 1228 // the size is capped at 10MB. 1229 // 1230 // For other HTTP methods, or when the Content-Type is not 1231 // application/x-www-form-urlencoded, the request Body is not read, and 1232 // r.PostForm is initialized to a non-nil, empty value. 1233 // 1234 // ParseMultipartForm calls ParseForm automatically. 1235 // ParseForm is idempotent. 1236 func (r *Request) ParseForm() error { 1237 var err error 1238 if r.PostForm == nil { 1239 if r.Method == "POST" || r.Method == "PUT" || r.Method == "PATCH" { 1240 r.PostForm, err = parsePostForm(r) 1241 } 1242 if r.PostForm == nil { 1243 r.PostForm = make(url.Values) 1244 } 1245 } 1246 if r.Form == nil { 1247 if len(r.PostForm) > 0 { 1248 r.Form = make(url.Values) 1249 copyValues(r.Form, r.PostForm) 1250 } 1251 var newValues url.Values 1252 if r.URL != nil { 1253 var e error 1254 newValues, e = url.ParseQuery(r.URL.RawQuery) 1255 if err == nil { 1256 err = e 1257 } 1258 } 1259 if newValues == nil { 1260 newValues = make(url.Values) 1261 } 1262 if r.Form == nil { 1263 r.Form = newValues 1264 } else { 1265 copyValues(r.Form, newValues) 1266 } 1267 } 1268 return err 1269 } 1270 1271 // ParseMultipartForm parses a request body as multipart/form-data. 1272 // The whole request body is parsed and up to a total of maxMemory bytes of 1273 // its file parts are stored in memory, with the remainder stored on 1274 // disk in temporary files. 1275 // ParseMultipartForm calls ParseForm if necessary. 1276 // After one call to ParseMultipartForm, subsequent calls have no effect. 1277 func (r *Request) ParseMultipartForm(maxMemory int64) error { 1278 if r.MultipartForm == multipartByReader { 1279 return errors.New("http: multipart handled by MultipartReader") 1280 } 1281 if r.Form == nil { 1282 err := r.ParseForm() 1283 if err != nil { 1284 return err 1285 } 1286 } 1287 if r.MultipartForm != nil { 1288 return nil 1289 } 1290 1291 mr, err := r.multipartReader(false) 1292 if err != nil { 1293 return err 1294 } 1295 1296 f, err := mr.ReadForm(maxMemory) 1297 if err != nil { 1298 return err 1299 } 1300 1301 if r.PostForm == nil { 1302 r.PostForm = make(url.Values) 1303 } 1304 for k, v := range f.Value { 1305 r.Form[k] = append(r.Form[k], v...) 1306 // r.PostForm should also be populated. See Issue 9305. 1307 r.PostForm[k] = append(r.PostForm[k], v...) 1308 } 1309 1310 r.MultipartForm = f 1311 1312 return nil 1313 } 1314 1315 // FormValue returns the first value for the named component of the query. 1316 // POST and PUT body parameters take precedence over URL query string Values. 1317 // FormValue calls ParseMultipartForm and ParseForm if necessary and ignores 1318 // any errors returned by these functions. 1319 // If Key is not present, FormValue returns the empty string. 1320 // To access multiple Values of the same Key, call ParseForm and 1321 // then inspect Request.Form directly. 1322 func (r *Request) FormValue(key string) string { 1323 if r.Form == nil { 1324 r.ParseMultipartForm(defaultMaxMemory) 1325 } 1326 if vs := r.Form[key]; len(vs) > 0 { 1327 return vs[0] 1328 } 1329 return "" 1330 } 1331 1332 // PostFormValue returns the first value for the named component of the POST, 1333 // PATCH, or PUT request body. URL query parameters are ignored. 1334 // PostFormValue calls ParseMultipartForm and ParseForm if necessary and ignores 1335 // any errors returned by these functions. 1336 // If Key is not present, PostFormValue returns the empty string. 1337 func (r *Request) PostFormValue(key string) string { 1338 if r.PostForm == nil { 1339 r.ParseMultipartForm(defaultMaxMemory) 1340 } 1341 if vs := r.PostForm[key]; len(vs) > 0 { 1342 return vs[0] 1343 } 1344 return "" 1345 } 1346 1347 // FormFile returns the first file for the provided form Key. 1348 // FormFile calls ParseMultipartForm and ParseForm if necessary. 1349 func (r *Request) FormFile(key string) (multipart.File, *multipart.FileHeader, error) { 1350 if r.MultipartForm == multipartByReader { 1351 return nil, nil, errors.New("http: multipart handled by MultipartReader") 1352 } 1353 if r.MultipartForm == nil { 1354 err := r.ParseMultipartForm(defaultMaxMemory) 1355 if err != nil { 1356 return nil, nil, err 1357 } 1358 } 1359 if r.MultipartForm != nil && r.MultipartForm.File != nil { 1360 if fhs := r.MultipartForm.File[key]; len(fhs) > 0 { 1361 f, err := fhs[0].Open() 1362 return f, fhs[0], err 1363 } 1364 } 1365 return nil, nil, ErrMissingFile 1366 } 1367 1368 func (r *Request) expectsContinue() bool { 1369 return hasToken(r.Header.get("Expect"), "100-continue") 1370 } 1371 1372 func (r *Request) wantsHttp10KeepAlive() bool { 1373 if r.ProtoMajor != 1 || r.ProtoMinor != 0 { 1374 return false 1375 } 1376 return hasToken(r.Header.get("Connection"), "keep-alive") 1377 } 1378 1379 func (r *Request) wantsClose() bool { 1380 if r.Close { 1381 return true 1382 } 1383 return hasToken(r.Header.get("Connection"), "close") 1384 } 1385 1386 func (r *Request) closeBody() error { 1387 if r.Body == nil { 1388 return nil 1389 } 1390 return r.Body.Close() 1391 } 1392 1393 func (r *Request) isReplayable() bool { 1394 if r.Body == nil || r.Body == NoBody || r.GetBody != nil { 1395 switch valueOrDefault(r.Method, "GET") { 1396 case "GET", "HEAD", "OPTIONS", "TRACE": 1397 return true 1398 } 1399 // The Idempotency-Key, while non-standard, is widely used to 1400 // mean a POST or other request is idempotent. See 1401 // https://golang.org/issue/19943#issuecomment-421092421 1402 if r.Header.has("Idempotency-Key") || r.Header.has("X-Idempotency-Key") { 1403 return true 1404 } 1405 } 1406 return false 1407 } 1408 1409 // outgoingLength reports the Content-Length of this outgoing (Client) request. 1410 // It maps 0 into -1 (unknown) when the Body is non-nil. 1411 func (r *Request) outgoingLength() int64 { 1412 if r.Body == nil || r.Body == NoBody { 1413 return 0 1414 } 1415 if r.ContentLength != 0 { 1416 return r.ContentLength 1417 } 1418 return -1 1419 } 1420 1421 // requestMethodUsuallyLacksBody reports whether the given request 1422 // method is one that typically does not involve a request body. 1423 // This is used by the Transport (via 1424 // transferWriter.shouldSendChunkedRequestBody) to determine whether 1425 // we try to test-read a byte from a non-nil Request.Body when 1426 // Request.outgoingLength() returns -1. See the comments in 1427 // shouldSendChunkedRequestBody. 1428 func requestMethodUsuallyLacksBody(method string) bool { 1429 switch method { 1430 case "GET", "HEAD", "DELETE", "OPTIONS", "PROPFIND", "SEARCH": 1431 return true 1432 } 1433 return false 1434 } 1435 1436 // requiresHTTP1 reports whether this request requires being sent on 1437 // an HTTP/1 connection. 1438 func (r *Request) requiresHTTP1() bool { 1439 return hasToken(r.Header.Get("Connection"), "upgrade") && 1440 strings.EqualFold(r.Header.Get("Upgrade"), "websocket") 1441 }