github.com/hlts2/go@v0.0.0-20170904000733-812b34efaed8/src/net/http/httputil/reverseproxy.go (about) 1 // Copyright 2011 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 reverse proxy handler 6 7 package httputil 8 9 import ( 10 "context" 11 "io" 12 "log" 13 "net" 14 "net/http" 15 "net/url" 16 "strings" 17 "sync" 18 "time" 19 ) 20 21 // onExitFlushLoop is a callback set by tests to detect the state of the 22 // flushLoop() goroutine. 23 var onExitFlushLoop func() 24 25 // ReverseProxy is an HTTP Handler that takes an incoming request and 26 // sends it to another server, proxying the response back to the 27 // client. 28 type ReverseProxy struct { 29 // Director must be a function which modifies 30 // the request into a new request to be sent 31 // using Transport. Its response is then copied 32 // back to the original client unmodified. 33 // Director must not access the provided Request 34 // after returning. 35 Director func(*http.Request) 36 37 // The transport used to perform proxy requests. 38 // If nil, http.DefaultTransport is used. 39 Transport http.RoundTripper 40 41 // FlushInterval specifies the flush interval 42 // to flush to the client while copying the 43 // response body. 44 // If zero, no periodic flushing is done. 45 FlushInterval time.Duration 46 47 // ErrorLog specifies an optional logger for errors 48 // that occur when attempting to proxy the request. 49 // If nil, logging goes to os.Stderr via the log package's 50 // standard logger. 51 ErrorLog *log.Logger 52 53 // BufferPool optionally specifies a buffer pool to 54 // get byte slices for use by io.CopyBuffer when 55 // copying HTTP response bodies. 56 BufferPool BufferPool 57 58 // ModifyResponse is an optional function that 59 // modifies the Response from the backend. 60 // If it returns an error, the proxy returns a StatusBadGateway error. 61 ModifyResponse func(*http.Response) error 62 } 63 64 // A BufferPool is an interface for getting and returning temporary 65 // byte slices for use by io.CopyBuffer. 66 type BufferPool interface { 67 Get() []byte 68 Put([]byte) 69 } 70 71 func singleJoiningSlash(a, b string) string { 72 aslash := strings.HasSuffix(a, "/") 73 bslash := strings.HasPrefix(b, "/") 74 switch { 75 case aslash && bslash: 76 return a + b[1:] 77 case !aslash && !bslash: 78 return a + "/" + b 79 } 80 return a + b 81 } 82 83 // NewSingleHostReverseProxy returns a new ReverseProxy that routes 84 // URLs to the scheme, host, and base path provided in target. If the 85 // target's path is "/base" and the incoming request was for "/dir", 86 // the target request will be for /base/dir. 87 // NewSingleHostReverseProxy does not rewrite the Host header. 88 // To rewrite Host headers, use ReverseProxy directly with a custom 89 // Director policy. 90 func NewSingleHostReverseProxy(target *url.URL) *ReverseProxy { 91 targetQuery := target.RawQuery 92 director := func(req *http.Request) { 93 req.URL.Scheme = target.Scheme 94 req.URL.Host = target.Host 95 req.URL.Path = singleJoiningSlash(target.Path, req.URL.Path) 96 if targetQuery == "" || req.URL.RawQuery == "" { 97 req.URL.RawQuery = targetQuery + req.URL.RawQuery 98 } else { 99 req.URL.RawQuery = targetQuery + "&" + req.URL.RawQuery 100 } 101 if _, ok := req.Header["User-Agent"]; !ok { 102 // explicitly disable User-Agent so it's not set to default value 103 req.Header.Set("User-Agent", "") 104 } 105 } 106 return &ReverseProxy{Director: director} 107 } 108 109 func copyHeader(dst, src http.Header) { 110 for k, vv := range src { 111 for _, v := range vv { 112 dst.Add(k, v) 113 } 114 } 115 } 116 117 func cloneHeader(h http.Header) http.Header { 118 h2 := make(http.Header, len(h)) 119 for k, vv := range h { 120 vv2 := make([]string, len(vv)) 121 copy(vv2, vv) 122 h2[k] = vv2 123 } 124 return h2 125 } 126 127 // Hop-by-hop headers. These are removed when sent to the backend. 128 // http://www.w3.org/Protocols/rfc2616/rfc2616-sec13.html 129 var hopHeaders = []string{ 130 "Connection", 131 "Proxy-Connection", // non-standard but still sent by libcurl and rejected by e.g. google 132 "Keep-Alive", 133 "Proxy-Authenticate", 134 "Proxy-Authorization", 135 "Te", // canonicalized version of "TE" 136 "Trailer", // not Trailers per URL above; http://www.rfc-editor.org/errata_search.php?eid=4522 137 "Transfer-Encoding", 138 "Upgrade", 139 } 140 141 func (p *ReverseProxy) ServeHTTP(rw http.ResponseWriter, req *http.Request) { 142 transport := p.Transport 143 if transport == nil { 144 transport = http.DefaultTransport 145 } 146 147 ctx := req.Context() 148 if cn, ok := rw.(http.CloseNotifier); ok { 149 var cancel context.CancelFunc 150 ctx, cancel = context.WithCancel(ctx) 151 defer cancel() 152 notifyChan := cn.CloseNotify() 153 go func() { 154 select { 155 case <-notifyChan: 156 cancel() 157 case <-ctx.Done(): 158 } 159 }() 160 } 161 162 outreq := req.WithContext(ctx) // includes shallow copies of maps, but okay 163 if req.ContentLength == 0 { 164 outreq.Body = nil // Issue 16036: nil Body for http.Transport retries 165 } 166 167 outreq.Header = cloneHeader(req.Header) 168 169 p.Director(outreq) 170 outreq.Close = false 171 172 // Remove hop-by-hop headers listed in the "Connection" header. 173 // See RFC 2616, section 14.10. 174 if c := outreq.Header.Get("Connection"); c != "" { 175 for _, f := range strings.Split(c, ",") { 176 if f = strings.TrimSpace(f); f != "" { 177 outreq.Header.Del(f) 178 } 179 } 180 } 181 182 // Remove hop-by-hop headers to the backend. Especially 183 // important is "Connection" because we want a persistent 184 // connection, regardless of what the client sent to us. 185 for _, h := range hopHeaders { 186 if outreq.Header.Get(h) != "" { 187 outreq.Header.Del(h) 188 } 189 } 190 191 if clientIP, _, err := net.SplitHostPort(req.RemoteAddr); err == nil { 192 // If we aren't the first proxy retain prior 193 // X-Forwarded-For information as a comma+space 194 // separated list and fold multiple headers into one. 195 if prior, ok := outreq.Header["X-Forwarded-For"]; ok { 196 clientIP = strings.Join(prior, ", ") + ", " + clientIP 197 } 198 outreq.Header.Set("X-Forwarded-For", clientIP) 199 } 200 201 res, err := transport.RoundTrip(outreq) 202 if err != nil { 203 p.logf("http: proxy error: %v", err) 204 rw.WriteHeader(http.StatusBadGateway) 205 return 206 } 207 208 // Remove hop-by-hop headers listed in the 209 // "Connection" header of the response. 210 if c := res.Header.Get("Connection"); c != "" { 211 for _, f := range strings.Split(c, ",") { 212 if f = strings.TrimSpace(f); f != "" { 213 res.Header.Del(f) 214 } 215 } 216 } 217 218 for _, h := range hopHeaders { 219 res.Header.Del(h) 220 } 221 222 if p.ModifyResponse != nil { 223 if err := p.ModifyResponse(res); err != nil { 224 p.logf("http: proxy error: %v", err) 225 rw.WriteHeader(http.StatusBadGateway) 226 return 227 } 228 } 229 230 copyHeader(rw.Header(), res.Header) 231 232 // The "Trailer" header isn't included in the Transport's response, 233 // at least for *http.Transport. Build it up from Trailer. 234 announcedTrailers := len(res.Trailer) 235 if announcedTrailers > 0 { 236 trailerKeys := make([]string, 0, len(res.Trailer)) 237 for k := range res.Trailer { 238 trailerKeys = append(trailerKeys, k) 239 } 240 rw.Header().Add("Trailer", strings.Join(trailerKeys, ", ")) 241 } 242 243 rw.WriteHeader(res.StatusCode) 244 if len(res.Trailer) > 0 { 245 // Force chunking if we saw a response trailer. 246 // This prevents net/http from calculating the length for short 247 // bodies and adding a Content-Length. 248 if fl, ok := rw.(http.Flusher); ok { 249 fl.Flush() 250 } 251 } 252 p.copyResponse(rw, res.Body) 253 res.Body.Close() // close now, instead of defer, to populate res.Trailer 254 255 if len(res.Trailer) == announcedTrailers { 256 copyHeader(rw.Header(), res.Trailer) 257 return 258 } 259 260 for k, vv := range res.Trailer { 261 k = http.TrailerPrefix + k 262 for _, v := range vv { 263 rw.Header().Add(k, v) 264 } 265 } 266 } 267 268 func (p *ReverseProxy) copyResponse(dst io.Writer, src io.Reader) { 269 if p.FlushInterval != 0 { 270 if wf, ok := dst.(writeFlusher); ok { 271 mlw := &maxLatencyWriter{ 272 dst: wf, 273 latency: p.FlushInterval, 274 done: make(chan bool), 275 } 276 go mlw.flushLoop() 277 defer mlw.stop() 278 dst = mlw 279 } 280 } 281 282 var buf []byte 283 if p.BufferPool != nil { 284 buf = p.BufferPool.Get() 285 } 286 p.copyBuffer(dst, src, buf) 287 if p.BufferPool != nil { 288 p.BufferPool.Put(buf) 289 } 290 } 291 292 func (p *ReverseProxy) copyBuffer(dst io.Writer, src io.Reader, buf []byte) (int64, error) { 293 if len(buf) == 0 { 294 buf = make([]byte, 32*1024) 295 } 296 var written int64 297 for { 298 nr, rerr := src.Read(buf) 299 if rerr != nil && rerr != io.EOF && rerr != context.Canceled { 300 p.logf("httputil: ReverseProxy read error during body copy: %v", rerr) 301 } 302 if nr > 0 { 303 nw, werr := dst.Write(buf[:nr]) 304 if nw > 0 { 305 written += int64(nw) 306 } 307 if werr != nil { 308 return written, werr 309 } 310 if nr != nw { 311 return written, io.ErrShortWrite 312 } 313 } 314 if rerr != nil { 315 return written, rerr 316 } 317 } 318 } 319 320 func (p *ReverseProxy) logf(format string, args ...interface{}) { 321 if p.ErrorLog != nil { 322 p.ErrorLog.Printf(format, args...) 323 } else { 324 log.Printf(format, args...) 325 } 326 } 327 328 type writeFlusher interface { 329 io.Writer 330 http.Flusher 331 } 332 333 type maxLatencyWriter struct { 334 dst writeFlusher 335 latency time.Duration 336 337 mu sync.Mutex // protects Write + Flush 338 done chan bool 339 } 340 341 func (m *maxLatencyWriter) Write(p []byte) (int, error) { 342 m.mu.Lock() 343 defer m.mu.Unlock() 344 return m.dst.Write(p) 345 } 346 347 func (m *maxLatencyWriter) flushLoop() { 348 t := time.NewTicker(m.latency) 349 defer t.Stop() 350 for { 351 select { 352 case <-m.done: 353 if onExitFlushLoop != nil { 354 onExitFlushLoop() 355 } 356 return 357 case <-t.C: 358 m.mu.Lock() 359 m.dst.Flush() 360 m.mu.Unlock() 361 } 362 } 363 } 364 365 func (m *maxLatencyWriter) stop() { m.done <- true }