]> granicus.if.org Git - apache/blob - modules/proxy/mod_proxy_http.c
4cb598ebe21e84b942ede5ef17cc834af5520350
[apache] / modules / proxy / mod_proxy_http.c
1 /* Licensed to the Apache Software Foundation (ASF) under one or more
2  * contributor license agreements.  See the NOTICE file distributed with
3  * this work for additional information regarding copyright ownership.
4  * The ASF licenses this file to You under the Apache License, Version 2.0
5  * (the "License"); you may not use this file except in compliance with
6  * the License.  You may obtain a copy of the License at
7  *
8  *     http://www.apache.org/licenses/LICENSE-2.0
9  *
10  * Unless required by applicable law or agreed to in writing, software
11  * distributed under the License is distributed on an "AS IS" BASIS,
12  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13  * See the License for the specific language governing permissions and
14  * limitations under the License.
15  */
16
17 /* HTTP routines for Apache proxy */
18
19 #include "mod_proxy.h"
20 #include "ap_regex.h"
21
22 module AP_MODULE_DECLARE_DATA proxy_http_module;
23
24 static apr_status_t ap_proxy_http_cleanup(const char *scheme,
25                                           request_rec *r,
26                                           proxy_conn_rec *backend);
27
28 /*
29  * Canonicalise http-like URLs.
30  *  scheme is the scheme for the URL
31  *  url    is the URL starting with the first '/'
32  *  def_port is the default port for this scheme.
33  */
34 static int proxy_http_canon(request_rec *r, char *url)
35 {
36     char *host, *path, sport[7];
37     char *search = NULL;
38     const char *err;
39     const char *scheme;
40     apr_port_t port, def_port;
41
42     /* ap_port_of_scheme() */
43     if (strncasecmp(url, "http:", 5) == 0) {
44         url += 5;
45         scheme = "http";
46     }
47     else if (strncasecmp(url, "https:", 6) == 0) {
48         url += 6;
49         scheme = "https";
50     }
51     else {
52         return DECLINED;
53     }
54     def_port = apr_uri_port_of_scheme(scheme);
55
56     ap_log_error(APLOG_MARK, APLOG_TRACE1, 0, r->server,
57                  "proxy: HTTP: canonicalising URL %s", url);
58
59     /* do syntatic check.
60      * We break the URL into host, port, path, search
61      */
62     port = def_port;
63     err = ap_proxy_canon_netloc(r->pool, &url, NULL, NULL, &host, &port);
64     if (err) {
65         ap_log_rerror(APLOG_MARK, APLOG_ERR, 0, r,
66                       "error parsing URL %s: %s",
67                       url, err);
68         return HTTP_BAD_REQUEST;
69     }
70
71     /*
72      * now parse path/search args, according to rfc1738:
73      * process the path.
74      *
75      * In a reverse proxy, our URL has been processed, so canonicalise
76      * unless proxy-nocanon is set to say it's raw
77      * In a forward proxy, we have and MUST NOT MANGLE the original.
78      */
79     switch (r->proxyreq) {
80     default: /* wtf are we doing here? */
81     case PROXYREQ_REVERSE:
82         if (apr_table_get(r->notes, "proxy-nocanon")) {
83             path = url;   /* this is the raw path */
84         }
85         else {
86             path = ap_proxy_canonenc(r->pool, url, strlen(url),
87                                      enc_path, 0, r->proxyreq);
88             search = r->args;
89         }
90         break;
91     case PROXYREQ_PROXY:
92         path = url;
93         break;
94     }
95
96     if (path == NULL)
97         return HTTP_BAD_REQUEST;
98
99     if (port != def_port)
100         apr_snprintf(sport, sizeof(sport), ":%d", port);
101     else
102         sport[0] = '\0';
103
104     if (ap_strchr_c(host, ':')) { /* if literal IPv6 address */
105         host = apr_pstrcat(r->pool, "[", host, "]", NULL);
106     }
107     r->filename = apr_pstrcat(r->pool, "proxy:", scheme, "://", host, sport,
108             "/", path, (search) ? "?" : "", (search) ? search : "", NULL);
109     return OK;
110 }
111
112 /* Clear all connection-based headers from the incoming headers table */
113 typedef struct header_dptr {
114     apr_pool_t *pool;
115     apr_table_t *table;
116     apr_time_t time;
117 } header_dptr;
118 static ap_regex_t *warn_rx;
119 static int clean_warning_headers(void *data, const char *key, const char *val)
120 {
121     apr_table_t *headers = ((header_dptr*)data)->table;
122     apr_pool_t *pool = ((header_dptr*)data)->pool;
123     char *warning;
124     char *date;
125     apr_time_t warn_time;
126     const int nmatch = 3;
127     ap_regmatch_t pmatch[3];
128
129     if (headers == NULL) {
130         ((header_dptr*)data)->table = headers = apr_table_make(pool, 2);
131     }
132 /*
133  * Parse this, suckers!
134  *
135  *    Warning    = "Warning" ":" 1#warning-value
136  *
137  *    warning-value = warn-code SP warn-agent SP warn-text
138  *                                             [SP warn-date]
139  *
140  *    warn-code  = 3DIGIT
141  *    warn-agent = ( host [ ":" port ] ) | pseudonym
142  *                    ; the name or pseudonym of the server adding
143  *                    ; the Warning header, for use in debugging
144  *    warn-text  = quoted-string
145  *    warn-date  = <"> HTTP-date <">
146  *
147  * Buggrit, use a bloomin' regexp!
148  * (\d{3}\s+\S+\s+\".*?\"(\s+\"(.*?)\")?)  --> whole in $1, date in $3
149  */
150     while (!ap_regexec(warn_rx, val, nmatch, pmatch, 0)) {
151         warning = apr_pstrndup(pool, val+pmatch[0].rm_so,
152                                pmatch[0].rm_eo - pmatch[0].rm_so);
153         warn_time = 0;
154         if (pmatch[2].rm_eo > pmatch[2].rm_so) {
155             /* OK, we have a date here */
156             date = apr_pstrndup(pool, val+pmatch[2].rm_so,
157                                 pmatch[2].rm_eo - pmatch[2].rm_so);
158             warn_time = apr_date_parse_http(date);
159         }
160         if (!warn_time || (warn_time == ((header_dptr*)data)->time)) {
161             apr_table_addn(headers, key, warning);
162         }
163         val += pmatch[0].rm_eo;
164     }
165     return 1;
166 }
167 static apr_table_t *ap_proxy_clean_warnings(apr_pool_t *p, apr_table_t *headers)
168 {
169    header_dptr x;
170    x.pool = p;
171    x.table = NULL;
172    x.time = apr_date_parse_http(apr_table_get(headers, "Date"));
173    apr_table_do(clean_warning_headers, &x, headers, "Warning", NULL);
174    if (x.table != NULL) {
175        apr_table_unset(headers, "Warning");
176        return apr_table_overlay(p, headers, x.table);
177    }
178    else {
179         return headers;
180    }
181 }
182 static int clear_conn_headers(void *data, const char *key, const char *val)
183 {
184     apr_table_t *headers = ((header_dptr*)data)->table;
185     apr_pool_t *pool = ((header_dptr*)data)->pool;
186     const char *name;
187     char *next = apr_pstrdup(pool, val);
188     while (*next) {
189         name = next;
190         while (*next && !apr_isspace(*next) && (*next != ',')) {
191             ++next;
192         }
193         while (*next && (apr_isspace(*next) || (*next == ','))) {
194             *next++ = '\0';
195         }
196         apr_table_unset(headers, name);
197     }
198     return 1;
199 }
200 static void ap_proxy_clear_connection(apr_pool_t *p, apr_table_t *headers)
201 {
202     header_dptr x;
203     x.pool = p;
204     x.table = headers;
205     apr_table_unset(headers, "Proxy-Connection");
206     apr_table_do(clear_conn_headers, &x, headers, "Connection", NULL);
207     apr_table_unset(headers, "Connection");
208 }
209 static void add_te_chunked(apr_pool_t *p,
210                            apr_bucket_alloc_t *bucket_alloc,
211                            apr_bucket_brigade *header_brigade)
212 {
213     apr_bucket *e;
214     char *buf;
215     const char te_hdr[] = "Transfer-Encoding: chunked" CRLF;
216
217     buf = apr_pmemdup(p, te_hdr, sizeof(te_hdr)-1);
218     ap_xlate_proto_to_ascii(buf, sizeof(te_hdr)-1);
219
220     e = apr_bucket_pool_create(buf, sizeof(te_hdr)-1, p, bucket_alloc);
221     APR_BRIGADE_INSERT_TAIL(header_brigade, e);
222 }
223
224 static void add_cl(apr_pool_t *p,
225                    apr_bucket_alloc_t *bucket_alloc,
226                    apr_bucket_brigade *header_brigade,
227                    const char *cl_val)
228 {
229     apr_bucket *e;
230     char *buf;
231
232     buf = apr_pstrcat(p, "Content-Length: ",
233                       cl_val,
234                       CRLF,
235                       NULL);
236     ap_xlate_proto_to_ascii(buf, strlen(buf));
237     e = apr_bucket_pool_create(buf, strlen(buf), p, bucket_alloc);
238     APR_BRIGADE_INSERT_TAIL(header_brigade, e);
239 }
240
241 #define ASCII_CRLF  "\015\012"
242 #define ASCII_ZERO  "\060"
243
244 static void terminate_headers(apr_bucket_alloc_t *bucket_alloc,
245                               apr_bucket_brigade *header_brigade)
246 {
247     apr_bucket *e;
248
249     /* add empty line at the end of the headers */
250     e = apr_bucket_immortal_create(ASCII_CRLF, 2, bucket_alloc);
251     APR_BRIGADE_INSERT_TAIL(header_brigade, e);
252 }
253
254 static int pass_brigade(apr_bucket_alloc_t *bucket_alloc,
255                                  request_rec *r, proxy_conn_rec *conn,
256                                  conn_rec *origin, apr_bucket_brigade *bb,
257                                  int flush)
258 {
259     apr_status_t status;
260     apr_off_t transferred;
261
262     if (flush) {
263         apr_bucket *e = apr_bucket_flush_create(bucket_alloc);
264         APR_BRIGADE_INSERT_TAIL(bb, e);
265     }
266     apr_brigade_length(bb, 0, &transferred);
267     if (transferred != -1)
268         conn->worker->s->transferred += transferred;
269     status = ap_pass_brigade(origin->output_filters, bb);
270     if (status != APR_SUCCESS) {
271         ap_log_error(APLOG_MARK, APLOG_ERR, status, r->server,
272                      "proxy: pass request body failed to %pI (%s)",
273                      conn->addr, conn->hostname);
274         if (origin->aborted) { 
275             return APR_STATUS_IS_TIMEUP(status) ? HTTP_GATEWAY_TIME_OUT : HTTP_BAD_GATEWAY;
276         }
277         else { 
278             return HTTP_BAD_REQUEST; 
279         }
280     }
281     apr_brigade_cleanup(bb);
282     return OK;
283 }
284
285 #define MAX_MEM_SPOOL 16384
286
287 static int stream_reqbody_chunked(apr_pool_t *p,
288                                            request_rec *r,
289                                            proxy_conn_rec *p_conn,
290                                            conn_rec *origin,
291                                            apr_bucket_brigade *header_brigade,
292                                            apr_bucket_brigade *input_brigade)
293 {
294     int seen_eos = 0, rv = OK;
295     apr_size_t hdr_len;
296     apr_off_t bytes;
297     apr_status_t status;
298     apr_bucket_alloc_t *bucket_alloc = r->connection->bucket_alloc;
299     apr_bucket_brigade *bb;
300     apr_bucket *e;
301
302     add_te_chunked(p, bucket_alloc, header_brigade);
303     terminate_headers(bucket_alloc, header_brigade);
304
305     while (!APR_BUCKET_IS_EOS(APR_BRIGADE_FIRST(input_brigade)))
306     {
307         char chunk_hdr[20];  /* must be here due to transient bucket. */
308
309         /* If this brigade contains EOS, either stop or remove it. */
310         if (APR_BUCKET_IS_EOS(APR_BRIGADE_LAST(input_brigade))) {
311             seen_eos = 1;
312
313             /* We can't pass this EOS to the output_filters. */
314             e = APR_BRIGADE_LAST(input_brigade);
315             apr_bucket_delete(e);
316         }
317
318         apr_brigade_length(input_brigade, 1, &bytes);
319
320         hdr_len = apr_snprintf(chunk_hdr, sizeof(chunk_hdr),
321                                "%" APR_UINT64_T_HEX_FMT CRLF,
322                                (apr_uint64_t)bytes);
323
324         ap_xlate_proto_to_ascii(chunk_hdr, hdr_len);
325         e = apr_bucket_transient_create(chunk_hdr, hdr_len,
326                                         bucket_alloc);
327         APR_BRIGADE_INSERT_HEAD(input_brigade, e);
328
329         /*
330          * Append the end-of-chunk CRLF
331          */
332         e = apr_bucket_immortal_create(ASCII_CRLF, 2, bucket_alloc);
333         APR_BRIGADE_INSERT_TAIL(input_brigade, e);
334
335         if (header_brigade) {
336             /* we never sent the header brigade, so go ahead and
337              * take care of that now
338              */
339             bb = header_brigade;
340
341             /*
342              * Save input_brigade in bb brigade. (At least) in the SSL case
343              * input_brigade contains transient buckets whose data would get
344              * overwritten during the next call of ap_get_brigade in the loop.
345              * ap_save_brigade ensures these buckets to be set aside.
346              * Calling ap_save_brigade with NULL as filter is OK, because
347              * bb brigade already has been created and does not need to get
348              * created by ap_save_brigade.
349              */
350             status = ap_save_brigade(NULL, &bb, &input_brigade, p);
351             if (status != APR_SUCCESS) {
352                 return HTTP_INTERNAL_SERVER_ERROR;
353             }
354
355             header_brigade = NULL;
356         }
357         else {
358             bb = input_brigade;
359         }
360
361         /* The request is flushed below this loop with chunk EOS header */
362         rv = pass_brigade(bucket_alloc, r, p_conn, origin, bb, 0);
363         if (rv != OK) {
364             return rv;
365         }
366
367         if (seen_eos) {
368             break;
369         }
370
371         status = ap_get_brigade(r->input_filters, input_brigade,
372                                 AP_MODE_READBYTES, APR_BLOCK_READ,
373                                 HUGE_STRING_LEN);
374
375         if (status != APR_SUCCESS) {
376             return HTTP_BAD_REQUEST;
377         }
378     }
379
380     if (header_brigade) {
381         /* we never sent the header brigade because there was no request body;
382          * send it now
383          */
384         bb = header_brigade;
385     }
386     else {
387         if (!APR_BRIGADE_EMPTY(input_brigade)) {
388             /* input brigade still has an EOS which we can't pass to the output_filters. */
389             e = APR_BRIGADE_LAST(input_brigade);
390             AP_DEBUG_ASSERT(APR_BUCKET_IS_EOS(e));
391             apr_bucket_delete(e);
392         }
393         bb = input_brigade;
394     }
395
396     e = apr_bucket_immortal_create(ASCII_ZERO ASCII_CRLF
397                                    /* <trailers> */
398                                    ASCII_CRLF,
399                                    5, bucket_alloc);
400     APR_BRIGADE_INSERT_TAIL(bb, e);
401
402     if (apr_table_get(r->subprocess_env, "proxy-sendextracrlf")) {
403         e = apr_bucket_immortal_create(ASCII_CRLF, 2, bucket_alloc);
404         APR_BRIGADE_INSERT_TAIL(bb, e);
405     }
406
407     /* Now we have headers-only, or the chunk EOS mark; flush it */
408     rv = pass_brigade(bucket_alloc, r, p_conn, origin, bb, 1);
409     return rv;
410 }
411
412 static int stream_reqbody_cl(apr_pool_t *p,
413                                       request_rec *r,
414                                       proxy_conn_rec *p_conn,
415                                       conn_rec *origin,
416                                       apr_bucket_brigade *header_brigade,
417                                       apr_bucket_brigade *input_brigade,
418                                       const char *old_cl_val)
419 {
420     int seen_eos = 0, rv = 0;
421     apr_status_t status = APR_SUCCESS;
422     apr_bucket_alloc_t *bucket_alloc = r->connection->bucket_alloc;
423     apr_bucket_brigade *bb;
424     apr_bucket *e;
425     apr_off_t cl_val = 0;
426     apr_off_t bytes;
427     apr_off_t bytes_streamed = 0;
428
429     if (old_cl_val) {
430         char *endstr;
431
432         add_cl(p, bucket_alloc, header_brigade, old_cl_val);
433         status = apr_strtoff(&cl_val, old_cl_val, &endstr, 10);
434         
435         if (status || *endstr || endstr == old_cl_val || cl_val < 0) {
436             ap_log_rerror(APLOG_MARK, APLOG_ERR, status, r,
437                           "proxy: could not parse request Content-Length (%s)",
438                           old_cl_val);
439             return HTTP_BAD_REQUEST;
440         }
441     }
442     terminate_headers(bucket_alloc, header_brigade);
443
444     while (!APR_BUCKET_IS_EOS(APR_BRIGADE_FIRST(input_brigade)))
445     {
446         apr_brigade_length(input_brigade, 1, &bytes);
447         bytes_streamed += bytes;
448
449         /* If this brigade contains EOS, either stop or remove it. */
450         if (APR_BUCKET_IS_EOS(APR_BRIGADE_LAST(input_brigade))) {
451             seen_eos = 1;
452
453             /* We can't pass this EOS to the output_filters. */
454             e = APR_BRIGADE_LAST(input_brigade);
455             apr_bucket_delete(e);
456
457             if (apr_table_get(r->subprocess_env, "proxy-sendextracrlf")) {
458                 e = apr_bucket_immortal_create(ASCII_CRLF, 2, bucket_alloc);
459                 APR_BRIGADE_INSERT_TAIL(input_brigade, e);
460             }
461         }
462
463         /* C-L < bytes streamed?!?
464          * We will error out after the body is completely
465          * consumed, but we can't stream more bytes at the
466          * back end since they would in part be interpreted
467          * as another request!  If nothing is sent, then
468          * just send nothing.
469          *
470          * Prevents HTTP Response Splitting.
471          */
472         if (bytes_streamed > cl_val) {
473             ap_log_rerror(APLOG_MARK, APLOG_ERR, 0, r,
474                           "proxy: read more bytes of request body than expected "
475                           "(got %" APR_OFF_T_FMT ", expected %" APR_OFF_T_FMT ")",
476                           bytes_streamed, cl_val);
477             return HTTP_INTERNAL_SERVER_ERROR;
478         }
479
480         if (header_brigade) {
481             /* we never sent the header brigade, so go ahead and
482              * take care of that now
483              */
484             bb = header_brigade;
485
486             /*
487              * Save input_brigade in bb brigade. (At least) in the SSL case
488              * input_brigade contains transient buckets whose data would get
489              * overwritten during the next call of ap_get_brigade in the loop.
490              * ap_save_brigade ensures these buckets to be set aside.
491              * Calling ap_save_brigade with NULL as filter is OK, because
492              * bb brigade already has been created and does not need to get
493              * created by ap_save_brigade.
494              */
495             status = ap_save_brigade(NULL, &bb, &input_brigade, p);
496             if (status != APR_SUCCESS) {
497                 return HTTP_INTERNAL_SERVER_ERROR;
498             }
499
500             header_brigade = NULL;
501         }
502         else {
503             bb = input_brigade;
504         }
505
506         /* Once we hit EOS, we are ready to flush. */
507         rv = pass_brigade(bucket_alloc, r, p_conn, origin, bb, seen_eos);
508         if (rv != OK) {
509             return rv ;
510         }
511
512         if (seen_eos) {
513             break;
514         }
515
516         status = ap_get_brigade(r->input_filters, input_brigade,
517                                 AP_MODE_READBYTES, APR_BLOCK_READ,
518                                 HUGE_STRING_LEN);
519
520         if (status != APR_SUCCESS) {
521             return HTTP_BAD_REQUEST;
522         }
523     }
524
525     if (bytes_streamed != cl_val) {
526         ap_log_error(APLOG_MARK, APLOG_ERR, 0, r->server,
527                      "proxy: client %s given Content-Length did not match"
528                      " number of body bytes read", r->connection->remote_ip);
529         return HTTP_BAD_REQUEST;
530     }
531
532     if (header_brigade) {
533         /* we never sent the header brigade since there was no request
534          * body; send it now with the flush flag
535          */
536         bb = header_brigade;
537         return(pass_brigade(bucket_alloc, r, p_conn, origin, bb, 1));
538     }
539
540     return OK;
541 }
542
543 static int spool_reqbody_cl(apr_pool_t *p,
544                                      request_rec *r,
545                                      proxy_conn_rec *p_conn,
546                                      conn_rec *origin,
547                                      apr_bucket_brigade *header_brigade,
548                                      apr_bucket_brigade *input_brigade,
549                                      int force_cl)
550 {
551     int seen_eos = 0;
552     apr_status_t status;
553     apr_bucket_alloc_t *bucket_alloc = r->connection->bucket_alloc;
554     apr_bucket_brigade *body_brigade;
555     apr_bucket *e;
556     apr_off_t bytes, bytes_spooled = 0, fsize = 0;
557     apr_file_t *tmpfile = NULL;
558     apr_off_t limit;
559
560     body_brigade = apr_brigade_create(p, bucket_alloc);
561
562     limit = ap_get_limit_req_body(r);
563
564     while (!APR_BUCKET_IS_EOS(APR_BRIGADE_FIRST(input_brigade)))
565     {
566         /* If this brigade contains EOS, either stop or remove it. */
567         if (APR_BUCKET_IS_EOS(APR_BRIGADE_LAST(input_brigade))) {
568             seen_eos = 1;
569
570             /* We can't pass this EOS to the output_filters. */
571             e = APR_BRIGADE_LAST(input_brigade);
572             apr_bucket_delete(e);
573         }
574
575         apr_brigade_length(input_brigade, 1, &bytes);
576
577         if (bytes_spooled + bytes > MAX_MEM_SPOOL) {
578             /*
579              * LimitRequestBody does not affect Proxy requests (Should it?).
580              * Let it take effect if we decide to store the body in a
581              * temporary file on disk.
582              */
583             if (bytes_spooled + bytes > limit) {
584                 ap_log_error(APLOG_MARK, APLOG_ERR, 0, r->server,
585                              "proxy: Request body is larger than the"
586                              " configured limit of %" APR_OFF_T_FMT ".",
587                              limit);
588                 return HTTP_REQUEST_ENTITY_TOO_LARGE;
589             }
590             /* can't spool any more in memory; write latest brigade to disk */
591             if (tmpfile == NULL) {
592                 const char *temp_dir;
593                 char *template;
594
595                 status = apr_temp_dir_get(&temp_dir, p);
596                 if (status != APR_SUCCESS) {
597                     ap_log_error(APLOG_MARK, APLOG_ERR, status, r->server,
598                                  "proxy: search for temporary directory failed");
599                     return HTTP_INTERNAL_SERVER_ERROR;
600                 }
601                 apr_filepath_merge(&template, temp_dir,
602                                    "modproxy.tmp.XXXXXX",
603                                    APR_FILEPATH_NATIVE, p);
604                 status = apr_file_mktemp(&tmpfile, template, 0, p);
605                 if (status != APR_SUCCESS) {
606                     ap_log_error(APLOG_MARK, APLOG_ERR, status, r->server,
607                                  "proxy: creation of temporary file in directory %s failed",
608                                  temp_dir);
609                     return HTTP_INTERNAL_SERVER_ERROR;
610                 }
611             }
612             for (e = APR_BRIGADE_FIRST(input_brigade);
613                  e != APR_BRIGADE_SENTINEL(input_brigade);
614                  e = APR_BUCKET_NEXT(e)) {
615                 const char *data;
616                 apr_size_t bytes_read, bytes_written;
617
618                 apr_bucket_read(e, &data, &bytes_read, APR_BLOCK_READ);
619                 status = apr_file_write_full(tmpfile, data, bytes_read, &bytes_written);
620                 if (status != APR_SUCCESS) {
621                     const char *tmpfile_name;
622
623                     if (apr_file_name_get(&tmpfile_name, tmpfile) != APR_SUCCESS) {
624                         tmpfile_name = "(unknown)";
625                     }
626                     ap_log_error(APLOG_MARK, APLOG_ERR, status, r->server,
627                                  "proxy: write to temporary file %s failed",
628                                  tmpfile_name);
629                     return HTTP_INTERNAL_SERVER_ERROR;
630                 }
631                 AP_DEBUG_ASSERT(bytes_read == bytes_written);
632                 fsize += bytes_written;
633             }
634             apr_brigade_cleanup(input_brigade);
635         }
636         else {
637
638             /*
639              * Save input_brigade in body_brigade. (At least) in the SSL case
640              * input_brigade contains transient buckets whose data would get
641              * overwritten during the next call of ap_get_brigade in the loop.
642              * ap_save_brigade ensures these buckets to be set aside.
643              * Calling ap_save_brigade with NULL as filter is OK, because
644              * body_brigade already has been created and does not need to get
645              * created by ap_save_brigade.
646              */
647             status = ap_save_brigade(NULL, &body_brigade, &input_brigade, p);
648             if (status != APR_SUCCESS) {
649                 return HTTP_INTERNAL_SERVER_ERROR;
650             }
651
652         }
653
654         bytes_spooled += bytes;
655
656         if (seen_eos) {
657             break;
658         }
659
660         status = ap_get_brigade(r->input_filters, input_brigade,
661                                 AP_MODE_READBYTES, APR_BLOCK_READ,
662                                 HUGE_STRING_LEN);
663
664         if (status != APR_SUCCESS) {
665             return HTTP_BAD_REQUEST;
666         }
667     }
668
669     if (bytes_spooled || force_cl) {
670         add_cl(p, bucket_alloc, header_brigade, apr_off_t_toa(p, bytes_spooled));
671     }
672     terminate_headers(bucket_alloc, header_brigade);
673     APR_BRIGADE_CONCAT(header_brigade, body_brigade);
674     if (tmpfile) {
675         apr_brigade_insert_file(header_brigade, tmpfile, 0, fsize, p);
676     }
677     if (apr_table_get(r->subprocess_env, "proxy-sendextracrlf")) {
678         e = apr_bucket_immortal_create(ASCII_CRLF, 2, bucket_alloc);
679         APR_BRIGADE_INSERT_TAIL(header_brigade, e);
680     }
681     /* This is all a single brigade, pass with flush flagged */
682     return(pass_brigade(bucket_alloc, r, p_conn, origin, header_brigade, 1));
683 }
684
685 static
686 int ap_proxy_http_request(apr_pool_t *p, request_rec *r,
687                                    proxy_conn_rec *p_conn, proxy_worker *worker,
688                                    proxy_server_conf *conf,
689                                    apr_uri_t *uri,
690                                    char *url, char *server_portstr)
691 {
692     conn_rec *c = r->connection;
693     apr_bucket_alloc_t *bucket_alloc = c->bucket_alloc;
694     apr_bucket_brigade *header_brigade;
695     apr_bucket_brigade *input_brigade;
696     apr_bucket_brigade *temp_brigade;
697     apr_bucket *e;
698     char *buf;
699     const apr_array_header_t *headers_in_array;
700     const apr_table_entry_t *headers_in;
701     int counter;
702     apr_status_t status;
703     enum rb_methods {RB_INIT, RB_STREAM_CL, RB_STREAM_CHUNKED, RB_SPOOL_CL};
704     enum rb_methods rb_method = RB_INIT;
705     const char *old_cl_val = NULL;
706     const char *old_te_val = NULL;
707     apr_off_t bytes_read = 0;
708     apr_off_t bytes;
709     int force10, rv;
710     apr_table_t *headers_in_copy;
711     proxy_dir_conf *dconf;
712     conn_rec *origin = p_conn->connection;
713     int do_100_continue;
714     
715     dconf = ap_get_module_config(r->per_dir_config, &proxy_module);
716     header_brigade = apr_brigade_create(p, origin->bucket_alloc);
717
718     /*
719      * Send the HTTP/1.1 request to the remote server
720      */
721
722     /*
723      * To be compliant, we only use 100-Continue for requests with bodies.
724      * We also make sure we won't be talking HTTP/1.0 as well.
725      */
726     do_100_continue = (worker->ping_timeout_set
727                        && ap_request_has_body(r)
728                        && (PROXYREQ_REVERSE == r->proxyreq)
729                        && !(apr_table_get(r->subprocess_env, "force-proxy-request-1.0")));
730     
731     if (apr_table_get(r->subprocess_env, "force-proxy-request-1.0")) {
732         /*
733          * According to RFC 2616 8.2.3 we are not allowed to forward an
734          * Expect: 100-continue to an HTTP/1.0 server. Instead we MUST return
735          * a HTTP_EXPECTATION_FAILED
736          */
737         if (r->expecting_100) {
738             return HTTP_EXPECTATION_FAILED;
739         }
740         buf = apr_pstrcat(p, r->method, " ", url, " HTTP/1.0" CRLF, NULL);
741         force10 = 1;
742         p_conn->close++;
743     } else {
744         buf = apr_pstrcat(p, r->method, " ", url, " HTTP/1.1" CRLF, NULL);
745         force10 = 0;
746     }
747     if (apr_table_get(r->subprocess_env, "proxy-nokeepalive")) {
748         origin->keepalive = AP_CONN_CLOSE;
749         p_conn->close++;
750     }
751     ap_xlate_proto_to_ascii(buf, strlen(buf));
752     e = apr_bucket_pool_create(buf, strlen(buf), p, c->bucket_alloc);
753     APR_BRIGADE_INSERT_TAIL(header_brigade, e);
754     if (dconf->preserve_host == 0) {
755         if (ap_strchr_c(uri->hostname, ':')) { /* if literal IPv6 address */
756             if (uri->port_str && uri->port != DEFAULT_HTTP_PORT) {
757                 buf = apr_pstrcat(p, "Host: [", uri->hostname, "]:", 
758                                   uri->port_str, CRLF, NULL);
759             } else {
760                 buf = apr_pstrcat(p, "Host: [", uri->hostname, "]", CRLF, NULL);
761             }
762         } else {
763             if (uri->port_str && uri->port != DEFAULT_HTTP_PORT) {
764                 buf = apr_pstrcat(p, "Host: ", uri->hostname, ":", 
765                                   uri->port_str, CRLF, NULL);
766             } else {
767                 buf = apr_pstrcat(p, "Host: ", uri->hostname, CRLF, NULL);
768             }
769         }
770     }
771     else {
772         /* don't want to use r->hostname, as the incoming header might have a
773          * port attached
774          */
775         const char* hostname = apr_table_get(r->headers_in,"Host");
776         if (!hostname) {
777             hostname =  r->server->server_hostname;
778             ap_log_rerror(APLOG_MARK, APLOG_WARNING, 0, r,
779                           "proxy: no HTTP 0.9 request (with no host line) "
780                           "on incoming request and preserve host set "
781                           "forcing hostname to be %s for uri %s",
782                           hostname,
783                           r->uri );
784         }
785         buf = apr_pstrcat(p, "Host: ", hostname, CRLF, NULL);
786     }
787     ap_xlate_proto_to_ascii(buf, strlen(buf));
788     e = apr_bucket_pool_create(buf, strlen(buf), p, c->bucket_alloc);
789     APR_BRIGADE_INSERT_TAIL(header_brigade, e);
790
791     /* handle Via */
792     if (conf->viaopt == via_block) {
793         /* Block all outgoing Via: headers */
794         apr_table_unset(r->headers_in, "Via");
795     } else if (conf->viaopt != via_off) {
796         const char *server_name = ap_get_server_name(r);
797         /* If USE_CANONICAL_NAME_OFF was configured for the proxy virtual host,
798          * then the server name returned by ap_get_server_name() is the
799          * origin server name (which does make too much sense with Via: headers)
800          * so we use the proxy vhost's name instead.
801          */
802         if (server_name == r->hostname)
803             server_name = r->server->server_hostname;
804         /* Create a "Via:" request header entry and merge it */
805         /* Generate outgoing Via: header with/without server comment: */
806         apr_table_mergen(r->headers_in, "Via",
807                          (conf->viaopt == via_full)
808                          ? apr_psprintf(p, "%d.%d %s%s (%s)",
809                                         HTTP_VERSION_MAJOR(r->proto_num),
810                                         HTTP_VERSION_MINOR(r->proto_num),
811                                         server_name, server_portstr,
812                                         AP_SERVER_BASEVERSION)
813                          : apr_psprintf(p, "%d.%d %s%s",
814                                         HTTP_VERSION_MAJOR(r->proto_num),
815                                         HTTP_VERSION_MINOR(r->proto_num),
816                                         server_name, server_portstr)
817         );
818     }
819
820     /* Use HTTP/1.1 100-Continue as quick "HTTP ping" test
821      * to backend
822      */
823     if (do_100_continue) {
824         apr_table_mergen(r->headers_in, "Expect", "100-Continue");
825         r->expecting_100 = 1;
826     }
827
828     /* X-Forwarded-*: handling
829      *
830      * XXX Privacy Note:
831      * -----------------
832      *
833      * These request headers are only really useful when the mod_proxy
834      * is used in a reverse proxy configuration, so that useful info
835      * about the client can be passed through the reverse proxy and on
836      * to the backend server, which may require the information to
837      * function properly.
838      *
839      * In a forward proxy situation, these options are a potential
840      * privacy violation, as information about clients behind the proxy
841      * are revealed to arbitrary servers out there on the internet.
842      *
843      * The HTTP/1.1 Via: header is designed for passing client
844      * information through proxies to a server, and should be used in
845      * a forward proxy configuation instead of X-Forwarded-*. See the
846      * ProxyVia option for details.
847      */
848
849     if (PROXYREQ_REVERSE == r->proxyreq) {
850         const char *buf;
851
852         /* Add X-Forwarded-For: so that the upstream has a chance to
853          * determine, where the original request came from.
854          */
855         apr_table_mergen(r->headers_in, "X-Forwarded-For",
856                          c->remote_ip);
857
858         /* Add X-Forwarded-Host: so that upstream knows what the
859          * original request hostname was.
860          */
861         if ((buf = apr_table_get(r->headers_in, "Host"))) {
862             apr_table_mergen(r->headers_in, "X-Forwarded-Host", buf);
863         }
864
865         /* Add X-Forwarded-Server: so that upstream knows what the
866          * name of this proxy server is (if there are more than one)
867          * XXX: This duplicates Via: - do we strictly need it?
868          */
869         apr_table_mergen(r->headers_in, "X-Forwarded-Server",
870                          r->server->server_hostname);
871     }
872
873     proxy_run_fixups(r);
874     /*
875      * Make a copy of the headers_in table before clearing the connection
876      * headers as we need the connection headers later in the http output
877      * filter to prepare the correct response headers.
878      *
879      * Note: We need to take r->pool for apr_table_copy as the key / value
880      * pairs in r->headers_in have been created out of r->pool and
881      * p might be (and actually is) a longer living pool.
882      * This would trigger the bad pool ancestry abort in apr_table_copy if
883      * apr is compiled with APR_POOL_DEBUG.
884      */
885     headers_in_copy = apr_table_copy(r->pool, r->headers_in);
886     ap_proxy_clear_connection(p, headers_in_copy);
887     /* send request headers */
888     headers_in_array = apr_table_elts(headers_in_copy);
889     headers_in = (const apr_table_entry_t *) headers_in_array->elts;
890     for (counter = 0; counter < headers_in_array->nelts; counter++) {
891         if (headers_in[counter].key == NULL
892              || headers_in[counter].val == NULL
893
894             /* Already sent */
895              || !strcasecmp(headers_in[counter].key, "Host")
896
897             /* Clear out hop-by-hop request headers not to send
898              * RFC2616 13.5.1 says we should strip these headers
899              */
900              || !strcasecmp(headers_in[counter].key, "Keep-Alive")
901              || !strcasecmp(headers_in[counter].key, "TE")
902              || !strcasecmp(headers_in[counter].key, "Trailer")
903              || !strcasecmp(headers_in[counter].key, "Upgrade")
904
905              ) {
906             continue;
907         }
908         /* Do we want to strip Proxy-Authorization ?
909          * If we haven't used it, then NO
910          * If we have used it then MAYBE: RFC2616 says we MAY propagate it.
911          * So let's make it configurable by env.
912          */
913         if (!strcasecmp(headers_in[counter].key,"Proxy-Authorization")) {
914             if (r->user != NULL) { /* we've authenticated */
915                 if (!apr_table_get(r->subprocess_env, "Proxy-Chain-Auth")) {
916                     continue;
917                 }
918             }
919         }
920
921
922         /* Skip Transfer-Encoding and Content-Length for now.
923          */
924         if (!strcasecmp(headers_in[counter].key, "Transfer-Encoding")) {
925             old_te_val = headers_in[counter].val;
926             continue;
927         }
928         if (!strcasecmp(headers_in[counter].key, "Content-Length")) {
929             old_cl_val = headers_in[counter].val;
930             continue;
931         }
932
933         /* for sub-requests, ignore freshness/expiry headers */
934         if (r->main) {
935             if (    !strcasecmp(headers_in[counter].key, "If-Match")
936                  || !strcasecmp(headers_in[counter].key, "If-Modified-Since")
937                  || !strcasecmp(headers_in[counter].key, "If-Range")
938                  || !strcasecmp(headers_in[counter].key, "If-Unmodified-Since")
939                  || !strcasecmp(headers_in[counter].key, "If-None-Match")) {
940                 continue;
941             }
942         }
943
944         buf = apr_pstrcat(p, headers_in[counter].key, ": ",
945                           headers_in[counter].val, CRLF,
946                           NULL);
947         ap_xlate_proto_to_ascii(buf, strlen(buf));
948         e = apr_bucket_pool_create(buf, strlen(buf), p, c->bucket_alloc);
949         APR_BRIGADE_INSERT_TAIL(header_brigade, e);
950     }
951
952     /* We have headers, let's figure out our request body... */
953     input_brigade = apr_brigade_create(p, bucket_alloc);
954
955     /* sub-requests never use keepalives, and mustn't pass request bodies.
956      * Because the new logic looks at input_brigade, we will self-terminate
957      * input_brigade and jump past all of the request body logic...
958      * Reading anything with ap_get_brigade is likely to consume the
959      * main request's body or read beyond EOS - which would be unplesant.
960      * 
961      * An exception: when a kept_body is present, then subrequest CAN use
962      * pass request bodies, and we DONT skip the body.
963      */
964     if (!r->kept_body && r->main) {
965         /* XXX: Why DON'T sub-requests use keepalives? */
966         p_conn->close++;
967         if (old_cl_val) {
968             old_cl_val = NULL;
969             apr_table_unset(r->headers_in, "Content-Length");
970         }
971         if (old_te_val) {
972             old_te_val = NULL;
973             apr_table_unset(r->headers_in, "Transfer-Encoding");
974         }
975         rb_method = RB_STREAM_CL;
976         e = apr_bucket_eos_create(input_brigade->bucket_alloc);
977         APR_BRIGADE_INSERT_TAIL(input_brigade, e);
978         goto skip_body;
979     }
980
981     /* WE only understand chunked.  Other modules might inject
982      * (and therefore, decode) other flavors but we don't know
983      * that the can and have done so unless they they remove
984      * their decoding from the headers_in T-E list.
985      * XXX: Make this extensible, but in doing so, presume the
986      * encoding has been done by the extensions' handler, and
987      * do not modify add_te_chunked's logic
988      */
989     if (old_te_val && strcasecmp(old_te_val, "chunked") != 0) {
990         ap_log_error(APLOG_MARK, APLOG_ERR, 0, r->server,
991                      "proxy: %s Transfer-Encoding is not supported",
992                      old_te_val);
993         return HTTP_INTERNAL_SERVER_ERROR;
994     }
995
996     if (old_cl_val && old_te_val) {
997         ap_log_error(APLOG_MARK, APLOG_DEBUG, APR_ENOTIMPL, r->server,
998                      "proxy: client %s (%s) requested Transfer-Encoding "
999                      "chunked body with Content-Length (C-L ignored)",
1000                      c->remote_ip, c->remote_host ? c->remote_host: "");
1001         apr_table_unset(r->headers_in, "Content-Length");
1002         old_cl_val = NULL;
1003         origin->keepalive = AP_CONN_CLOSE;
1004         p_conn->close++;
1005     }
1006
1007     /* Prefetch MAX_MEM_SPOOL bytes
1008      *
1009      * This helps us avoid any election of C-L v.s. T-E
1010      * request bodies, since we are willing to keep in
1011      * memory this much data, in any case.  This gives
1012      * us an instant C-L election if the body is of some
1013      * reasonable size.
1014      */
1015     temp_brigade = apr_brigade_create(p, bucket_alloc);
1016     do {
1017         status = ap_get_brigade(r->input_filters, temp_brigade,
1018                                 AP_MODE_READBYTES, APR_BLOCK_READ,
1019                                 MAX_MEM_SPOOL - bytes_read);
1020         if (status != APR_SUCCESS) {
1021             ap_log_error(APLOG_MARK, APLOG_ERR, status, r->server,
1022                          "proxy: prefetch request body failed to %pI (%s)"
1023                          " from %s (%s)",
1024                          p_conn->addr, p_conn->hostname ? p_conn->hostname: "",
1025                          c->remote_ip, c->remote_host ? c->remote_host: "");
1026             return HTTP_BAD_REQUEST;
1027         }
1028
1029         apr_brigade_length(temp_brigade, 1, &bytes);
1030         bytes_read += bytes;
1031
1032         /*
1033          * Save temp_brigade in input_brigade. (At least) in the SSL case
1034          * temp_brigade contains transient buckets whose data would get
1035          * overwritten during the next call of ap_get_brigade in the loop.
1036          * ap_save_brigade ensures these buckets to be set aside.
1037          * Calling ap_save_brigade with NULL as filter is OK, because
1038          * input_brigade already has been created and does not need to get
1039          * created by ap_save_brigade.
1040          */
1041         status = ap_save_brigade(NULL, &input_brigade, &temp_brigade, p);
1042         if (status != APR_SUCCESS) {
1043             ap_log_error(APLOG_MARK, APLOG_ERR, status, r->server,
1044                          "proxy: processing prefetched request body failed"
1045                          " to %pI (%s) from %s (%s)",
1046                          p_conn->addr, p_conn->hostname ? p_conn->hostname: "",
1047                          c->remote_ip, c->remote_host ? c->remote_host: "");
1048             return HTTP_INTERNAL_SERVER_ERROR;
1049         }
1050
1051     /* Ensure we don't hit a wall where we have a buffer too small
1052      * for ap_get_brigade's filters to fetch us another bucket,
1053      * surrender once we hit 80 bytes less than MAX_MEM_SPOOL
1054      * (an arbitrary value.)
1055      */
1056     } while ((bytes_read < MAX_MEM_SPOOL - 80)
1057               && !APR_BUCKET_IS_EOS(APR_BRIGADE_LAST(input_brigade)));
1058
1059     /* Use chunked request body encoding or send a content-length body?
1060      *
1061      * Prefer C-L when:
1062      *
1063      *   We have no request body (handled by RB_STREAM_CL)
1064      *
1065      *   We have a request body length <= MAX_MEM_SPOOL
1066      *
1067      *   The administrator has setenv force-proxy-request-1.0
1068      *
1069      *   The client sent a C-L body, and the administrator has
1070      *   not setenv proxy-sendchunked or has set setenv proxy-sendcl
1071      *
1072      *   The client sent a T-E body, and the administrator has
1073      *   setenv proxy-sendcl, and not setenv proxy-sendchunked
1074      *
1075      * If both proxy-sendcl and proxy-sendchunked are set, the
1076      * behavior is the same as if neither were set, large bodies
1077      * that can't be read will be forwarded in their original
1078      * form of C-L, or T-E.
1079      *
1080      * To ensure maximum compatibility, setenv proxy-sendcl
1081      * To reduce server resource use,   setenv proxy-sendchunked
1082      *
1083      * Then address specific servers with conditional setenv
1084      * options to restore the default behavior where desireable.
1085      *
1086      * We have to compute content length by reading the entire request
1087      * body; if request body is not small, we'll spool the remaining
1088      * input to a temporary file.  Chunked is always preferable.
1089      *
1090      * We can only trust the client-provided C-L if the T-E header
1091      * is absent, and the filters are unchanged (the body won't
1092      * be resized by another content filter).
1093      */
1094     if (APR_BUCKET_IS_EOS(APR_BRIGADE_LAST(input_brigade))) {
1095         /* The whole thing fit, so our decision is trivial, use
1096          * the filtered bytes read from the client for the request
1097          * body Content-Length.
1098          *
1099          * If we expected no body, and read no body, do not set
1100          * the Content-Length.
1101          */
1102         if (old_cl_val || old_te_val || bytes_read) {
1103             old_cl_val = apr_off_t_toa(r->pool, bytes_read);
1104         }
1105         rb_method = RB_STREAM_CL;
1106     }
1107     else if (old_te_val) {
1108         if (force10
1109              || (apr_table_get(r->subprocess_env, "proxy-sendcl")
1110                   && !apr_table_get(r->subprocess_env, "proxy-sendchunks")
1111                   && !apr_table_get(r->subprocess_env, "proxy-sendchunked"))) {
1112             rb_method = RB_SPOOL_CL;
1113         }
1114         else {
1115             rb_method = RB_STREAM_CHUNKED;
1116         }
1117     }
1118     else if (old_cl_val) {
1119         if (r->input_filters == r->proto_input_filters) {
1120             rb_method = RB_STREAM_CL;
1121         }
1122         else if (!force10
1123                   && (apr_table_get(r->subprocess_env, "proxy-sendchunks")
1124                       || apr_table_get(r->subprocess_env, "proxy-sendchunked"))
1125                   && !apr_table_get(r->subprocess_env, "proxy-sendcl")) {
1126             rb_method = RB_STREAM_CHUNKED;
1127         }
1128         else {
1129             rb_method = RB_SPOOL_CL;
1130         }
1131     }
1132     else {
1133         /* This is an appropriate default; very efficient for no-body
1134          * requests, and has the behavior that it will not add any C-L
1135          * when the old_cl_val is NULL.
1136          */
1137         rb_method = RB_SPOOL_CL;
1138     }
1139
1140 /* Yes I hate gotos.  This is the subrequest shortcut */
1141 skip_body:
1142     /*
1143      * Handle Connection: header if we do HTTP/1.1 request:
1144      * If we plan to close the backend connection sent Connection: close
1145      * otherwise sent Connection: Keep-Alive.
1146      */
1147     if (!force10) {
1148         if (p_conn->close) {
1149             buf = apr_pstrdup(p, "Connection: close" CRLF);
1150         }
1151         else {
1152             buf = apr_pstrdup(p, "Connection: Keep-Alive" CRLF);
1153         }
1154         ap_xlate_proto_to_ascii(buf, strlen(buf));
1155         e = apr_bucket_pool_create(buf, strlen(buf), p, c->bucket_alloc);
1156         APR_BRIGADE_INSERT_TAIL(header_brigade, e);
1157     }
1158
1159     /* send the request body, if any. */
1160     switch(rb_method) {
1161     case RB_STREAM_CHUNKED:
1162         rv = stream_reqbody_chunked(p, r, p_conn, origin, header_brigade,
1163                                         input_brigade);
1164         break;
1165     case RB_STREAM_CL:
1166         rv = stream_reqbody_cl(p, r, p_conn, origin, header_brigade,
1167                                    input_brigade, old_cl_val);
1168         break;
1169     case RB_SPOOL_CL:
1170         rv = spool_reqbody_cl(p, r, p_conn, origin, header_brigade,
1171                                   input_brigade, (old_cl_val != NULL)
1172                                               || (old_te_val != NULL)
1173                                               || (bytes_read > 0));
1174         break;
1175     default:
1176         /* shouldn't be possible */
1177         rv = HTTP_INTERNAL_SERVER_ERROR ;
1178         break;
1179     }
1180
1181     if (rv != OK) {
1182         /* apr_status_t value has been logged in lower level method */
1183         ap_log_error(APLOG_MARK, APLOG_ERR, 0, r->server,
1184                      "proxy: pass request body failed to %pI (%s)"
1185                      " from %s (%s)",
1186                      p_conn->addr,
1187                      p_conn->hostname ? p_conn->hostname: "",
1188                      c->remote_ip,
1189                      c->remote_host ? c->remote_host: "");
1190         return rv;
1191     }
1192
1193     return OK;
1194 }
1195
1196 static void process_proxy_header(request_rec *r, proxy_dir_conf *c,
1197                                  const char *key, const char *value)
1198 {
1199     static const char *date_hdrs[]
1200         = { "Date", "Expires", "Last-Modified", NULL };
1201     static const struct {
1202         const char *name;
1203         ap_proxy_header_reverse_map_fn func;
1204     } transform_hdrs[] = {
1205         { "Location", ap_proxy_location_reverse_map },
1206         { "Content-Location", ap_proxy_location_reverse_map },
1207         { "URI", ap_proxy_location_reverse_map },
1208         { "Destination", ap_proxy_location_reverse_map },
1209         { "Set-Cookie", ap_proxy_cookie_reverse_map },
1210         { NULL, NULL }
1211     };
1212     int i;
1213     for (i = 0; date_hdrs[i]; ++i) {
1214         if (!strcasecmp(date_hdrs[i], key)) {
1215             apr_table_add(r->headers_out, key,
1216                           ap_proxy_date_canon(r->pool, value));
1217             return;
1218         }
1219     }
1220     for (i = 0; transform_hdrs[i].name; ++i) {
1221         if (!strcasecmp(transform_hdrs[i].name, key)) {
1222             apr_table_add(r->headers_out, key,
1223                           (*transform_hdrs[i].func)(r, c, value));
1224             return;
1225        }
1226     }
1227     apr_table_add(r->headers_out, key, value);
1228     return;
1229 }
1230
1231 /*
1232  * Note: pread_len is the length of the response that we've  mistakenly
1233  * read (assuming that we don't consider that an  error via
1234  * ProxyBadHeader StartBody). This depends on buffer actually being
1235  * local storage to the calling code in order for pread_len to make
1236  * any sense at all, since we depend on buffer still containing
1237  * what was read by ap_getline() upon return.
1238  */
1239 static void ap_proxy_read_headers(request_rec *r, request_rec *rr,
1240                                   char *buffer, int size,
1241                                   conn_rec *c, int *pread_len)
1242 {
1243     int len;
1244     char *value, *end;
1245     char field[MAX_STRING_LEN];
1246     int saw_headers = 0;
1247     void *sconf = r->server->module_config;
1248     proxy_server_conf *psc;
1249     proxy_dir_conf *dconf;
1250
1251     dconf = ap_get_module_config(r->per_dir_config, &proxy_module);
1252     psc = (proxy_server_conf *) ap_get_module_config(sconf, &proxy_module);
1253
1254     r->headers_out = apr_table_make(r->pool, 20);
1255     *pread_len = 0;
1256
1257     /*
1258      * Read header lines until we get the empty separator line, a read error,
1259      * the connection closes (EOF), or we timeout.
1260      */
1261     ap_log_rerror(APLOG_MARK, APLOG_TRACE4, 0, r,
1262                   "Headers received from backend:");
1263     while ((len = ap_getline(buffer, size, rr, 1)) > 0) {
1264         ap_log_rerror(APLOG_MARK, APLOG_TRACE4, 0, r, "%s", buffer);
1265
1266         if (!(value = strchr(buffer, ':'))) {     /* Find the colon separator */
1267
1268             /* We may encounter invalid headers, usually from buggy
1269              * MS IIS servers, so we need to determine just how to handle
1270              * them. We can either ignore them, assume that they mark the
1271              * start-of-body (eg: a missing CRLF) or (the default) mark
1272              * the headers as totally bogus and return a 500. The sole
1273              * exception is an extra "HTTP/1.0 200, OK" line sprinkled
1274              * in between the usual MIME headers, which is a favorite
1275              * IIS bug.
1276              */
1277              /* XXX: The mask check is buggy if we ever see an HTTP/1.10 */
1278
1279             if (!apr_date_checkmask(buffer, "HTTP/#.# ###*")) {
1280                 if (psc->badopt == bad_error) {
1281                     /* Nope, it wasn't even an extra HTTP header. Give up. */
1282                     r->headers_out = NULL;
1283                     return ;
1284                 }
1285                 else if (psc->badopt == bad_body) {
1286                     /* if we've already started loading headers_out, then
1287                      * return what we've accumulated so far, in the hopes
1288                      * that they are useful; also note that we likely pre-read
1289                      * the first line of the response.
1290                      */
1291                     if (saw_headers) {
1292                         ap_log_error(APLOG_MARK, APLOG_WARNING, 0, r->server,
1293                          "proxy: Starting body due to bogus non-header in headers "
1294                          "returned by %s (%s)", r->uri, r->method);
1295                         *pread_len = len;
1296                         return ;
1297                     } else {
1298                          ap_log_error(APLOG_MARK, APLOG_WARNING, 0, r->server,
1299                          "proxy: No HTTP headers "
1300                          "returned by %s (%s)", r->uri, r->method);
1301                         return ;
1302                     }
1303                 }
1304             }
1305             /* this is the psc->badopt == bad_ignore case */
1306             ap_log_error(APLOG_MARK, APLOG_WARNING, 0, r->server,
1307                          "proxy: Ignoring bogus HTTP header "
1308                          "returned by %s (%s)", r->uri, r->method);
1309             continue;
1310         }
1311
1312         *value = '\0';
1313         ++value;
1314         /* XXX: RFC2068 defines only SP and HT as whitespace, this test is
1315          * wrong... and so are many others probably.
1316          */
1317         while (apr_isspace(*value))
1318             ++value;            /* Skip to start of value   */
1319
1320         /* should strip trailing whitespace as well */
1321         for (end = &value[strlen(value)-1]; end > value && apr_isspace(*end); --
1322 end)
1323             *end = '\0';
1324
1325         /* make sure we add so as not to destroy duplicated headers
1326          * Modify headers requiring canonicalisation and/or affected
1327          * by ProxyPassReverse and family with process_proxy_header
1328          */
1329         process_proxy_header(r, dconf, buffer, value) ;
1330         saw_headers = 1;
1331
1332         /* the header was too long; at the least we should skip extra data */
1333         if (len >= size - 1) {
1334             while ((len = ap_getline(field, MAX_STRING_LEN, rr, 1))
1335                     >= MAX_STRING_LEN - 1) {
1336                 /* soak up the extra data */
1337             }
1338             if (len == 0) /* time to exit the larger loop as well */
1339                 break;
1340         }
1341     }
1342 }
1343
1344
1345
1346 static int addit_dammit(void *v, const char *key, const char *val)
1347 {
1348     apr_table_addn(v, key, val);
1349     return 1;
1350 }
1351
1352 static
1353 apr_status_t ap_proxygetline(apr_bucket_brigade *bb, char *s, int n, request_rec *r,
1354                              int fold, int *writen)
1355 {
1356     char *tmp_s = s;
1357     apr_status_t rv;
1358     apr_size_t len;
1359
1360     rv = ap_rgetline(&tmp_s, n, &len, r, fold, bb);
1361     apr_brigade_cleanup(bb);
1362
1363     if (rv == APR_SUCCESS) {
1364         *writen = (int) len;
1365     } else if (rv == APR_ENOSPC) {
1366         *writen = n;
1367     } else {
1368         *writen = -1;
1369     }
1370
1371     return rv;
1372 }
1373
1374 /*
1375  * Limit the number of interim respones we sent back to the client. Otherwise
1376  * we suffer from a memory build up. Besides there is NO sense in sending back
1377  * an unlimited number of interim responses to the client. Thus if we cross
1378  * this limit send back a 502 (Bad Gateway).
1379  */
1380 #ifndef AP_MAX_INTERIM_RESPONSES
1381 #define AP_MAX_INTERIM_RESPONSES 10
1382 #endif
1383
1384 static
1385 apr_status_t ap_proxy_http_process_response(apr_pool_t * p, request_rec *r,
1386                                             proxy_conn_rec *backend,
1387                                             proxy_worker *worker,
1388                                             proxy_server_conf *conf,
1389                                             char *server_portstr) {
1390     conn_rec *c = r->connection;
1391     char buffer[HUGE_STRING_LEN];
1392     const char *buf;
1393     char keepchar;
1394     request_rec *rp;
1395     apr_bucket *e;
1396     apr_bucket_brigade *bb, *tmp_bb;
1397     apr_bucket_brigade *pass_bb;
1398     int len, backasswards;
1399     int interim_response = 0; /* non-zero whilst interim 1xx responses
1400                                * are being read. */
1401     int pread_len = 0;
1402     apr_table_t *save_table;
1403     int backend_broke = 0;
1404     static const char *hop_by_hop_hdrs[] =
1405         {"Keep-Alive", "Proxy-Authenticate", "TE", "Trailer", "Upgrade", NULL};
1406     int i;
1407     const char *te = NULL;
1408     int original_status = r->status;
1409     int proxy_status = OK;
1410     const char *original_status_line = r->status_line;
1411     const char *proxy_status_line = NULL;
1412     conn_rec *origin = backend->connection;
1413     apr_interval_time_t old_timeout = 0;
1414
1415     int do_100_continue;
1416     
1417     do_100_continue = (worker->ping_timeout_set
1418                        && ap_request_has_body(r)
1419                        && (PROXYREQ_REVERSE == r->proxyreq)
1420                        && !(apr_table_get(r->subprocess_env, "force-proxy-request-1.0")));
1421     
1422     bb = apr_brigade_create(p, c->bucket_alloc);
1423     pass_bb = apr_brigade_create(p, c->bucket_alloc);
1424     
1425     /* Setup for 100-Continue timeout if appropriate */
1426     if (do_100_continue) {
1427         apr_socket_timeout_get(backend->sock, &old_timeout);
1428         if (worker->ping_timeout != old_timeout) {
1429             apr_status_t rc;
1430             rc = apr_socket_timeout_set(backend->sock, worker->ping_timeout);
1431             if (rc != APR_SUCCESS) {
1432                 ap_log_error(APLOG_MARK, APLOG_ERR, rc, r->server,
1433                              "proxy: could not set 100-Continue timeout");
1434             }
1435         }
1436     }
1437
1438     /* Get response from the remote server, and pass it up the
1439      * filter chain
1440      */
1441
1442     rp = ap_proxy_make_fake_req(origin, r);
1443     /* In case anyone needs to know, this is a fake request that is really a
1444      * response.
1445      */
1446     rp->proxyreq = PROXYREQ_RESPONSE;
1447     tmp_bb = apr_brigade_create(p, c->bucket_alloc);
1448     do {
1449         apr_status_t rc;
1450
1451         apr_brigade_cleanup(bb);
1452
1453         rc = ap_proxygetline(tmp_bb, buffer, sizeof(buffer), rp, 0, &len);
1454         if (len == 0) {
1455             /* handle one potential stray CRLF */
1456             rc = ap_proxygetline(tmp_bb, buffer, sizeof(buffer), rp, 0, &len);
1457         }
1458         if (len <= 0) {
1459             ap_log_rerror(APLOG_MARK, APLOG_ERR, rc, r,
1460                           "proxy: error reading status line from remote "
1461                           "server %s:%d", backend->hostname, backend->port);
1462             if (APR_STATUS_IS_TIMEUP(rc)) {
1463                 ap_log_rerror(APLOG_MARK, APLOG_DEBUG, 0, r,
1464                               "proxy: read timeout");
1465                 if (do_100_continue) {
1466                     return ap_proxyerror(r, HTTP_SERVICE_UNAVAILABLE, "Timeout on 100-Continue");
1467                 }
1468             }
1469             /*
1470              * If we are a reverse proxy request shutdown the connection
1471              * WITHOUT ANY response to trigger a retry by the client
1472              * if allowed (as for idempotent requests).
1473              * BUT currently we should not do this if the request is the
1474              * first request on a keepalive connection as browsers like
1475              * seamonkey only display an empty page in this case and do
1476              * not do a retry. We should also not do this on a
1477              * connection which times out; instead handle as
1478              * we normally would handle timeouts
1479              */
1480             if (r->proxyreq == PROXYREQ_REVERSE && c->keepalives &&
1481                 !APR_STATUS_IS_TIMEUP(rc)) {
1482                 apr_bucket *eos;
1483
1484                 ap_log_rerror(APLOG_MARK, APLOG_DEBUG, 0, r,
1485                               "proxy: Closing connection to client because"
1486                               " reading from backend server %s:%d failed."
1487                               " Number of keepalives %i", backend->hostname, 
1488                               backend->port, c->keepalives);
1489                 ap_proxy_backend_broke(r, bb);
1490                 /*
1491                  * Add an EOC bucket to signal the ap_http_header_filter
1492                  * that it should get out of our way, BUT ensure that the
1493                  * EOC bucket is inserted BEFORE an EOS bucket in bb as
1494                  * some resource filters like mod_deflate pass everything
1495                  * up to the EOS down the chain immediately and sent the
1496                  * remainder of the brigade later (or even never). But in
1497                  * this case the ap_http_header_filter does not get out of
1498                  * our way soon enough.
1499                  */
1500                 e = ap_bucket_eoc_create(c->bucket_alloc);
1501                 eos = APR_BRIGADE_LAST(bb);
1502                 while ((APR_BRIGADE_SENTINEL(bb) != eos)
1503                        && !APR_BUCKET_IS_EOS(eos)) {
1504                     eos = APR_BUCKET_PREV(eos);
1505                 }
1506                 if (eos == APR_BRIGADE_SENTINEL(bb)) {
1507                     APR_BRIGADE_INSERT_TAIL(bb, e);
1508                 }
1509                 else {
1510                     APR_BUCKET_INSERT_BEFORE(eos, e);
1511                 }
1512                 ap_pass_brigade(r->output_filters, bb);
1513                 /* Mark the backend connection for closing */
1514                 backend->close = 1;
1515                 /* Need to return OK to avoid sending an error message */
1516                 return OK;
1517             }
1518             else if (!c->keepalives) {
1519                      ap_log_rerror(APLOG_MARK, APLOG_DEBUG, 0, r,
1520                                    "proxy: NOT Closing connection to client"
1521                                    " although reading from backend server %s:%d"
1522                                    " failed.", backend->hostname,
1523                                    backend->port);
1524             }
1525             return ap_proxyerror(r, HTTP_BAD_GATEWAY,
1526                                  "Error reading from remote server");
1527         }
1528         /* XXX: Is this a real headers length send from remote? */
1529         backend->worker->s->read += len;
1530
1531         /* Is it an HTTP/1 response?
1532          * This is buggy if we ever see an HTTP/1.10
1533          */
1534         if (apr_date_checkmask(buffer, "HTTP/#.# ###*")) {
1535             int major, minor;
1536
1537             major = buffer[5] - '0';
1538             minor = buffer[7] - '0';
1539
1540             /* If not an HTTP/1 message or
1541              * if the status line was > 8192 bytes
1542              */
1543             if ((major != 1) || (len >= sizeof(buffer)-1)) {
1544                 return ap_proxyerror(r, HTTP_BAD_GATEWAY,
1545                 apr_pstrcat(p, "Corrupt status line returned by remote "
1546                             "server: ", buffer, NULL));
1547             }
1548             backasswards = 0;
1549
1550             keepchar = buffer[12];
1551             buffer[12] = '\0';
1552             proxy_status = atoi(&buffer[9]);
1553
1554             if (keepchar != '\0') {
1555                 buffer[12] = keepchar;
1556             } else {
1557                 /* 2616 requires the space in Status-Line; the origin
1558                  * server may have sent one but ap_rgetline_core will
1559                  * have stripped it. */
1560                 buffer[12] = ' ';
1561                 buffer[13] = '\0';
1562             }
1563             proxy_status_line = apr_pstrdup(p, &buffer[9]);
1564
1565             /* The status out of the front is the same as the status coming in
1566              * from the back, until further notice.
1567              */
1568             r->status = proxy_status;
1569             r->status_line = proxy_status_line;
1570
1571             ap_log_rerror(APLOG_MARK, APLOG_TRACE3, 0, r,
1572                           "Status from backend: %d", proxy_status);
1573
1574             /* read the headers. */
1575             /* N.B. for HTTP/1.0 clients, we have to fold line-wrapped headers*/
1576             /* Also, take care with headers with multiple occurences. */
1577
1578             /* First, tuck away all already existing cookies */
1579             save_table = apr_table_make(r->pool, 2);
1580             apr_table_do(addit_dammit, save_table, r->headers_out,
1581                          "Set-Cookie", NULL);
1582
1583             /* shove the headers direct into r->headers_out */
1584             ap_proxy_read_headers(r, rp, buffer, sizeof(buffer), origin,
1585                                   &pread_len);
1586
1587             if (r->headers_out == NULL) {
1588                 ap_log_error(APLOG_MARK, APLOG_WARNING, 0,
1589                              r->server, "proxy: bad HTTP/%d.%d header "
1590                              "returned by %s (%s)", major, minor, r->uri,
1591                              r->method);
1592                 backend->close += 1;
1593                 /*
1594                  * ap_send_error relies on a headers_out to be present. we
1595                  * are in a bad position here.. so force everything we send out
1596                  * to have nothing to do with the incoming packet
1597                  */
1598                 r->headers_out = apr_table_make(r->pool,1);
1599                 r->status = HTTP_BAD_GATEWAY;
1600                 r->status_line = "bad gateway";
1601                 return r->status;
1602             }
1603
1604             /* Now, add in the just read cookies */
1605             apr_table_do(addit_dammit, save_table, r->headers_out,
1606                          "Set-Cookie", NULL);
1607
1608             /* and now load 'em all in */
1609             if (!apr_is_empty_table(save_table)) {
1610                 apr_table_unset(r->headers_out, "Set-Cookie");
1611                 r->headers_out = apr_table_overlay(r->pool,
1612                                                    r->headers_out,
1613                                                    save_table);
1614             }
1615
1616             /* can't have both Content-Length and Transfer-Encoding */
1617             if (apr_table_get(r->headers_out, "Transfer-Encoding")
1618                     && apr_table_get(r->headers_out, "Content-Length")) {
1619                 /*
1620                  * 2616 section 4.4, point 3: "if both Transfer-Encoding
1621                  * and Content-Length are received, the latter MUST be
1622                  * ignored";
1623                  *
1624                  * To help mitigate HTTP Splitting, unset Content-Length
1625                  * and shut down the backend server connection
1626                  * XXX: We aught to treat such a response as uncachable
1627                  */
1628                 apr_table_unset(r->headers_out, "Content-Length");
1629                 ap_log_error(APLOG_MARK, APLOG_DEBUG, 0, r->server,
1630                              "proxy: server %s:%d returned Transfer-Encoding"
1631                              " and Content-Length", backend->hostname,
1632                              backend->port);
1633                 backend->close += 1;
1634             }
1635
1636             /*
1637              * Save a possible Transfer-Encoding header as we need it later for
1638              * ap_http_filter to know where to end.
1639              */
1640             te = apr_table_get(r->headers_out, "Transfer-Encoding");
1641             /* strip connection listed hop-by-hop headers from response */
1642             backend->close += ap_proxy_liststr(apr_table_get(r->headers_out,
1643                                                              "Connection"),
1644                                               "close");
1645             ap_proxy_clear_connection(p, r->headers_out);
1646             if ((buf = apr_table_get(r->headers_out, "Content-Type"))) {
1647                 ap_set_content_type(r, apr_pstrdup(p, buf));
1648             }
1649             if (!ap_is_HTTP_INFO(proxy_status)) {
1650                 ap_proxy_pre_http_request(origin, rp);
1651             }
1652
1653             /* Clear hop-by-hop headers */
1654             for (i=0; hop_by_hop_hdrs[i]; ++i) {
1655                 apr_table_unset(r->headers_out, hop_by_hop_hdrs[i]);
1656             }
1657             /* Delete warnings with wrong date */
1658             r->headers_out = ap_proxy_clean_warnings(p, r->headers_out);
1659
1660             /* handle Via header in response */
1661             if (conf->viaopt != via_off && conf->viaopt != via_block) {
1662                 const char *server_name = ap_get_server_name(r);
1663                 /* If USE_CANONICAL_NAME_OFF was configured for the proxy virtual host,
1664                  * then the server name returned by ap_get_server_name() is the
1665                  * origin server name (which does make too much sense with Via: headers)
1666                  * so we use the proxy vhost's name instead.
1667                  */
1668                 if (server_name == r->hostname)
1669                     server_name = r->server->server_hostname;
1670                 /* create a "Via:" response header entry and merge it */
1671                 apr_table_addn(r->headers_out, "Via",
1672                                (conf->viaopt == via_full)
1673                                      ? apr_psprintf(p, "%d.%d %s%s (%s)",
1674                                            HTTP_VERSION_MAJOR(r->proto_num),
1675                                            HTTP_VERSION_MINOR(r->proto_num),
1676                                            server_name,
1677                                            server_portstr,
1678                                            AP_SERVER_BASEVERSION)
1679                                      : apr_psprintf(p, "%d.%d %s%s",
1680                                            HTTP_VERSION_MAJOR(r->proto_num),
1681                                            HTTP_VERSION_MINOR(r->proto_num),
1682                                            server_name,
1683                                            server_portstr)
1684                 );
1685             }
1686
1687             /* cancel keepalive if HTTP/1.0 or less */
1688             if ((major < 1) || (minor < 1)) {
1689                 backend->close += 1;
1690                 origin->keepalive = AP_CONN_CLOSE;
1691             }
1692         } else {
1693             /* an http/0.9 response */
1694             backasswards = 1;
1695             r->status = 200;
1696             r->status_line = "200 OK";
1697             backend->close += 1;
1698         }
1699
1700         if (ap_is_HTTP_INFO(proxy_status)) {
1701             interim_response++;
1702             /* Reset to old timeout iff we've adjusted it */
1703             if (do_100_continue
1704                 && (r->status == HTTP_CONTINUE)
1705                 && (worker->ping_timeout != old_timeout)) {
1706                     apr_socket_timeout_set(backend->sock, old_timeout);
1707             }
1708         }
1709         else {
1710             interim_response = 0;
1711         }
1712         if (interim_response) {
1713             /* RFC2616 tells us to forward this.
1714              *
1715              * OTOH, an interim response here may mean the backend
1716              * is playing sillybuggers.  The Client didn't ask for
1717              * it within the defined HTTP/1.1 mechanisms, and if
1718              * it's an extension, it may also be unsupported by us.
1719              *
1720              * There's also the possibility that changing existing
1721              * behaviour here might break something.
1722              *
1723              * So let's make it configurable.
1724              */
1725             const char *policy = apr_table_get(r->subprocess_env,
1726                                                "proxy-interim-response");
1727             ap_log_rerror(APLOG_MARK, APLOG_TRACE2, 0, r,
1728                          "proxy: HTTP: received interim %d response",
1729                          r->status);
1730             if (!policy || !strcasecmp(policy, "RFC")) {
1731                 ap_send_interim_response(r, 1);
1732             }
1733             /* FIXME: refine this to be able to specify per-response-status
1734              * policies and maybe also add option to bail out with 502
1735              */
1736             else if (strcasecmp(policy, "Suppress")) {
1737                 ap_log_rerror(APLOG_MARK, APLOG_WARNING, 0, r,
1738                              "undefined proxy interim response policy");
1739             }
1740         }
1741         /* Moved the fixups of Date headers and those affected by
1742          * ProxyPassReverse/etc from here to ap_proxy_read_headers
1743          */
1744
1745         if ((proxy_status == 401) && (conf->error_override)) {
1746             const char *buf;
1747             const char *wa = "WWW-Authenticate";
1748             if ((buf = apr_table_get(r->headers_out, wa))) {
1749                 apr_table_set(r->err_headers_out, wa, buf);
1750             } else {
1751                 ap_log_error(APLOG_MARK, APLOG_DEBUG, 0, r->server,
1752                              "proxy: origin server sent 401 without WWW-Authenticate header");
1753             }
1754         }
1755
1756         r->sent_bodyct = 1;
1757         /*
1758          * Is it an HTTP/0.9 response or did we maybe preread the 1st line of
1759          * the response? If so, load the extra data. These are 2 mutually
1760          * exclusive possibilities, that just happen to require very
1761          * similar behavior.
1762          */
1763         if (backasswards || pread_len) {
1764             apr_ssize_t cntr = (apr_ssize_t)pread_len;
1765             if (backasswards) {
1766                 /*@@@FIXME:
1767                  * At this point in response processing of a 0.9 response,
1768                  * we don't know yet whether data is binary or not.
1769                  * mod_charset_lite will get control later on, so it cannot
1770                  * decide on the conversion of this buffer full of data.
1771                  * However, chances are that we are not really talking to an
1772                  * HTTP/0.9 server, but to some different protocol, therefore
1773                  * the best guess IMHO is to always treat the buffer as "text/x":
1774                  */
1775                 ap_xlate_proto_to_ascii(buffer, len);
1776                 cntr = (apr_ssize_t)len;
1777             }
1778             e = apr_bucket_heap_create(buffer, cntr, NULL, c->bucket_alloc);
1779             APR_BRIGADE_INSERT_TAIL(bb, e);
1780         }
1781         /* PR 41646: get HEAD right with ProxyErrorOverride */
1782         if (ap_is_HTTP_ERROR(r->status) && conf->error_override) {
1783             /* clear r->status for override error, otherwise ErrorDocument
1784              * thinks that this is a recursive error, and doesn't find the
1785              * custom error page
1786              */
1787             r->status = HTTP_OK;
1788             /* Discard body, if one is expected */
1789             if (!r->header_only && /* not HEAD request */
1790                 (proxy_status != HTTP_NO_CONTENT) && /* not 204 */
1791                 (proxy_status != HTTP_NOT_MODIFIED)) { /* not 304 */
1792                 ap_discard_request_body(rp);
1793             }
1794             return proxy_status;
1795         }
1796
1797         /* send body - but only if a body is expected */
1798         if ((!r->header_only) &&                   /* not HEAD request */
1799             !interim_response &&                   /* not any 1xx response */
1800             (proxy_status != HTTP_NO_CONTENT) &&      /* not 204 */
1801             (proxy_status != HTTP_NOT_MODIFIED)) {    /* not 304 */
1802
1803             /* We need to copy the output headers and treat them as input
1804              * headers as well.  BUT, we need to do this before we remove
1805              * TE, so that they are preserved accordingly for
1806              * ap_http_filter to know where to end.
1807              */
1808             rp->headers_in = apr_table_copy(r->pool, r->headers_out);
1809             /*
1810              * Restore Transfer-Encoding header from response if we saved
1811              * one before and there is none left. We need it for the
1812              * ap_http_filter. See above.
1813              */
1814             if (te && !apr_table_get(rp->headers_in, "Transfer-Encoding")) {
1815                 apr_table_add(rp->headers_in, "Transfer-Encoding", te);
1816             }
1817
1818             apr_table_unset(r->headers_out,"Transfer-Encoding");
1819
1820             ap_log_error(APLOG_MARK, APLOG_TRACE3, 0, r->server,
1821                          "proxy: start body send");
1822
1823             /*
1824              * if we are overriding the errors, we can't put the content
1825              * of the page into the brigade
1826              */
1827             if (!conf->error_override || !ap_is_HTTP_ERROR(proxy_status)) {
1828                 /* read the body, pass it to the output filters */
1829                 apr_read_type_e mode = APR_NONBLOCK_READ;
1830                 int finish = FALSE;
1831
1832                 /* Handle the case where the error document is itself reverse
1833                  * proxied and was successful. We must maintain any previous
1834                  * error status so that an underlying error (eg HTTP_NOT_FOUND)
1835                  * doesn't become an HTTP_OK.
1836                  */
1837                 if (conf->error_override && !ap_is_HTTP_ERROR(proxy_status)
1838                         && ap_is_HTTP_ERROR(original_status)) {
1839                     r->status = original_status;
1840                     r->status_line = original_status_line;
1841                 }
1842
1843                 do {
1844                     apr_off_t readbytes;
1845                     apr_status_t rv;
1846
1847                     rv = ap_get_brigade(rp->input_filters, bb,
1848                                         AP_MODE_READBYTES, mode,
1849                                         conf->io_buffer_size);
1850
1851                     /* ap_get_brigade will return success with an empty brigade
1852                      * for a non-blocking read which would block: */
1853                     if (APR_STATUS_IS_EAGAIN(rv)
1854                         || (rv == APR_SUCCESS && APR_BRIGADE_EMPTY(bb))) {
1855                         /* flush to the client and switch to blocking mode */
1856                         e = apr_bucket_flush_create(c->bucket_alloc);
1857                         APR_BRIGADE_INSERT_TAIL(bb, e);
1858                         if (ap_pass_brigade(r->output_filters, bb)
1859                             || c->aborted) {
1860                             backend->close = 1;
1861                             break;
1862                         }
1863                         apr_brigade_cleanup(bb);
1864                         mode = APR_BLOCK_READ;
1865                         continue;
1866                     }
1867                     else if (rv == APR_EOF) {
1868                         break;
1869                     }
1870                     else if (rv != APR_SUCCESS) {
1871                         /* In this case, we are in real trouble because
1872                          * our backend bailed on us. Pass along a 502 error
1873                          * error bucket
1874                          */
1875                         ap_log_cerror(APLOG_MARK, APLOG_ERR, rv, c,
1876                                       "proxy: error reading response");
1877                         ap_proxy_backend_broke(r, bb);
1878                         ap_pass_brigade(r->output_filters, bb);
1879                         backend_broke = 1;
1880                         backend->close = 1;
1881                         break;
1882                     }
1883                     /* next time try a non-blocking read */
1884                     mode = APR_NONBLOCK_READ;
1885
1886                     apr_brigade_length(bb, 0, &readbytes);
1887                     backend->worker->s->read += readbytes;
1888 #if DEBUGGING
1889                     {
1890                     ap_log_error(APLOG_MARK, APLOG_DEBUG, 0,
1891                                  r->server, "proxy (PID %d): readbytes: %#x",
1892                                  getpid(), readbytes);
1893                     }
1894 #endif
1895                     /* sanity check */
1896                     if (APR_BRIGADE_EMPTY(bb)) {
1897                         apr_brigade_cleanup(bb);
1898                         break;
1899                     }
1900
1901                     /* Switch the allocator lifetime of the buckets */
1902                     ap_proxy_buckets_lifetime_transform(r, bb, pass_bb);
1903
1904                     /* found the last brigade? */
1905                     if (APR_BUCKET_IS_EOS(APR_BRIGADE_LAST(bb))) {
1906                         /* signal that we must leave */
1907                         finish = TRUE;
1908                     }
1909
1910                     /* try send what we read */
1911                     if (ap_pass_brigade(r->output_filters, pass_bb) != APR_SUCCESS
1912                         || c->aborted) {
1913                         /* Ack! Phbtt! Die! User aborted! */
1914                         backend->close = 1;  /* this causes socket close below */
1915                         finish = TRUE;
1916                     }
1917
1918                     /* make sure we always clean up after ourselves */
1919                     apr_brigade_cleanup(bb);
1920                     apr_brigade_cleanup(pass_bb);
1921
1922                 } while (!finish);
1923             }
1924             ap_log_error(APLOG_MARK, APLOG_TRACE2, 0, r->server,
1925                          "proxy: end body send");
1926         }
1927         else if (!interim_response) {
1928             ap_log_error(APLOG_MARK, APLOG_TRACE2, 0, r->server,
1929                          "proxy: header only");
1930
1931             /* Pass EOS bucket down the filter chain. */
1932             e = apr_bucket_eos_create(c->bucket_alloc);
1933             APR_BRIGADE_INSERT_TAIL(bb, e);
1934             if (ap_pass_brigade(r->output_filters, bb) != APR_SUCCESS
1935                 || c->aborted) {
1936                 /* Ack! Phbtt! Die! User aborted! */
1937                 backend->close = 1;  /* this causes socket close below */
1938             }
1939
1940             apr_brigade_cleanup(bb);
1941         }
1942     } while (interim_response && (interim_response < AP_MAX_INTERIM_RESPONSES));
1943
1944     /* See define of AP_MAX_INTERIM_RESPONSES for why */
1945     if (interim_response >= AP_MAX_INTERIM_RESPONSES) {
1946         return ap_proxyerror(r, HTTP_BAD_GATEWAY,
1947                              apr_psprintf(p, 
1948                              "Too many (%d) interim responses from origin server",
1949                              interim_response));
1950     }
1951
1952     /* If our connection with the client is to be aborted, return DONE. */
1953     if (c->aborted || backend_broke) {
1954         return DONE;
1955     }
1956
1957     return OK;
1958 }
1959
1960 static
1961 apr_status_t ap_proxy_http_cleanup(const char *scheme, request_rec *r,
1962                                    proxy_conn_rec *backend)
1963 {
1964     ap_proxy_release_connection(scheme, backend, r->server);
1965     return OK;
1966 }
1967
1968 /*
1969  * This handles http:// URLs, and other URLs using a remote proxy over http
1970  * If proxyhost is NULL, then contact the server directly, otherwise
1971  * go via the proxy.
1972  * Note that if a proxy is used, then URLs other than http: can be accessed,
1973  * also, if we have trouble which is clearly specific to the proxy, then
1974  * we return DECLINED so that we can try another proxy. (Or the direct
1975  * route.)
1976  */
1977 static int proxy_http_handler(request_rec *r, proxy_worker *worker,
1978                               proxy_server_conf *conf,
1979                               char *url, const char *proxyname,
1980                               apr_port_t proxyport)
1981 {
1982     int status;
1983     char server_portstr[32];
1984     char *scheme;
1985     const char *proxy_function;
1986     const char *u;
1987     proxy_conn_rec *backend = NULL;
1988     int is_ssl = 0;
1989     conn_rec *c = r->connection;
1990     int retry = 0;
1991     /*
1992      * Use a shorter-lived pool to reduce memory usage
1993      * and avoid a memory leak
1994      */
1995     apr_pool_t *p = r->pool;
1996     apr_uri_t *uri = apr_palloc(p, sizeof(*uri));
1997
1998     /* find the scheme */
1999     u = strchr(url, ':');
2000     if (u == NULL || u[1] != '/' || u[2] != '/' || u[3] == '\0')
2001        return DECLINED;
2002     if ((u - url) > 14)
2003         return HTTP_BAD_REQUEST;
2004     scheme = apr_pstrndup(p, url, u - url);
2005     /* scheme is lowercase */
2006     ap_str_tolower(scheme);
2007     /* is it for us? */
2008     if (strcmp(scheme, "https") == 0) {
2009         if (!ap_proxy_ssl_enable(NULL)) {
2010             ap_log_error(APLOG_MARK, APLOG_DEBUG, 0, r->server,
2011                          "proxy: HTTPS: declining URL %s"
2012                          " (mod_ssl not configured?)", url);
2013             return DECLINED;
2014         }
2015         is_ssl = 1;
2016         proxy_function = "HTTPS";
2017     }
2018     else if (!(strcmp(scheme, "http") == 0 || (strcmp(scheme, "ftp") == 0 && proxyname))) {
2019         ap_log_error(APLOG_MARK, APLOG_DEBUG, 0, r->server,
2020                      "proxy: HTTP: declining URL %s", url);
2021         return DECLINED; /* only interested in HTTP, or FTP via proxy */
2022     }
2023     else {
2024         if (*scheme == 'h')
2025             proxy_function = "HTTP";
2026         else
2027             proxy_function = "FTP";
2028     }
2029     ap_log_error(APLOG_MARK, APLOG_TRACE1, 0, r->server,
2030                  "proxy: HTTP: serving URL %s", url);
2031
2032
2033     /* create space for state information */
2034     if ((status = ap_proxy_acquire_connection(proxy_function, &backend,
2035                                               worker, r->server)) != OK)
2036         goto cleanup;
2037
2038
2039     backend->is_ssl = is_ssl;
2040
2041     if (is_ssl) {
2042         ap_proxy_ssl_connection_cleanup(backend, r);
2043     }
2044
2045     /*
2046      * In the case that we are handling a reverse proxy connection and this
2047      * is not a request that is coming over an already kept alive connection
2048      * with the client, do NOT reuse the connection to the backend, because
2049      * we cannot forward a failure to the client in this case as the client
2050      * does NOT expect this in this situation.
2051      * Yes, this creates a performance penalty.
2052      */
2053     if ((r->proxyreq == PROXYREQ_REVERSE) && (!c->keepalives)
2054         && (apr_table_get(r->subprocess_env, "proxy-initial-not-pooled"))) {
2055         backend->close = 1;
2056     }
2057
2058     while (retry < 2) {
2059         char *locurl = url;
2060
2061         /* Step One: Determine Who To Connect To */
2062         if ((status = ap_proxy_determine_connection(p, r, conf, worker, backend,
2063                                                 uri, &locurl, proxyname,
2064                                                 proxyport, server_portstr,
2065                                                 sizeof(server_portstr))) != OK)
2066             break;
2067
2068         /* Step Two: Make the Connection */
2069         if (ap_proxy_connect_backend(proxy_function, backend, worker, r->server)) {
2070             ap_log_error(APLOG_MARK, APLOG_ERR, 0, r->server,
2071                          "proxy: HTTP: failed to make connection to backend: %s",
2072                          backend->hostname);
2073             status = HTTP_SERVICE_UNAVAILABLE;
2074             break;
2075         }
2076
2077         /* Step Three: Create conn_rec */
2078         if (!backend->connection) {
2079             if ((status = ap_proxy_connection_create(proxy_function, backend,
2080                                                      c, r->server)) != OK)
2081                 break;
2082             /*
2083              * On SSL connections set a note on the connection what CN is
2084              * requested, such that mod_ssl can check if it is requested to do
2085              * so.
2086              */
2087             if (is_ssl) {
2088                 apr_table_set(backend->connection->notes, "proxy-request-hostname",
2089                               uri->hostname);
2090             }
2091         }
2092
2093         /* Step Four: Send the Request
2094          * On the off-chance that we forced a 100-Continue as a
2095          * kinda HTTP ping test, allow for retries
2096          */
2097         if ((status = ap_proxy_http_request(p, r, backend, worker,
2098                                         conf, uri, locurl, server_portstr)) != OK) {
2099             if ((status == HTTP_SERVICE_UNAVAILABLE) && worker->ping_timeout_set) {
2100                 backend->close = 1;
2101                 ap_log_error(APLOG_MARK, APLOG_INFO, status, r->server,
2102                              "proxy: HTTP: 100-Continue failed to %pI (%s)",
2103                              worker->cp->addr, worker->hostname);
2104                 retry++;
2105                 continue;
2106             } else {
2107                 break;
2108             }
2109
2110         }
2111
2112         /* Step Five: Receive the Response... Fall thru to cleanup */
2113         status = ap_proxy_http_process_response(p, r, backend, worker,
2114                                                 conf, server_portstr);
2115
2116         break;
2117     }
2118
2119     /* Step Six: Clean Up */
2120 cleanup:
2121     if (backend) {
2122         if (status != OK)
2123             backend->close = 1;
2124         ap_proxy_http_cleanup(proxy_function, r, backend);
2125     }
2126     return status;
2127 }
2128 static apr_status_t warn_rx_free(void *p)
2129 {
2130     ap_pregfree((apr_pool_t*)p, warn_rx);
2131     return APR_SUCCESS;
2132 }
2133 static void ap_proxy_http_register_hook(apr_pool_t *p)
2134 {
2135     proxy_hook_scheme_handler(proxy_http_handler, NULL, NULL, APR_HOOK_FIRST);
2136     proxy_hook_canon_handler(proxy_http_canon, NULL, NULL, APR_HOOK_FIRST);
2137     warn_rx = ap_pregcomp(p, "[0-9]{3}[ \t]+[^ \t]+[ \t]+\"[^\"]*\"([ \t]+\"([^\"]+)\")?", 0);
2138     apr_pool_cleanup_register(p, p, warn_rx_free, apr_pool_cleanup_null);
2139 }
2140
2141 AP_DECLARE_MODULE(proxy_http) = {
2142     STANDARD20_MODULE_STUFF,
2143     NULL,              /* create per-directory config structure */
2144     NULL,              /* merge per-directory config structures */
2145     NULL,              /* create per-server config structure */
2146     NULL,              /* merge per-server config structures */
2147     NULL,              /* command apr_table_t */
2148     ap_proxy_http_register_hook/* register hooks */
2149 };
2150