]> Cypherpunks.ru repositories - gostls13.git/blob - src/net/http/transfer.go
net/http: let Transport request body writes use sendfile
[gostls13.git] / src / net / http / transfer.go
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 package http
6
7 import (
8         "bufio"
9         "bytes"
10         "errors"
11         "fmt"
12         "io"
13         "io/ioutil"
14         "net/http/httptrace"
15         "net/http/internal"
16         "net/textproto"
17         "reflect"
18         "sort"
19         "strconv"
20         "strings"
21         "sync"
22         "time"
23
24         "internal/x/net/http/httpguts"
25 )
26
27 // ErrLineTooLong is returned when reading request or response bodies
28 // with malformed chunked encoding.
29 var ErrLineTooLong = internal.ErrLineTooLong
30
31 type errorReader struct {
32         err error
33 }
34
35 func (r errorReader) Read(p []byte) (n int, err error) {
36         return 0, r.err
37 }
38
39 type byteReader struct {
40         b    byte
41         done bool
42 }
43
44 func (br *byteReader) Read(p []byte) (n int, err error) {
45         if br.done {
46                 return 0, io.EOF
47         }
48         if len(p) == 0 {
49                 return 0, nil
50         }
51         br.done = true
52         p[0] = br.b
53         return 1, io.EOF
54 }
55
56 // transferWriter inspects the fields of a user-supplied Request or Response,
57 // sanitizes them without changing the user object and provides methods for
58 // writing the respective header, body and trailer in wire format.
59 type transferWriter struct {
60         Method           string
61         Body             io.Reader
62         BodyCloser       io.Closer
63         ResponseToHEAD   bool
64         ContentLength    int64 // -1 means unknown, 0 means exactly none
65         Close            bool
66         TransferEncoding []string
67         Header           Header
68         Trailer          Header
69         IsResponse       bool
70         bodyReadError    error // any non-EOF error from reading Body
71
72         FlushHeaders bool            // flush headers to network before body
73         ByteReadCh   chan readResult // non-nil if probeRequestBody called
74 }
75
76 func newTransferWriter(r interface{}) (t *transferWriter, err error) {
77         t = &transferWriter{}
78
79         // Extract relevant fields
80         atLeastHTTP11 := false
81         switch rr := r.(type) {
82         case *Request:
83                 if rr.ContentLength != 0 && rr.Body == nil {
84                         return nil, fmt.Errorf("http: Request.ContentLength=%d with nil Body", rr.ContentLength)
85                 }
86                 t.Method = valueOrDefault(rr.Method, "GET")
87                 t.Close = rr.Close
88                 t.TransferEncoding = rr.TransferEncoding
89                 t.Header = rr.Header
90                 t.Trailer = rr.Trailer
91                 t.Body = rr.Body
92                 t.BodyCloser = rr.Body
93                 t.ContentLength = rr.outgoingLength()
94                 if t.ContentLength < 0 && len(t.TransferEncoding) == 0 && t.shouldSendChunkedRequestBody() {
95                         t.TransferEncoding = []string{"chunked"}
96                 }
97                 // If there's a body, conservatively flush the headers
98                 // to any bufio.Writer we're writing to, just in case
99                 // the server needs the headers early, before we copy
100                 // the body and possibly block. We make an exception
101                 // for the common standard library in-memory types,
102                 // though, to avoid unnecessary TCP packets on the
103                 // wire. (Issue 22088.)
104                 if t.ContentLength != 0 && !isKnownInMemoryReader(t.Body) {
105                         t.FlushHeaders = true
106                 }
107
108                 atLeastHTTP11 = true // Transport requests are always 1.1 or 2.0
109         case *Response:
110                 t.IsResponse = true
111                 if rr.Request != nil {
112                         t.Method = rr.Request.Method
113                 }
114                 t.Body = rr.Body
115                 t.BodyCloser = rr.Body
116                 t.ContentLength = rr.ContentLength
117                 t.Close = rr.Close
118                 t.TransferEncoding = rr.TransferEncoding
119                 t.Header = rr.Header
120                 t.Trailer = rr.Trailer
121                 atLeastHTTP11 = rr.ProtoAtLeast(1, 1)
122                 t.ResponseToHEAD = noResponseBodyExpected(t.Method)
123         }
124
125         // Sanitize Body,ContentLength,TransferEncoding
126         if t.ResponseToHEAD {
127                 t.Body = nil
128                 if chunked(t.TransferEncoding) {
129                         t.ContentLength = -1
130                 }
131         } else {
132                 if !atLeastHTTP11 || t.Body == nil {
133                         t.TransferEncoding = nil
134                 }
135                 if chunked(t.TransferEncoding) {
136                         t.ContentLength = -1
137                 } else if t.Body == nil { // no chunking, no body
138                         t.ContentLength = 0
139                 }
140         }
141
142         // Sanitize Trailer
143         if !chunked(t.TransferEncoding) {
144                 t.Trailer = nil
145         }
146
147         return t, nil
148 }
149
150 // shouldSendChunkedRequestBody reports whether we should try to send a
151 // chunked request body to the server. In particular, the case we really
152 // want to prevent is sending a GET or other typically-bodyless request to a
153 // server with a chunked body when the body has zero bytes, since GETs with
154 // bodies (while acceptable according to specs), even zero-byte chunked
155 // bodies, are approximately never seen in the wild and confuse most
156 // servers. See Issue 18257, as one example.
157 //
158 // The only reason we'd send such a request is if the user set the Body to a
159 // non-nil value (say, ioutil.NopCloser(bytes.NewReader(nil))) and didn't
160 // set ContentLength, or NewRequest set it to -1 (unknown), so then we assume
161 // there's bytes to send.
162 //
163 // This code tries to read a byte from the Request.Body in such cases to see
164 // whether the body actually has content (super rare) or is actually just
165 // a non-nil content-less ReadCloser (the more common case). In that more
166 // common case, we act as if their Body were nil instead, and don't send
167 // a body.
168 func (t *transferWriter) shouldSendChunkedRequestBody() bool {
169         // Note that t.ContentLength is the corrected content length
170         // from rr.outgoingLength, so 0 actually means zero, not unknown.
171         if t.ContentLength >= 0 || t.Body == nil { // redundant checks; caller did them
172                 return false
173         }
174         if t.Method == "CONNECT" {
175                 return false
176         }
177         if requestMethodUsuallyLacksBody(t.Method) {
178                 // Only probe the Request.Body for GET/HEAD/DELETE/etc
179                 // requests, because it's only those types of requests
180                 // that confuse servers.
181                 t.probeRequestBody() // adjusts t.Body, t.ContentLength
182                 return t.Body != nil
183         }
184         // For all other request types (PUT, POST, PATCH, or anything
185         // made-up we've never heard of), assume it's normal and the server
186         // can deal with a chunked request body. Maybe we'll adjust this
187         // later.
188         return true
189 }
190
191 // probeRequestBody reads a byte from t.Body to see whether it's empty
192 // (returns io.EOF right away).
193 //
194 // But because we've had problems with this blocking users in the past
195 // (issue 17480) when the body is a pipe (perhaps waiting on the response
196 // headers before the pipe is fed data), we need to be careful and bound how
197 // long we wait for it. This delay will only affect users if all the following
198 // are true:
199 //   * the request body blocks
200 //   * the content length is not set (or set to -1)
201 //   * the method doesn't usually have a body (GET, HEAD, DELETE, ...)
202 //   * there is no transfer-encoding=chunked already set.
203 // In other words, this delay will not normally affect anybody, and there
204 // are workarounds if it does.
205 func (t *transferWriter) probeRequestBody() {
206         t.ByteReadCh = make(chan readResult, 1)
207         go func(body io.Reader) {
208                 var buf [1]byte
209                 var rres readResult
210                 rres.n, rres.err = body.Read(buf[:])
211                 if rres.n == 1 {
212                         rres.b = buf[0]
213                 }
214                 t.ByteReadCh <- rres
215         }(t.Body)
216         timer := time.NewTimer(200 * time.Millisecond)
217         select {
218         case rres := <-t.ByteReadCh:
219                 timer.Stop()
220                 if rres.n == 0 && rres.err == io.EOF {
221                         // It was empty.
222                         t.Body = nil
223                         t.ContentLength = 0
224                 } else if rres.n == 1 {
225                         if rres.err != nil {
226                                 t.Body = io.MultiReader(&byteReader{b: rres.b}, errorReader{rres.err})
227                         } else {
228                                 t.Body = io.MultiReader(&byteReader{b: rres.b}, t.Body)
229                         }
230                 } else if rres.err != nil {
231                         t.Body = errorReader{rres.err}
232                 }
233         case <-timer.C:
234                 // Too slow. Don't wait. Read it later, and keep
235                 // assuming that this is ContentLength == -1
236                 // (unknown), which means we'll send a
237                 // "Transfer-Encoding: chunked" header.
238                 t.Body = io.MultiReader(finishAsyncByteRead{t}, t.Body)
239                 // Request that Request.Write flush the headers to the
240                 // network before writing the body, since our body may not
241                 // become readable until it's seen the response headers.
242                 t.FlushHeaders = true
243         }
244 }
245
246 func noResponseBodyExpected(requestMethod string) bool {
247         return requestMethod == "HEAD"
248 }
249
250 func (t *transferWriter) shouldSendContentLength() bool {
251         if chunked(t.TransferEncoding) {
252                 return false
253         }
254         if t.ContentLength > 0 {
255                 return true
256         }
257         if t.ContentLength < 0 {
258                 return false
259         }
260         // Many servers expect a Content-Length for these methods
261         if t.Method == "POST" || t.Method == "PUT" {
262                 return true
263         }
264         if t.ContentLength == 0 && isIdentity(t.TransferEncoding) {
265                 if t.Method == "GET" || t.Method == "HEAD" {
266                         return false
267                 }
268                 return true
269         }
270
271         return false
272 }
273
274 func (t *transferWriter) writeHeader(w io.Writer, trace *httptrace.ClientTrace) error {
275         if t.Close && !hasToken(t.Header.get("Connection"), "close") {
276                 if _, err := io.WriteString(w, "Connection: close\r\n"); err != nil {
277                         return err
278                 }
279                 if trace != nil && trace.WroteHeaderField != nil {
280                         trace.WroteHeaderField("Connection", []string{"close"})
281                 }
282         }
283
284         // Write Content-Length and/or Transfer-Encoding whose values are a
285         // function of the sanitized field triple (Body, ContentLength,
286         // TransferEncoding)
287         if t.shouldSendContentLength() {
288                 if _, err := io.WriteString(w, "Content-Length: "); err != nil {
289                         return err
290                 }
291                 if _, err := io.WriteString(w, strconv.FormatInt(t.ContentLength, 10)+"\r\n"); err != nil {
292                         return err
293                 }
294                 if trace != nil && trace.WroteHeaderField != nil {
295                         trace.WroteHeaderField("Content-Length", []string{strconv.FormatInt(t.ContentLength, 10)})
296                 }
297         } else if chunked(t.TransferEncoding) {
298                 if _, err := io.WriteString(w, "Transfer-Encoding: chunked\r\n"); err != nil {
299                         return err
300                 }
301                 if trace != nil && trace.WroteHeaderField != nil {
302                         trace.WroteHeaderField("Transfer-Encoding", []string{"chunked"})
303                 }
304         }
305
306         // Write Trailer header
307         if t.Trailer != nil {
308                 keys := make([]string, 0, len(t.Trailer))
309                 for k := range t.Trailer {
310                         k = CanonicalHeaderKey(k)
311                         switch k {
312                         case "Transfer-Encoding", "Trailer", "Content-Length":
313                                 return &badStringError{"invalid Trailer key", k}
314                         }
315                         keys = append(keys, k)
316                 }
317                 if len(keys) > 0 {
318                         sort.Strings(keys)
319                         // TODO: could do better allocation-wise here, but trailers are rare,
320                         // so being lazy for now.
321                         if _, err := io.WriteString(w, "Trailer: "+strings.Join(keys, ",")+"\r\n"); err != nil {
322                                 return err
323                         }
324                         if trace != nil && trace.WroteHeaderField != nil {
325                                 trace.WroteHeaderField("Trailer", keys)
326                         }
327                 }
328         }
329
330         return nil
331 }
332
333 func (t *transferWriter) writeBody(w io.Writer) error {
334         var err error
335         var ncopy int64
336
337         // Write body. We "unwrap" the body first if it was wrapped in a
338         // nopCloser. This is to ensure that we can take advantage of
339         // OS-level optimizations in the event that the body is an
340         // *os.File.
341         if t.Body != nil {
342                 var body = t.unwrapBody()
343                 if chunked(t.TransferEncoding) {
344                         if bw, ok := w.(*bufio.Writer); ok && !t.IsResponse {
345                                 w = &internal.FlushAfterChunkWriter{Writer: bw}
346                         }
347                         cw := internal.NewChunkedWriter(w)
348                         _, err = t.doBodyCopy(cw, body)
349                         if err == nil {
350                                 err = cw.Close()
351                         }
352                 } else if t.ContentLength == -1 {
353                         dst := w
354                         if t.Method == "CONNECT" {
355                                 dst = bufioFlushWriter{dst}
356                         }
357                         ncopy, err = t.doBodyCopy(dst, body)
358                 } else {
359                         ncopy, err = t.doBodyCopy(w, io.LimitReader(body, t.ContentLength))
360                         if err != nil {
361                                 return err
362                         }
363                         var nextra int64
364                         nextra, err = t.doBodyCopy(ioutil.Discard, body)
365                         ncopy += nextra
366                 }
367                 if err != nil {
368                         return err
369                 }
370         }
371         if t.BodyCloser != nil {
372                 if err := t.BodyCloser.Close(); err != nil {
373                         return err
374                 }
375         }
376
377         if !t.ResponseToHEAD && t.ContentLength != -1 && t.ContentLength != ncopy {
378                 return fmt.Errorf("http: ContentLength=%d with Body length %d",
379                         t.ContentLength, ncopy)
380         }
381
382         if chunked(t.TransferEncoding) {
383                 // Write Trailer header
384                 if t.Trailer != nil {
385                         if err := t.Trailer.Write(w); err != nil {
386                                 return err
387                         }
388                 }
389                 // Last chunk, empty trailer
390                 _, err = io.WriteString(w, "\r\n")
391         }
392         return err
393 }
394
395 // doBodyCopy wraps a copy operation, with any resulting error also
396 // being saved in bodyReadError.
397 //
398 // This function is only intended for use in writeBody.
399 func (t *transferWriter) doBodyCopy(dst io.Writer, src io.Reader) (n int64, err error) {
400         n, err = io.Copy(dst, src)
401         if err != nil && err != io.EOF {
402                 t.bodyReadError = err
403         }
404         return
405 }
406
407 // unwrapBodyReader unwraps the body's inner reader if it's a
408 // nopCloser. This is to ensure that body writes sourced from local
409 // files (*os.File types) are properly optimized.
410 //
411 // This function is only intended for use in writeBody.
412 func (t *transferWriter) unwrapBody() io.Reader {
413         if reflect.TypeOf(t.Body) == nopCloserType {
414                 return reflect.ValueOf(t.Body).Field(0).Interface().(io.Reader)
415         }
416
417         return t.Body
418 }
419
420 type transferReader struct {
421         // Input
422         Header        Header
423         StatusCode    int
424         RequestMethod string
425         ProtoMajor    int
426         ProtoMinor    int
427         // Output
428         Body             io.ReadCloser
429         ContentLength    int64
430         TransferEncoding []string
431         Close            bool
432         Trailer          Header
433 }
434
435 func (t *transferReader) protoAtLeast(m, n int) bool {
436         return t.ProtoMajor > m || (t.ProtoMajor == m && t.ProtoMinor >= n)
437 }
438
439 // bodyAllowedForStatus reports whether a given response status code
440 // permits a body. See RFC 7230, section 3.3.
441 func bodyAllowedForStatus(status int) bool {
442         switch {
443         case status >= 100 && status <= 199:
444                 return false
445         case status == 204:
446                 return false
447         case status == 304:
448                 return false
449         }
450         return true
451 }
452
453 var (
454         suppressedHeaders304    = []string{"Content-Type", "Content-Length", "Transfer-Encoding"}
455         suppressedHeadersNoBody = []string{"Content-Length", "Transfer-Encoding"}
456 )
457
458 func suppressedHeaders(status int) []string {
459         switch {
460         case status == 304:
461                 // RFC 7232 section 4.1
462                 return suppressedHeaders304
463         case !bodyAllowedForStatus(status):
464                 return suppressedHeadersNoBody
465         }
466         return nil
467 }
468
469 // msg is *Request or *Response.
470 func readTransfer(msg interface{}, r *bufio.Reader) (err error) {
471         t := &transferReader{RequestMethod: "GET"}
472
473         // Unify input
474         isResponse := false
475         switch rr := msg.(type) {
476         case *Response:
477                 t.Header = rr.Header
478                 t.StatusCode = rr.StatusCode
479                 t.ProtoMajor = rr.ProtoMajor
480                 t.ProtoMinor = rr.ProtoMinor
481                 t.Close = shouldClose(t.ProtoMajor, t.ProtoMinor, t.Header, true)
482                 isResponse = true
483                 if rr.Request != nil {
484                         t.RequestMethod = rr.Request.Method
485                 }
486         case *Request:
487                 t.Header = rr.Header
488                 t.RequestMethod = rr.Method
489                 t.ProtoMajor = rr.ProtoMajor
490                 t.ProtoMinor = rr.ProtoMinor
491                 // Transfer semantics for Requests are exactly like those for
492                 // Responses with status code 200, responding to a GET method
493                 t.StatusCode = 200
494                 t.Close = rr.Close
495         default:
496                 panic("unexpected type")
497         }
498
499         // Default to HTTP/1.1
500         if t.ProtoMajor == 0 && t.ProtoMinor == 0 {
501                 t.ProtoMajor, t.ProtoMinor = 1, 1
502         }
503
504         // Transfer encoding, content length
505         err = t.fixTransferEncoding()
506         if err != nil {
507                 return err
508         }
509
510         realLength, err := fixLength(isResponse, t.StatusCode, t.RequestMethod, t.Header, t.TransferEncoding)
511         if err != nil {
512                 return err
513         }
514         if isResponse && t.RequestMethod == "HEAD" {
515                 if n, err := parseContentLength(t.Header.get("Content-Length")); err != nil {
516                         return err
517                 } else {
518                         t.ContentLength = n
519                 }
520         } else {
521                 t.ContentLength = realLength
522         }
523
524         // Trailer
525         t.Trailer, err = fixTrailer(t.Header, t.TransferEncoding)
526         if err != nil {
527                 return err
528         }
529
530         // If there is no Content-Length or chunked Transfer-Encoding on a *Response
531         // and the status is not 1xx, 204 or 304, then the body is unbounded.
532         // See RFC 7230, section 3.3.
533         switch msg.(type) {
534         case *Response:
535                 if realLength == -1 &&
536                         !chunked(t.TransferEncoding) &&
537                         bodyAllowedForStatus(t.StatusCode) {
538                         // Unbounded body.
539                         t.Close = true
540                 }
541         }
542
543         // Prepare body reader. ContentLength < 0 means chunked encoding
544         // or close connection when finished, since multipart is not supported yet
545         switch {
546         case chunked(t.TransferEncoding):
547                 if noResponseBodyExpected(t.RequestMethod) || !bodyAllowedForStatus(t.StatusCode) {
548                         t.Body = NoBody
549                 } else {
550                         t.Body = &body{src: internal.NewChunkedReader(r), hdr: msg, r: r, closing: t.Close}
551                 }
552         case realLength == 0:
553                 t.Body = NoBody
554         case realLength > 0:
555                 t.Body = &body{src: io.LimitReader(r, realLength), closing: t.Close}
556         default:
557                 // realLength < 0, i.e. "Content-Length" not mentioned in header
558                 if t.Close {
559                         // Close semantics (i.e. HTTP/1.0)
560                         t.Body = &body{src: r, closing: t.Close}
561                 } else {
562                         // Persistent connection (i.e. HTTP/1.1)
563                         t.Body = NoBody
564                 }
565         }
566
567         // Unify output
568         switch rr := msg.(type) {
569         case *Request:
570                 rr.Body = t.Body
571                 rr.ContentLength = t.ContentLength
572                 rr.TransferEncoding = t.TransferEncoding
573                 rr.Close = t.Close
574                 rr.Trailer = t.Trailer
575         case *Response:
576                 rr.Body = t.Body
577                 rr.ContentLength = t.ContentLength
578                 rr.TransferEncoding = t.TransferEncoding
579                 rr.Close = t.Close
580                 rr.Trailer = t.Trailer
581         }
582
583         return nil
584 }
585
586 // Checks whether chunked is part of the encodings stack
587 func chunked(te []string) bool { return len(te) > 0 && te[0] == "chunked" }
588
589 // Checks whether the encoding is explicitly "identity".
590 func isIdentity(te []string) bool { return len(te) == 1 && te[0] == "identity" }
591
592 // fixTransferEncoding sanitizes t.TransferEncoding, if needed.
593 func (t *transferReader) fixTransferEncoding() error {
594         raw, present := t.Header["Transfer-Encoding"]
595         if !present {
596                 return nil
597         }
598         delete(t.Header, "Transfer-Encoding")
599
600         // Issue 12785; ignore Transfer-Encoding on HTTP/1.0 requests.
601         if !t.protoAtLeast(1, 1) {
602                 return nil
603         }
604
605         encodings := strings.Split(raw[0], ",")
606         te := make([]string, 0, len(encodings))
607         // TODO: Even though we only support "identity" and "chunked"
608         // encodings, the loop below is designed with foresight. One
609         // invariant that must be maintained is that, if present,
610         // chunked encoding must always come first.
611         for _, encoding := range encodings {
612                 encoding = strings.ToLower(strings.TrimSpace(encoding))
613                 // "identity" encoding is not recorded
614                 if encoding == "identity" {
615                         break
616                 }
617                 if encoding != "chunked" {
618                         return &badStringError{"unsupported transfer encoding", encoding}
619                 }
620                 te = te[0 : len(te)+1]
621                 te[len(te)-1] = encoding
622         }
623         if len(te) > 1 {
624                 return &badStringError{"too many transfer encodings", strings.Join(te, ",")}
625         }
626         if len(te) > 0 {
627                 // RFC 7230 3.3.2 says "A sender MUST NOT send a
628                 // Content-Length header field in any message that
629                 // contains a Transfer-Encoding header field."
630                 //
631                 // but also:
632                 // "If a message is received with both a
633                 // Transfer-Encoding and a Content-Length header
634                 // field, the Transfer-Encoding overrides the
635                 // Content-Length. Such a message might indicate an
636                 // attempt to perform request smuggling (Section 9.5)
637                 // or response splitting (Section 9.4) and ought to be
638                 // handled as an error. A sender MUST remove the
639                 // received Content-Length field prior to forwarding
640                 // such a message downstream."
641                 //
642                 // Reportedly, these appear in the wild.
643                 delete(t.Header, "Content-Length")
644                 t.TransferEncoding = te
645                 return nil
646         }
647
648         return nil
649 }
650
651 // Determine the expected body length, using RFC 7230 Section 3.3. This
652 // function is not a method, because ultimately it should be shared by
653 // ReadResponse and ReadRequest.
654 func fixLength(isResponse bool, status int, requestMethod string, header Header, te []string) (int64, error) {
655         isRequest := !isResponse
656         contentLens := header["Content-Length"]
657
658         // Hardening against HTTP request smuggling
659         if len(contentLens) > 1 {
660                 // Per RFC 7230 Section 3.3.2, prevent multiple
661                 // Content-Length headers if they differ in value.
662                 // If there are dups of the value, remove the dups.
663                 // See Issue 16490.
664                 first := strings.TrimSpace(contentLens[0])
665                 for _, ct := range contentLens[1:] {
666                         if first != strings.TrimSpace(ct) {
667                                 return 0, fmt.Errorf("http: message cannot contain multiple Content-Length headers; got %q", contentLens)
668                         }
669                 }
670
671                 // deduplicate Content-Length
672                 header.Del("Content-Length")
673                 header.Add("Content-Length", first)
674
675                 contentLens = header["Content-Length"]
676         }
677
678         // Logic based on response type or status
679         if noResponseBodyExpected(requestMethod) {
680                 // For HTTP requests, as part of hardening against request
681                 // smuggling (RFC 7230), don't allow a Content-Length header for
682                 // methods which don't permit bodies. As an exception, allow
683                 // exactly one Content-Length header if its value is "0".
684                 if isRequest && len(contentLens) > 0 && !(len(contentLens) == 1 && contentLens[0] == "0") {
685                         return 0, fmt.Errorf("http: method cannot contain a Content-Length; got %q", contentLens)
686                 }
687                 return 0, nil
688         }
689         if status/100 == 1 {
690                 return 0, nil
691         }
692         switch status {
693         case 204, 304:
694                 return 0, nil
695         }
696
697         // Logic based on Transfer-Encoding
698         if chunked(te) {
699                 return -1, nil
700         }
701
702         // Logic based on Content-Length
703         var cl string
704         if len(contentLens) == 1 {
705                 cl = strings.TrimSpace(contentLens[0])
706         }
707         if cl != "" {
708                 n, err := parseContentLength(cl)
709                 if err != nil {
710                         return -1, err
711                 }
712                 return n, nil
713         }
714         header.Del("Content-Length")
715
716         if isRequest {
717                 // RFC 7230 neither explicitly permits nor forbids an
718                 // entity-body on a GET request so we permit one if
719                 // declared, but we default to 0 here (not -1 below)
720                 // if there's no mention of a body.
721                 // Likewise, all other request methods are assumed to have
722                 // no body if neither Transfer-Encoding chunked nor a
723                 // Content-Length are set.
724                 return 0, nil
725         }
726
727         // Body-EOF logic based on other methods (like closing, or chunked coding)
728         return -1, nil
729 }
730
731 // Determine whether to hang up after sending a request and body, or
732 // receiving a response and body
733 // 'header' is the request headers
734 func shouldClose(major, minor int, header Header, removeCloseHeader bool) bool {
735         if major < 1 {
736                 return true
737         }
738
739         conv := header["Connection"]
740         hasClose := httpguts.HeaderValuesContainsToken(conv, "close")
741         if major == 1 && minor == 0 {
742                 return hasClose || !httpguts.HeaderValuesContainsToken(conv, "keep-alive")
743         }
744
745         if hasClose && removeCloseHeader {
746                 header.Del("Connection")
747         }
748
749         return hasClose
750 }
751
752 // Parse the trailer header
753 func fixTrailer(header Header, te []string) (Header, error) {
754         vv, ok := header["Trailer"]
755         if !ok {
756                 return nil, nil
757         }
758         if !chunked(te) {
759                 // Trailer and no chunking:
760                 // this is an invalid use case for trailer header.
761                 // Nevertheless, no error will be returned and we
762                 // let users decide if this is a valid HTTP message.
763                 // The Trailer header will be kept in Response.Header
764                 // but not populate Response.Trailer.
765                 // See issue #27197.
766                 return nil, nil
767         }
768         header.Del("Trailer")
769
770         trailer := make(Header)
771         var err error
772         for _, v := range vv {
773                 foreachHeaderElement(v, func(key string) {
774                         key = CanonicalHeaderKey(key)
775                         switch key {
776                         case "Transfer-Encoding", "Trailer", "Content-Length":
777                                 if err == nil {
778                                         err = &badStringError{"bad trailer key", key}
779                                         return
780                                 }
781                         }
782                         trailer[key] = nil
783                 })
784         }
785         if err != nil {
786                 return nil, err
787         }
788         if len(trailer) == 0 {
789                 return nil, nil
790         }
791         return trailer, nil
792 }
793
794 // body turns a Reader into a ReadCloser.
795 // Close ensures that the body has been fully read
796 // and then reads the trailer if necessary.
797 type body struct {
798         src          io.Reader
799         hdr          interface{}   // non-nil (Response or Request) value means read trailer
800         r            *bufio.Reader // underlying wire-format reader for the trailer
801         closing      bool          // is the connection to be closed after reading body?
802         doEarlyClose bool          // whether Close should stop early
803
804         mu         sync.Mutex // guards following, and calls to Read and Close
805         sawEOF     bool
806         closed     bool
807         earlyClose bool   // Close called and we didn't read to the end of src
808         onHitEOF   func() // if non-nil, func to call when EOF is Read
809 }
810
811 // ErrBodyReadAfterClose is returned when reading a Request or Response
812 // Body after the body has been closed. This typically happens when the body is
813 // read after an HTTP Handler calls WriteHeader or Write on its
814 // ResponseWriter.
815 var ErrBodyReadAfterClose = errors.New("http: invalid Read on closed Body")
816
817 func (b *body) Read(p []byte) (n int, err error) {
818         b.mu.Lock()
819         defer b.mu.Unlock()
820         if b.closed {
821                 return 0, ErrBodyReadAfterClose
822         }
823         return b.readLocked(p)
824 }
825
826 // Must hold b.mu.
827 func (b *body) readLocked(p []byte) (n int, err error) {
828         if b.sawEOF {
829                 return 0, io.EOF
830         }
831         n, err = b.src.Read(p)
832
833         if err == io.EOF {
834                 b.sawEOF = true
835                 // Chunked case. Read the trailer.
836                 if b.hdr != nil {
837                         if e := b.readTrailer(); e != nil {
838                                 err = e
839                                 // Something went wrong in the trailer, we must not allow any
840                                 // further reads of any kind to succeed from body, nor any
841                                 // subsequent requests on the server connection. See
842                                 // golang.org/issue/12027
843                                 b.sawEOF = false
844                                 b.closed = true
845                         }
846                         b.hdr = nil
847                 } else {
848                         // If the server declared the Content-Length, our body is a LimitedReader
849                         // and we need to check whether this EOF arrived early.
850                         if lr, ok := b.src.(*io.LimitedReader); ok && lr.N > 0 {
851                                 err = io.ErrUnexpectedEOF
852                         }
853                 }
854         }
855
856         // If we can return an EOF here along with the read data, do
857         // so. This is optional per the io.Reader contract, but doing
858         // so helps the HTTP transport code recycle its connection
859         // earlier (since it will see this EOF itself), even if the
860         // client doesn't do future reads or Close.
861         if err == nil && n > 0 {
862                 if lr, ok := b.src.(*io.LimitedReader); ok && lr.N == 0 {
863                         err = io.EOF
864                         b.sawEOF = true
865                 }
866         }
867
868         if b.sawEOF && b.onHitEOF != nil {
869                 b.onHitEOF()
870         }
871
872         return n, err
873 }
874
875 var (
876         singleCRLF = []byte("\r\n")
877         doubleCRLF = []byte("\r\n\r\n")
878 )
879
880 func seeUpcomingDoubleCRLF(r *bufio.Reader) bool {
881         for peekSize := 4; ; peekSize++ {
882                 // This loop stops when Peek returns an error,
883                 // which it does when r's buffer has been filled.
884                 buf, err := r.Peek(peekSize)
885                 if bytes.HasSuffix(buf, doubleCRLF) {
886                         return true
887                 }
888                 if err != nil {
889                         break
890                 }
891         }
892         return false
893 }
894
895 var errTrailerEOF = errors.New("http: unexpected EOF reading trailer")
896
897 func (b *body) readTrailer() error {
898         // The common case, since nobody uses trailers.
899         buf, err := b.r.Peek(2)
900         if bytes.Equal(buf, singleCRLF) {
901                 b.r.Discard(2)
902                 return nil
903         }
904         if len(buf) < 2 {
905                 return errTrailerEOF
906         }
907         if err != nil {
908                 return err
909         }
910
911         // Make sure there's a header terminator coming up, to prevent
912         // a DoS with an unbounded size Trailer. It's not easy to
913         // slip in a LimitReader here, as textproto.NewReader requires
914         // a concrete *bufio.Reader. Also, we can't get all the way
915         // back up to our conn's LimitedReader that *might* be backing
916         // this bufio.Reader. Instead, a hack: we iteratively Peek up
917         // to the bufio.Reader's max size, looking for a double CRLF.
918         // This limits the trailer to the underlying buffer size, typically 4kB.
919         if !seeUpcomingDoubleCRLF(b.r) {
920                 return errors.New("http: suspiciously long trailer after chunked body")
921         }
922
923         hdr, err := textproto.NewReader(b.r).ReadMIMEHeader()
924         if err != nil {
925                 if err == io.EOF {
926                         return errTrailerEOF
927                 }
928                 return err
929         }
930         switch rr := b.hdr.(type) {
931         case *Request:
932                 mergeSetHeader(&rr.Trailer, Header(hdr))
933         case *Response:
934                 mergeSetHeader(&rr.Trailer, Header(hdr))
935         }
936         return nil
937 }
938
939 func mergeSetHeader(dst *Header, src Header) {
940         if *dst == nil {
941                 *dst = src
942                 return
943         }
944         for k, vv := range src {
945                 (*dst)[k] = vv
946         }
947 }
948
949 // unreadDataSizeLocked returns the number of bytes of unread input.
950 // It returns -1 if unknown.
951 // b.mu must be held.
952 func (b *body) unreadDataSizeLocked() int64 {
953         if lr, ok := b.src.(*io.LimitedReader); ok {
954                 return lr.N
955         }
956         return -1
957 }
958
959 func (b *body) Close() error {
960         b.mu.Lock()
961         defer b.mu.Unlock()
962         if b.closed {
963                 return nil
964         }
965         var err error
966         switch {
967         case b.sawEOF:
968                 // Already saw EOF, so no need going to look for it.
969         case b.hdr == nil && b.closing:
970                 // no trailer and closing the connection next.
971                 // no point in reading to EOF.
972         case b.doEarlyClose:
973                 // Read up to maxPostHandlerReadBytes bytes of the body, looking
974                 // for EOF (and trailers), so we can re-use this connection.
975                 if lr, ok := b.src.(*io.LimitedReader); ok && lr.N > maxPostHandlerReadBytes {
976                         // There was a declared Content-Length, and we have more bytes remaining
977                         // than our maxPostHandlerReadBytes tolerance. So, give up.
978                         b.earlyClose = true
979                 } else {
980                         var n int64
981                         // Consume the body, or, which will also lead to us reading
982                         // the trailer headers after the body, if present.
983                         n, err = io.CopyN(ioutil.Discard, bodyLocked{b}, maxPostHandlerReadBytes)
984                         if err == io.EOF {
985                                 err = nil
986                         }
987                         if n == maxPostHandlerReadBytes {
988                                 b.earlyClose = true
989                         }
990                 }
991         default:
992                 // Fully consume the body, which will also lead to us reading
993                 // the trailer headers after the body, if present.
994                 _, err = io.Copy(ioutil.Discard, bodyLocked{b})
995         }
996         b.closed = true
997         return err
998 }
999
1000 func (b *body) didEarlyClose() bool {
1001         b.mu.Lock()
1002         defer b.mu.Unlock()
1003         return b.earlyClose
1004 }
1005
1006 // bodyRemains reports whether future Read calls might
1007 // yield data.
1008 func (b *body) bodyRemains() bool {
1009         b.mu.Lock()
1010         defer b.mu.Unlock()
1011         return !b.sawEOF
1012 }
1013
1014 func (b *body) registerOnHitEOF(fn func()) {
1015         b.mu.Lock()
1016         defer b.mu.Unlock()
1017         b.onHitEOF = fn
1018 }
1019
1020 // bodyLocked is a io.Reader reading from a *body when its mutex is
1021 // already held.
1022 type bodyLocked struct {
1023         b *body
1024 }
1025
1026 func (bl bodyLocked) Read(p []byte) (n int, err error) {
1027         if bl.b.closed {
1028                 return 0, ErrBodyReadAfterClose
1029         }
1030         return bl.b.readLocked(p)
1031 }
1032
1033 // parseContentLength trims whitespace from s and returns -1 if no value
1034 // is set, or the value if it's >= 0.
1035 func parseContentLength(cl string) (int64, error) {
1036         cl = strings.TrimSpace(cl)
1037         if cl == "" {
1038                 return -1, nil
1039         }
1040         n, err := strconv.ParseInt(cl, 10, 64)
1041         if err != nil || n < 0 {
1042                 return 0, &badStringError{"bad Content-Length", cl}
1043         }
1044         return n, nil
1045
1046 }
1047
1048 // finishAsyncByteRead finishes reading the 1-byte sniff
1049 // from the ContentLength==0, Body!=nil case.
1050 type finishAsyncByteRead struct {
1051         tw *transferWriter
1052 }
1053
1054 func (fr finishAsyncByteRead) Read(p []byte) (n int, err error) {
1055         if len(p) == 0 {
1056                 return
1057         }
1058         rres := <-fr.tw.ByteReadCh
1059         n, err = rres.n, rres.err
1060         if n == 1 {
1061                 p[0] = rres.b
1062         }
1063         return
1064 }
1065
1066 var nopCloserType = reflect.TypeOf(ioutil.NopCloser(nil))
1067
1068 // isKnownInMemoryReader reports whether r is a type known to not
1069 // block on Read. Its caller uses this as an optional optimization to
1070 // send fewer TCP packets.
1071 func isKnownInMemoryReader(r io.Reader) bool {
1072         switch r.(type) {
1073         case *bytes.Reader, *bytes.Buffer, *strings.Reader:
1074                 return true
1075         }
1076         if reflect.TypeOf(r) == nopCloserType {
1077                 return isKnownInMemoryReader(reflect.ValueOf(r).Field(0).Interface().(io.Reader))
1078         }
1079         return false
1080 }
1081
1082 // bufioFlushWriter is an io.Writer wrapper that flushes all writes
1083 // on its wrapped writer if it's a *bufio.Writer.
1084 type bufioFlushWriter struct{ w io.Writer }
1085
1086 func (fw bufioFlushWriter) Write(p []byte) (n int, err error) {
1087         n, err = fw.w.Write(p)
1088         if bw, ok := fw.w.(*bufio.Writer); n > 0 && ok {
1089                 ferr := bw.Flush()
1090                 if ferr != nil && err == nil {
1091                         err = ferr
1092                 }
1093         }
1094         return
1095 }