]> granicus.if.org Git - apache/blob - modules/proxy/mod_proxy_http.c
Set at init time, and combine comments
[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, *search, 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_DEBUG, 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         add_cl(p, bucket_alloc, header_brigade, old_cl_val);
431         if (APR_SUCCESS != (status = apr_strtoff(&cl_val, old_cl_val, NULL,
432                                                  0))) {
433             return HTTP_INTERNAL_SERVER_ERROR;
434         }
435     }
436     terminate_headers(bucket_alloc, header_brigade);
437
438     while (!APR_BUCKET_IS_EOS(APR_BRIGADE_FIRST(input_brigade)))
439     {
440         apr_brigade_length(input_brigade, 1, &bytes);
441         bytes_streamed += bytes;
442
443         /* If this brigade contains EOS, either stop or remove it. */
444         if (APR_BUCKET_IS_EOS(APR_BRIGADE_LAST(input_brigade))) {
445             seen_eos = 1;
446
447             /* We can't pass this EOS to the output_filters. */
448             e = APR_BRIGADE_LAST(input_brigade);
449             apr_bucket_delete(e);
450
451             if (apr_table_get(r->subprocess_env, "proxy-sendextracrlf")) {
452                 e = apr_bucket_immortal_create(ASCII_CRLF, 2, bucket_alloc);
453                 APR_BRIGADE_INSERT_TAIL(input_brigade, e);
454             }
455         }
456
457         /* C-L < bytes streamed?!?
458          * We will error out after the body is completely
459          * consumed, but we can't stream more bytes at the
460          * back end since they would in part be interpreted
461          * as another request!  If nothing is sent, then
462          * just send nothing.
463          *
464          * Prevents HTTP Response Splitting.
465          */
466         if (bytes_streamed > cl_val)
467              continue;
468
469         if (header_brigade) {
470             /* we never sent the header brigade, so go ahead and
471              * take care of that now
472              */
473             bb = header_brigade;
474
475             /*
476              * Save input_brigade in bb brigade. (At least) in the SSL case
477              * input_brigade contains transient buckets whose data would get
478              * overwritten during the next call of ap_get_brigade in the loop.
479              * ap_save_brigade ensures these buckets to be set aside.
480              * Calling ap_save_brigade with NULL as filter is OK, because
481              * bb brigade already has been created and does not need to get
482              * created by ap_save_brigade.
483              */
484             status = ap_save_brigade(NULL, &bb, &input_brigade, p);
485             if (status != APR_SUCCESS) {
486                 return HTTP_INTERNAL_SERVER_ERROR;
487             }
488
489             header_brigade = NULL;
490         }
491         else {
492             bb = input_brigade;
493         }
494
495         /* Once we hit EOS, we are ready to flush. */
496         rv = pass_brigade(bucket_alloc, r, p_conn, origin, bb, seen_eos);
497         if (rv != OK) {
498             return rv ;
499         }
500
501         if (seen_eos) {
502             break;
503         }
504
505         status = ap_get_brigade(r->input_filters, input_brigade,
506                                 AP_MODE_READBYTES, APR_BLOCK_READ,
507                                 HUGE_STRING_LEN);
508
509         if (status != APR_SUCCESS) {
510             return HTTP_BAD_REQUEST;
511         }
512     }
513
514     if (bytes_streamed != cl_val) {
515         ap_log_error(APLOG_MARK, APLOG_ERR, 0, r->server,
516                      "proxy: client %s given Content-Length did not match"
517                      " number of body bytes read", r->connection->remote_ip);
518         return HTTP_BAD_REQUEST;
519     }
520
521     if (header_brigade) {
522         /* we never sent the header brigade since there was no request
523          * body; send it now with the flush flag
524          */
525         bb = header_brigade;
526         return(pass_brigade(bucket_alloc, r, p_conn, origin, bb, 1));
527     }
528
529     return OK;
530 }
531
532 static int spool_reqbody_cl(apr_pool_t *p,
533                                      request_rec *r,
534                                      proxy_conn_rec *p_conn,
535                                      conn_rec *origin,
536                                      apr_bucket_brigade *header_brigade,
537                                      apr_bucket_brigade *input_brigade,
538                                      int force_cl)
539 {
540     int seen_eos = 0;
541     apr_status_t status;
542     apr_bucket_alloc_t *bucket_alloc = r->connection->bucket_alloc;
543     apr_bucket_brigade *body_brigade;
544     apr_bucket *e;
545     apr_off_t bytes, bytes_spooled = 0, fsize = 0;
546     apr_file_t *tmpfile = NULL;
547
548     body_brigade = apr_brigade_create(p, bucket_alloc);
549
550     while (!APR_BUCKET_IS_EOS(APR_BRIGADE_FIRST(input_brigade)))
551     {
552         /* If this brigade contains EOS, either stop or remove it. */
553         if (APR_BUCKET_IS_EOS(APR_BRIGADE_LAST(input_brigade))) {
554             seen_eos = 1;
555
556             /* We can't pass this EOS to the output_filters. */
557             e = APR_BRIGADE_LAST(input_brigade);
558             apr_bucket_delete(e);
559         }
560
561         apr_brigade_length(input_brigade, 1, &bytes);
562
563         if (bytes_spooled + bytes > MAX_MEM_SPOOL) {
564             /* can't spool any more in memory; write latest brigade to disk */
565             if (tmpfile == NULL) {
566                 const char *temp_dir;
567                 char *template;
568
569                 status = apr_temp_dir_get(&temp_dir, p);
570                 if (status != APR_SUCCESS) {
571                     ap_log_error(APLOG_MARK, APLOG_ERR, status, r->server,
572                                  "proxy: search for temporary directory failed");
573                     return HTTP_INTERNAL_SERVER_ERROR;
574                 }
575                 apr_filepath_merge(&template, temp_dir,
576                                    "modproxy.tmp.XXXXXX",
577                                    APR_FILEPATH_NATIVE, p);
578                 status = apr_file_mktemp(&tmpfile, template, 0, p);
579                 if (status != APR_SUCCESS) {
580                     ap_log_error(APLOG_MARK, APLOG_ERR, status, r->server,
581                                  "proxy: creation of temporary file in directory %s failed",
582                                  temp_dir);
583                     return HTTP_INTERNAL_SERVER_ERROR;
584                 }
585             }
586             for (e = APR_BRIGADE_FIRST(input_brigade);
587                  e != APR_BRIGADE_SENTINEL(input_brigade);
588                  e = APR_BUCKET_NEXT(e)) {
589                 const char *data;
590                 apr_size_t bytes_read, bytes_written;
591
592                 apr_bucket_read(e, &data, &bytes_read, APR_BLOCK_READ);
593                 status = apr_file_write_full(tmpfile, data, bytes_read, &bytes_written);
594                 if (status != APR_SUCCESS) {
595                     const char *tmpfile_name;
596
597                     if (apr_file_name_get(&tmpfile_name, tmpfile) != APR_SUCCESS) {
598                         tmpfile_name = "(unknown)";
599                     }
600                     ap_log_error(APLOG_MARK, APLOG_ERR, status, r->server,
601                                  "proxy: write to temporary file %s failed",
602                                  tmpfile_name);
603                     return HTTP_INTERNAL_SERVER_ERROR;
604                 }
605                 AP_DEBUG_ASSERT(bytes_read == bytes_written);
606                 fsize += bytes_written;
607             }
608             apr_brigade_cleanup(input_brigade);
609         }
610         else {
611
612             /*
613              * Save input_brigade in body_brigade. (At least) in the SSL case
614              * input_brigade contains transient buckets whose data would get
615              * overwritten during the next call of ap_get_brigade in the loop.
616              * ap_save_brigade ensures these buckets to be set aside.
617              * Calling ap_save_brigade with NULL as filter is OK, because
618              * body_brigade already has been created and does not need to get
619              * created by ap_save_brigade.
620              */
621             status = ap_save_brigade(NULL, &body_brigade, &input_brigade, p);
622             if (status != APR_SUCCESS) {
623                 return HTTP_INTERNAL_SERVER_ERROR;
624             }
625
626         }
627
628         bytes_spooled += bytes;
629
630         if (seen_eos) {
631             break;
632         }
633
634         status = ap_get_brigade(r->input_filters, input_brigade,
635                                 AP_MODE_READBYTES, APR_BLOCK_READ,
636                                 HUGE_STRING_LEN);
637
638         if (status != APR_SUCCESS) {
639             return HTTP_BAD_REQUEST;
640         }
641     }
642
643     if (bytes_spooled || force_cl) {
644         add_cl(p, bucket_alloc, header_brigade, apr_off_t_toa(p, bytes_spooled));
645     }
646     terminate_headers(bucket_alloc, header_brigade);
647     APR_BRIGADE_CONCAT(header_brigade, body_brigade);
648     if (tmpfile) {
649         apr_brigade_insert_file(header_brigade, tmpfile, 0, fsize, p);
650     }
651     if (apr_table_get(r->subprocess_env, "proxy-sendextracrlf")) {
652         e = apr_bucket_immortal_create(ASCII_CRLF, 2, bucket_alloc);
653         APR_BRIGADE_INSERT_TAIL(header_brigade, e);
654     }
655     /* This is all a single brigade, pass with flush flagged */
656     return(pass_brigade(bucket_alloc, r, p_conn, origin, header_brigade, 1));
657 }
658
659 static
660 int ap_proxy_http_request(apr_pool_t *p, request_rec *r,
661                                    proxy_conn_rec *p_conn, conn_rec *origin,
662                                    proxy_server_conf *conf,
663                                    apr_uri_t *uri,
664                                    char *url, char *server_portstr)
665 {
666     conn_rec *c = r->connection;
667     apr_bucket_alloc_t *bucket_alloc = c->bucket_alloc;
668     apr_bucket_brigade *header_brigade;
669     apr_bucket_brigade *input_brigade;
670     apr_bucket_brigade *temp_brigade;
671     apr_bucket *e;
672     char *buf;
673     const apr_array_header_t *headers_in_array;
674     const apr_table_entry_t *headers_in;
675     int counter;
676     apr_status_t status;
677     enum rb_methods {RB_INIT, RB_STREAM_CL, RB_STREAM_CHUNKED, RB_SPOOL_CL};
678     enum rb_methods rb_method = RB_INIT;
679     const char *old_cl_val = NULL;
680     const char *old_te_val = NULL;
681     apr_off_t bytes_read = 0;
682     apr_off_t bytes;
683     int force10, rv;
684     apr_table_t *headers_in_copy;
685
686     header_brigade = apr_brigade_create(p, origin->bucket_alloc);
687
688     /*
689      * Send the HTTP/1.1 request to the remote server
690      */
691
692     if (apr_table_get(r->subprocess_env, "force-proxy-request-1.0")) {
693         buf = apr_pstrcat(p, r->method, " ", url, " HTTP/1.0" CRLF, NULL);
694         force10 = 1;
695         p_conn->close++;
696     } else {
697         buf = apr_pstrcat(p, r->method, " ", url, " HTTP/1.1" CRLF, NULL);
698         force10 = 0;
699     }
700     if (apr_table_get(r->subprocess_env, "proxy-nokeepalive")) {
701         origin->keepalive = AP_CONN_CLOSE;
702         p_conn->close++;
703     }
704     ap_xlate_proto_to_ascii(buf, strlen(buf));
705     e = apr_bucket_pool_create(buf, strlen(buf), p, c->bucket_alloc);
706     APR_BRIGADE_INSERT_TAIL(header_brigade, e);
707     if (conf->preserve_host == 0) {
708         if (uri->port_str && uri->port != DEFAULT_HTTP_PORT) {
709             buf = apr_pstrcat(p, "Host: ", uri->hostname, ":", uri->port_str,
710                               CRLF, NULL);
711         } else {
712             buf = apr_pstrcat(p, "Host: ", uri->hostname, CRLF, NULL);
713         }
714     }
715     else {
716         /* don't want to use r->hostname, as the incoming header might have a
717          * port attached
718          */
719         const char* hostname = apr_table_get(r->headers_in,"Host");
720         if (!hostname) {
721             hostname =  r->server->server_hostname;
722             ap_log_rerror(APLOG_MARK, APLOG_WARNING, 0, r,
723                           "proxy: no HTTP 0.9 request (with no host line) "
724                           "on incoming request and preserve host set "
725                           "forcing hostname to be %s for uri %s",
726                           hostname,
727                           r->uri );
728         }
729         buf = apr_pstrcat(p, "Host: ", hostname, CRLF, NULL);
730     }
731     ap_xlate_proto_to_ascii(buf, strlen(buf));
732     e = apr_bucket_pool_create(buf, strlen(buf), p, c->bucket_alloc);
733     APR_BRIGADE_INSERT_TAIL(header_brigade, e);
734
735     /* handle Via */
736     if (conf->viaopt == via_block) {
737         /* Block all outgoing Via: headers */
738         apr_table_unset(r->headers_in, "Via");
739     } else if (conf->viaopt != via_off) {
740         const char *server_name = ap_get_server_name(r);
741         /* If USE_CANONICAL_NAME_OFF was configured for the proxy virtual host,
742          * then the server name returned by ap_get_server_name() is the
743          * origin server name (which does make too much sense with Via: headers)
744          * so we use the proxy vhost's name instead.
745          */
746         if (server_name == r->hostname)
747             server_name = r->server->server_hostname;
748         /* Create a "Via:" request header entry and merge it */
749         /* Generate outgoing Via: header with/without server comment: */
750         apr_table_mergen(r->headers_in, "Via",
751                          (conf->viaopt == via_full)
752                          ? apr_psprintf(p, "%d.%d %s%s (%s)",
753                                         HTTP_VERSION_MAJOR(r->proto_num),
754                                         HTTP_VERSION_MINOR(r->proto_num),
755                                         server_name, server_portstr,
756                                         AP_SERVER_BASEVERSION)
757                          : apr_psprintf(p, "%d.%d %s%s",
758                                         HTTP_VERSION_MAJOR(r->proto_num),
759                                         HTTP_VERSION_MINOR(r->proto_num),
760                                         server_name, server_portstr)
761         );
762     }
763
764     /* X-Forwarded-*: handling
765      *
766      * XXX Privacy Note:
767      * -----------------
768      *
769      * These request headers are only really useful when the mod_proxy
770      * is used in a reverse proxy configuration, so that useful info
771      * about the client can be passed through the reverse proxy and on
772      * to the backend server, which may require the information to
773      * function properly.
774      *
775      * In a forward proxy situation, these options are a potential
776      * privacy violation, as information about clients behind the proxy
777      * are revealed to arbitrary servers out there on the internet.
778      *
779      * The HTTP/1.1 Via: header is designed for passing client
780      * information through proxies to a server, and should be used in
781      * a forward proxy configuation instead of X-Forwarded-*. See the
782      * ProxyVia option for details.
783      */
784
785     if (PROXYREQ_REVERSE == r->proxyreq) {
786         const char *buf;
787
788         /* Add X-Forwarded-For: so that the upstream has a chance to
789          * determine, where the original request came from.
790          */
791         apr_table_mergen(r->headers_in, "X-Forwarded-For",
792                          c->remote_ip);
793
794         /* Add X-Forwarded-Host: so that upstream knows what the
795          * original request hostname was.
796          */
797         if ((buf = apr_table_get(r->headers_in, "Host"))) {
798             apr_table_mergen(r->headers_in, "X-Forwarded-Host", buf);
799         }
800
801         /* Add X-Forwarded-Server: so that upstream knows what the
802          * name of this proxy server is (if there are more than one)
803          * XXX: This duplicates Via: - do we strictly need it?
804          */
805         apr_table_mergen(r->headers_in, "X-Forwarded-Server",
806                          r->server->server_hostname);
807     }
808
809     proxy_run_fixups(r);
810     /*
811      * Make a copy of the headers_in table before clearing the connection
812      * headers as we need the connection headers later in the http output
813      * filter to prepare the correct response headers.
814      *
815      * Note: We need to take r->pool for apr_table_copy as the key / value
816      * pairs in r->headers_in have been created out of r->pool and
817      * p might be (and actually is) a longer living pool.
818      * This would trigger the bad pool ancestry abort in apr_table_copy if
819      * apr is compiled with APR_POOL_DEBUG.
820      */
821     headers_in_copy = apr_table_copy(r->pool, r->headers_in);
822     ap_proxy_clear_connection(p, headers_in_copy);
823     /* send request headers */
824     headers_in_array = apr_table_elts(headers_in_copy);
825     headers_in = (const apr_table_entry_t *) headers_in_array->elts;
826     for (counter = 0; counter < headers_in_array->nelts; counter++) {
827         if (headers_in[counter].key == NULL
828              || headers_in[counter].val == NULL
829
830             /* Already sent */
831              || !strcasecmp(headers_in[counter].key, "Host")
832
833             /* Clear out hop-by-hop request headers not to send
834              * RFC2616 13.5.1 says we should strip these headers
835              */
836              || !strcasecmp(headers_in[counter].key, "Keep-Alive")
837              || !strcasecmp(headers_in[counter].key, "TE")
838              || !strcasecmp(headers_in[counter].key, "Trailer")
839              || !strcasecmp(headers_in[counter].key, "Upgrade")
840
841              ) {
842             continue;
843         }
844         /* Do we want to strip Proxy-Authorization ?
845          * If we haven't used it, then NO
846          * If we have used it then MAYBE: RFC2616 says we MAY propagate it.
847          * So let's make it configurable by env.
848          */
849         if (!strcasecmp(headers_in[counter].key,"Proxy-Authorization")) {
850             if (r->user != NULL) { /* we've authenticated */
851                 if (!apr_table_get(r->subprocess_env, "Proxy-Chain-Auth")) {
852                     continue;
853                 }
854             }
855         }
856
857
858         /* Skip Transfer-Encoding and Content-Length for now.
859          */
860         if (!strcasecmp(headers_in[counter].key, "Transfer-Encoding")) {
861             old_te_val = headers_in[counter].val;
862             continue;
863         }
864         if (!strcasecmp(headers_in[counter].key, "Content-Length")) {
865             old_cl_val = headers_in[counter].val;
866             continue;
867         }
868
869         /* for sub-requests, ignore freshness/expiry headers */
870         if (r->main) {
871             if (    !strcasecmp(headers_in[counter].key, "If-Match")
872                  || !strcasecmp(headers_in[counter].key, "If-Modified-Since")
873                  || !strcasecmp(headers_in[counter].key, "If-Range")
874                  || !strcasecmp(headers_in[counter].key, "If-Unmodified-Since")
875                  || !strcasecmp(headers_in[counter].key, "If-None-Match")) {
876                 continue;
877             }
878         }
879
880         buf = apr_pstrcat(p, headers_in[counter].key, ": ",
881                           headers_in[counter].val, CRLF,
882                           NULL);
883         ap_xlate_proto_to_ascii(buf, strlen(buf));
884         e = apr_bucket_pool_create(buf, strlen(buf), p, c->bucket_alloc);
885         APR_BRIGADE_INSERT_TAIL(header_brigade, e);
886     }
887
888     /* We have headers, let's figure out our request body... */
889     input_brigade = apr_brigade_create(p, bucket_alloc);
890
891     /* sub-requests never use keepalives, and mustn't pass request bodies.
892      * Because the new logic looks at input_brigade, we will self-terminate
893      * input_brigade and jump past all of the request body logic...
894      * Reading anything with ap_get_brigade is likely to consume the
895      * main request's body or read beyond EOS - which would be unplesant.
896      */
897     if (r->main) {
898         /* XXX: Why DON'T sub-requests use keepalives? */
899         p_conn->close++;
900         if (old_cl_val) {
901             old_cl_val = NULL;
902             apr_table_unset(r->headers_in, "Content-Length");
903         }
904         if (old_te_val) {
905             old_te_val = NULL;
906             apr_table_unset(r->headers_in, "Transfer-Encoding");
907         }
908         rb_method = RB_STREAM_CL;
909         e = apr_bucket_eos_create(input_brigade->bucket_alloc);
910         APR_BRIGADE_INSERT_TAIL(input_brigade, e);
911         goto skip_body;
912     }
913
914     /* WE only understand chunked.  Other modules might inject
915      * (and therefore, decode) other flavors but we don't know
916      * that the can and have done so unless they they remove
917      * their decoding from the headers_in T-E list.
918      * XXX: Make this extensible, but in doing so, presume the
919      * encoding has been done by the extensions' handler, and
920      * do not modify add_te_chunked's logic
921      */
922     if (old_te_val && strcmp(old_te_val, "chunked") != 0) {
923         ap_log_error(APLOG_MARK, APLOG_ERR, 0, r->server,
924                      "proxy: %s Transfer-Encoding is not supported",
925                      old_te_val);
926         return HTTP_INTERNAL_SERVER_ERROR;
927     }
928
929     if (old_cl_val && old_te_val) {
930         ap_log_error(APLOG_MARK, APLOG_DEBUG, APR_ENOTIMPL, r->server,
931                      "proxy: client %s (%s) requested Transfer-Encoding "
932                      "chunked body with Content-Length (C-L ignored)",
933                      c->remote_ip, c->remote_host ? c->remote_host: "");
934         apr_table_unset(r->headers_in, "Content-Length");
935         old_cl_val = NULL;
936         origin->keepalive = AP_CONN_CLOSE;
937         p_conn->close++;
938     }
939
940     /* Prefetch MAX_MEM_SPOOL bytes
941      *
942      * This helps us avoid any election of C-L v.s. T-E
943      * request bodies, since we are willing to keep in
944      * memory this much data, in any case.  This gives
945      * us an instant C-L election if the body is of some
946      * reasonable size.
947      */
948     temp_brigade = apr_brigade_create(p, bucket_alloc);
949     do {
950         status = ap_get_brigade(r->input_filters, temp_brigade,
951                                 AP_MODE_READBYTES, APR_BLOCK_READ,
952                                 MAX_MEM_SPOOL - bytes_read);
953         if (status != APR_SUCCESS) {
954             ap_log_error(APLOG_MARK, APLOG_ERR, status, r->server,
955                          "proxy: prefetch request body failed to %pI (%s)"
956                          " from %s (%s)",
957                          p_conn->addr, p_conn->hostname ? p_conn->hostname: "",
958                          c->remote_ip, c->remote_host ? c->remote_host: "");
959             return HTTP_BAD_REQUEST;
960         }
961
962         apr_brigade_length(temp_brigade, 1, &bytes);
963         bytes_read += bytes;
964
965         /*
966          * Save temp_brigade in input_brigade. (At least) in the SSL case
967          * temp_brigade contains transient buckets whose data would get
968          * overwritten during the next call of ap_get_brigade in the loop.
969          * ap_save_brigade ensures these buckets to be set aside.
970          * Calling ap_save_brigade with NULL as filter is OK, because
971          * input_brigade already has been created and does not need to get
972          * created by ap_save_brigade.
973          */
974         status = ap_save_brigade(NULL, &input_brigade, &temp_brigade, p);
975         if (status != APR_SUCCESS) {
976             ap_log_error(APLOG_MARK, APLOG_ERR, status, r->server,
977                          "proxy: processing prefetched request body failed"
978                          " to %pI (%s) from %s (%s)",
979                          p_conn->addr, p_conn->hostname ? p_conn->hostname: "",
980                          c->remote_ip, c->remote_host ? c->remote_host: "");
981             return HTTP_INTERNAL_SERVER_ERROR;
982         }
983
984     /* Ensure we don't hit a wall where we have a buffer too small
985      * for ap_get_brigade's filters to fetch us another bucket,
986      * surrender once we hit 80 bytes less than MAX_MEM_SPOOL
987      * (an arbitrary value.)
988      */
989     } while ((bytes_read < MAX_MEM_SPOOL - 80)
990               && !APR_BUCKET_IS_EOS(APR_BRIGADE_LAST(input_brigade)));
991
992     /* Use chunked request body encoding or send a content-length body?
993      *
994      * Prefer C-L when:
995      *
996      *   We have no request body (handled by RB_STREAM_CL)
997      *
998      *   We have a request body length <= MAX_MEM_SPOOL
999      *
1000      *   The administrator has setenv force-proxy-request-1.0
1001      *
1002      *   The client sent a C-L body, and the administrator has
1003      *   not setenv proxy-sendchunked or has set setenv proxy-sendcl
1004      *
1005      *   The client sent a T-E body, and the administrator has
1006      *   setenv proxy-sendcl, and not setenv proxy-sendchunked
1007      *
1008      * If both proxy-sendcl and proxy-sendchunked are set, the
1009      * behavior is the same as if neither were set, large bodies
1010      * that can't be read will be forwarded in their original
1011      * form of C-L, or T-E.
1012      *
1013      * To ensure maximum compatibility, setenv proxy-sendcl
1014      * To reduce server resource use,   setenv proxy-sendchunked
1015      *
1016      * Then address specific servers with conditional setenv
1017      * options to restore the default behavior where desireable.
1018      *
1019      * We have to compute content length by reading the entire request
1020      * body; if request body is not small, we'll spool the remaining
1021      * input to a temporary file.  Chunked is always preferable.
1022      *
1023      * We can only trust the client-provided C-L if the T-E header
1024      * is absent, and the filters are unchanged (the body won't
1025      * be resized by another content filter).
1026      */
1027     if (APR_BUCKET_IS_EOS(APR_BRIGADE_LAST(input_brigade))) {
1028         /* The whole thing fit, so our decision is trivial, use
1029          * the filtered bytes read from the client for the request
1030          * body Content-Length.
1031          *
1032          * If we expected no body, and read no body, do not set
1033          * the Content-Length.
1034          */
1035         if (old_cl_val || old_te_val || bytes_read) {
1036             old_cl_val = apr_off_t_toa(r->pool, bytes_read);
1037         }
1038         rb_method = RB_STREAM_CL;
1039     }
1040     else if (old_te_val) {
1041         if (force10
1042              || (apr_table_get(r->subprocess_env, "proxy-sendcl")
1043                   && !apr_table_get(r->subprocess_env, "proxy-sendchunks")
1044                   && !apr_table_get(r->subprocess_env, "proxy-sendchunked"))) {
1045             rb_method = RB_SPOOL_CL;
1046         }
1047         else {
1048             rb_method = RB_STREAM_CHUNKED;
1049         }
1050     }
1051     else if (old_cl_val) {
1052         if (r->input_filters == r->proto_input_filters) {
1053             rb_method = RB_STREAM_CL;
1054         }
1055         else if (!force10
1056                   && (apr_table_get(r->subprocess_env, "proxy-sendchunks")
1057                       || apr_table_get(r->subprocess_env, "proxy-sendchunked"))
1058                   && !apr_table_get(r->subprocess_env, "proxy-sendcl")) {
1059             rb_method = RB_STREAM_CHUNKED;
1060         }
1061         else {
1062             rb_method = RB_SPOOL_CL;
1063         }
1064     }
1065     else {
1066         /* This is an appropriate default; very efficient for no-body
1067          * requests, and has the behavior that it will not add any C-L
1068          * when the old_cl_val is NULL.
1069          */
1070         rb_method = RB_SPOOL_CL;
1071     }
1072
1073 /* Yes I hate gotos.  This is the subrequest shortcut */
1074 skip_body:
1075     /*
1076      * Handle Connection: header if we do HTTP/1.1 request:
1077      * If we plan to close the backend connection sent Connection: close
1078      * otherwise sent Connection: Keep-Alive.
1079      */
1080     if (!force10) {
1081         if (p_conn->close) {
1082             buf = apr_pstrdup(p, "Connection: close" CRLF);
1083         }
1084         else {
1085             buf = apr_pstrdup(p, "Connection: Keep-Alive" CRLF);
1086         }
1087         ap_xlate_proto_to_ascii(buf, strlen(buf));
1088         e = apr_bucket_pool_create(buf, strlen(buf), p, c->bucket_alloc);
1089         APR_BRIGADE_INSERT_TAIL(header_brigade, e);
1090     }
1091
1092     /* send the request body, if any. */
1093     switch(rb_method) {
1094     case RB_STREAM_CHUNKED:
1095         rv = stream_reqbody_chunked(p, r, p_conn, origin, header_brigade,
1096                                         input_brigade);
1097         break;
1098     case RB_STREAM_CL:
1099         rv = stream_reqbody_cl(p, r, p_conn, origin, header_brigade,
1100                                    input_brigade, old_cl_val);
1101         break;
1102     case RB_SPOOL_CL:
1103         rv = spool_reqbody_cl(p, r, p_conn, origin, header_brigade,
1104                                   input_brigade, (old_cl_val != NULL)
1105                                               || (old_te_val != NULL)
1106                                               || (bytes_read > 0));
1107         break;
1108     default:
1109         /* shouldn't be possible */
1110         rv = HTTP_INTERNAL_SERVER_ERROR ;
1111         break;
1112     }
1113
1114     if (rv != OK) {
1115         /* apr_errno value has been logged in lower level method */
1116         ap_log_error(APLOG_MARK, APLOG_ERR, 0, r->server,
1117                      "proxy: pass request body failed to %pI (%s)"
1118                      " from %s (%s)",
1119                      p_conn->addr,
1120                      p_conn->hostname ? p_conn->hostname: "",
1121                      c->remote_ip,
1122                      c->remote_host ? c->remote_host: "");
1123         return rv;
1124     }
1125
1126     return OK;
1127 }
1128
1129 static void process_proxy_header(request_rec *r, proxy_dir_conf *c,
1130                                  const char *key, const char *value)
1131 {
1132     static const char *date_hdrs[]
1133         = { "Date", "Expires", "Last-Modified", NULL };
1134     static const struct {
1135         const char *name;
1136         ap_proxy_header_reverse_map_fn func;
1137     } transform_hdrs[] = {
1138         { "Location", ap_proxy_location_reverse_map },
1139         { "Content-Location", ap_proxy_location_reverse_map },
1140         { "URI", ap_proxy_location_reverse_map },
1141         { "Destination", ap_proxy_location_reverse_map },
1142         { "Set-Cookie", ap_proxy_cookie_reverse_map },
1143         { NULL, NULL }
1144     };
1145     int i;
1146     for (i = 0; date_hdrs[i]; ++i) {
1147         if (!strcasecmp(date_hdrs[i], key)) {
1148             apr_table_add(r->headers_out, key,
1149                           ap_proxy_date_canon(r->pool, value));
1150             return;
1151         }
1152     }
1153     for (i = 0; transform_hdrs[i].name; ++i) {
1154         if (!strcasecmp(transform_hdrs[i].name, key)) {
1155             apr_table_add(r->headers_out, key,
1156                           (*transform_hdrs[i].func)(r, c, value));
1157             return;
1158        }
1159     }
1160     apr_table_add(r->headers_out, key, value);
1161     return;
1162 }
1163
1164 /*
1165  * Note: pread_len is the length of the response that we've  mistakenly
1166  * read (assuming that we don't consider that an  error via
1167  * ProxyBadHeader StartBody). This depends on buffer actually being
1168  * local storage to the calling code in order for pread_len to make
1169  * any sense at all, since we depend on buffer still containing
1170  * what was read by ap_getline() upon return.
1171  */
1172 static void ap_proxy_read_headers(request_rec *r, request_rec *rr,
1173                                   char *buffer, int size,
1174                                   conn_rec *c, int *pread_len)
1175 {
1176     int len;
1177     char *value, *end;
1178     char field[MAX_STRING_LEN];
1179     int saw_headers = 0;
1180     void *sconf = r->server->module_config;
1181     proxy_server_conf *psc;
1182     proxy_dir_conf *dconf;
1183
1184     dconf = ap_get_module_config(r->per_dir_config, &proxy_module);
1185     psc = (proxy_server_conf *) ap_get_module_config(sconf, &proxy_module);
1186
1187     r->headers_out = apr_table_make(r->pool, 20);
1188     *pread_len = 0;
1189
1190     /*
1191      * Read header lines until we get the empty separator line, a read error,
1192      * the connection closes (EOF), or we timeout.
1193      */
1194     while ((len = ap_getline(buffer, size, rr, 1)) > 0) {
1195
1196         if (!(value = strchr(buffer, ':'))) {     /* Find the colon separator */
1197
1198             /* We may encounter invalid headers, usually from buggy
1199              * MS IIS servers, so we need to determine just how to handle
1200              * them. We can either ignore them, assume that they mark the
1201              * start-of-body (eg: a missing CRLF) or (the default) mark
1202              * the headers as totally bogus and return a 500. The sole
1203              * exception is an extra "HTTP/1.0 200, OK" line sprinkled
1204              * in between the usual MIME headers, which is a favorite
1205              * IIS bug.
1206              */
1207              /* XXX: The mask check is buggy if we ever see an HTTP/1.10 */
1208
1209             if (!apr_date_checkmask(buffer, "HTTP/#.# ###*")) {
1210                 if (psc->badopt == bad_error) {
1211                     /* Nope, it wasn't even an extra HTTP header. Give up. */
1212                     r->headers_out = NULL;
1213                     return ;
1214                 }
1215                 else if (psc->badopt == bad_body) {
1216                     /* if we've already started loading headers_out, then
1217                      * return what we've accumulated so far, in the hopes
1218                      * that they are useful; also note that we likely pre-read
1219                      * the first line of the response.
1220                      */
1221                     if (saw_headers) {
1222                         ap_log_error(APLOG_MARK, APLOG_WARNING, 0, r->server,
1223                          "proxy: Starting body due to bogus non-header in headers "
1224                          "returned by %s (%s)", r->uri, r->method);
1225                         *pread_len = len;
1226                         return ;
1227                     } else {
1228                          ap_log_error(APLOG_MARK, APLOG_WARNING, 0, r->server,
1229                          "proxy: No HTTP headers "
1230                          "returned by %s (%s)", r->uri, r->method);
1231                         return ;
1232                     }
1233                 }
1234             }
1235             /* this is the psc->badopt == bad_ignore case */
1236             ap_log_error(APLOG_MARK, APLOG_WARNING, 0, r->server,
1237                          "proxy: Ignoring bogus HTTP header "
1238                          "returned by %s (%s)", r->uri, r->method);
1239             continue;
1240         }
1241
1242         *value = '\0';
1243         ++value;
1244         /* XXX: RFC2068 defines only SP and HT as whitespace, this test is
1245          * wrong... and so are many others probably.
1246          */
1247         while (apr_isspace(*value))
1248             ++value;            /* Skip to start of value   */
1249
1250         /* should strip trailing whitespace as well */
1251         for (end = &value[strlen(value)-1]; end > value && apr_isspace(*end); --
1252 end)
1253             *end = '\0';
1254
1255         /* make sure we add so as not to destroy duplicated headers
1256          * Modify headers requiring canonicalisation and/or affected
1257          * by ProxyPassReverse and family with process_proxy_header
1258          */
1259         process_proxy_header(r, dconf, buffer, value) ;
1260         saw_headers = 1;
1261
1262         /* the header was too long; at the least we should skip extra data */
1263         if (len >= size - 1) {
1264             while ((len = ap_getline(field, MAX_STRING_LEN, rr, 1))
1265                     >= MAX_STRING_LEN - 1) {
1266                 /* soak up the extra data */
1267             }
1268             if (len == 0) /* time to exit the larger loop as well */
1269                 break;
1270         }
1271     }
1272 }
1273
1274
1275
1276 static int addit_dammit(void *v, const char *key, const char *val)
1277 {
1278     apr_table_addn(v, key, val);
1279     return 1;
1280 }
1281
1282 static
1283 apr_status_t ap_proxygetline(apr_bucket_brigade *bb, char *s, int n, request_rec *r,
1284                              int fold, int *writen)
1285 {
1286     char *tmp_s = s;
1287     apr_status_t rv;
1288     apr_size_t len;
1289
1290     rv = ap_rgetline(&tmp_s, n, &len, r, fold, bb);
1291     apr_brigade_cleanup(bb);
1292
1293     if (rv == APR_SUCCESS) {
1294         *writen = (int) len;
1295     } else if (rv == APR_ENOSPC) {
1296         *writen = n;
1297     } else {
1298         *writen = -1;
1299     }
1300
1301     return rv;
1302 }
1303
1304 static
1305 apr_status_t ap_proxy_http_process_response(apr_pool_t * p, request_rec *r,
1306                                             proxy_conn_rec *backend,
1307                                             conn_rec *origin,
1308                                             proxy_server_conf *conf,
1309                                             char *server_portstr) {
1310     conn_rec *c = r->connection;
1311     char buffer[HUGE_STRING_LEN];
1312     const char *buf;
1313     char keepchar;
1314     request_rec *rp;
1315     apr_bucket *e;
1316     apr_bucket_brigade *bb, *tmp_bb;
1317     int len, backasswards;
1318     int interim_response; /* non-zero whilst interim 1xx responses
1319                            * are being read. */
1320     int pread_len = 0;
1321     apr_table_t *save_table;
1322     int backend_broke = 0;
1323     static const char *hop_by_hop_hdrs[] =
1324         {"Keep-Alive", "Proxy-Authenticate", "TE", "Trailer", "Upgrade", NULL};
1325     int i;
1326     const char *te = NULL;
1327
1328     bb = apr_brigade_create(p, c->bucket_alloc);
1329
1330     /* Get response from the remote server, and pass it up the
1331      * filter chain
1332      */
1333
1334     rp = ap_proxy_make_fake_req(origin, r);
1335     /* In case anyone needs to know, this is a fake request that is really a
1336      * response.
1337      */
1338     rp->proxyreq = PROXYREQ_RESPONSE;
1339     tmp_bb = apr_brigade_create(p, c->bucket_alloc);
1340     do {
1341         apr_status_t rc;
1342
1343         apr_brigade_cleanup(bb);
1344
1345         rc = ap_proxygetline(tmp_bb, buffer, sizeof(buffer), rp, 0, &len);
1346         if (len == 0) {
1347             /* handle one potential stray CRLF */
1348             rc = ap_proxygetline(tmp_bb, buffer, sizeof(buffer), rp, 0, &len);
1349         }
1350         if (len <= 0) {
1351             ap_log_rerror(APLOG_MARK, APLOG_ERR, rc, r,
1352                           "proxy: error reading status line from remote "
1353                           "server %s", backend->hostname);
1354             /*
1355              * If we are a reverse proxy request shutdown the connection
1356              * WITHOUT ANY response to trigger a retry by the client
1357              * if allowed (as for idempotent requests).
1358              * BUT currently we should not do this if the request is the
1359              * first request on a keepalive connection as browsers like
1360              * seamonkey only display an empty page in this case and do
1361              * not do a retry.
1362              */
1363             if (r->proxyreq == PROXYREQ_REVERSE && c->keepalives) {
1364                 ap_log_rerror(APLOG_MARK, APLOG_DEBUG, 0, r,
1365                               "proxy: Closing connection to client because"
1366                               " reading from backend server %s failed. Number"
1367                               " of keepalives %i", backend->hostname, 
1368                               c->keepalives);
1369                 ap_proxy_backend_broke(r, bb);
1370                 /*
1371                  * Add an EOC bucket to signal the ap_http_header_filter
1372                  * that it should get out of our way
1373                  */
1374                 e = ap_bucket_eoc_create(c->bucket_alloc);
1375                 APR_BRIGADE_INSERT_TAIL(bb, e);
1376                 ap_pass_brigade(r->output_filters, bb);
1377                 /* Need to return OK to avoid sending an error message */
1378                 return OK;
1379             }
1380             else if (!c->keepalives) {
1381                      ap_log_rerror(APLOG_MARK, APLOG_DEBUG, 0, r,
1382                                    "proxy: NOT Closing connection to client"
1383                                    " although reading from backend server %s"
1384                                    " failed.", backend->hostname);
1385             }
1386             return ap_proxyerror(r, HTTP_BAD_GATEWAY,
1387                                  "Error reading from remote server");
1388         }
1389         /* XXX: Is this a real headers length send from remote? */
1390         backend->worker->s->read += len;
1391
1392         /* Is it an HTTP/1 response?
1393          * This is buggy if we ever see an HTTP/1.10
1394          */
1395         if (apr_date_checkmask(buffer, "HTTP/#.# ###*")) {
1396             int major, minor;
1397
1398             if (2 != sscanf(buffer, "HTTP/%u.%u", &major, &minor)) {
1399                 major = 1;
1400                 minor = 1;
1401             }
1402             /* If not an HTTP/1 message or
1403              * if the status line was > 8192 bytes
1404              */
1405             else if ((buffer[5] != '1') || (len >= sizeof(buffer)-1)) {
1406                 return ap_proxyerror(r, HTTP_BAD_GATEWAY,
1407                 apr_pstrcat(p, "Corrupt status line returned by remote "
1408                             "server: ", buffer, NULL));
1409             }
1410             backasswards = 0;
1411
1412             keepchar = buffer[12];
1413             buffer[12] = '\0';
1414             r->status = atoi(&buffer[9]);
1415
1416             if (keepchar != '\0') {
1417                 buffer[12] = keepchar;
1418             } else {
1419                 /* 2616 requires the space in Status-Line; the origin
1420                  * server may have sent one but ap_rgetline_core will
1421                  * have stripped it. */
1422                 buffer[12] = ' ';
1423                 buffer[13] = '\0';
1424             }
1425             r->status_line = apr_pstrdup(p, &buffer[9]);
1426
1427
1428             /* read the headers. */
1429             /* N.B. for HTTP/1.0 clients, we have to fold line-wrapped headers*/
1430             /* Also, take care with headers with multiple occurences. */
1431
1432             /* First, tuck away all already existing cookies */
1433             save_table = apr_table_make(r->pool, 2);
1434             apr_table_do(addit_dammit, save_table, r->headers_out,
1435                          "Set-Cookie", NULL);
1436
1437             /* shove the headers direct into r->headers_out */
1438             ap_proxy_read_headers(r, rp, buffer, sizeof(buffer), origin,
1439                                   &pread_len);
1440
1441             if (r->headers_out == NULL) {
1442                 ap_log_error(APLOG_MARK, APLOG_WARNING, 0,
1443                              r->server, "proxy: bad HTTP/%d.%d header "
1444                              "returned by %s (%s)", major, minor, r->uri,
1445                              r->method);
1446                 backend->close += 1;
1447                 /*
1448                  * ap_send_error relies on a headers_out to be present. we
1449                  * are in a bad position here.. so force everything we send out
1450                  * to have nothing to do with the incoming packet
1451                  */
1452                 r->headers_out = apr_table_make(r->pool,1);
1453                 r->status = HTTP_BAD_GATEWAY;
1454                 r->status_line = "bad gateway";
1455                 return r->status;
1456             }
1457
1458             /* Now, add in the just read cookies */
1459             apr_table_do(addit_dammit, save_table, r->headers_out,
1460                          "Set-Cookie", NULL);
1461
1462             /* and now load 'em all in */
1463             if (!apr_is_empty_table(save_table)) {
1464                 apr_table_unset(r->headers_out, "Set-Cookie");
1465                 r->headers_out = apr_table_overlay(r->pool,
1466                                                    r->headers_out,
1467                                                    save_table);
1468             }
1469
1470             /* can't have both Content-Length and Transfer-Encoding */
1471             if (apr_table_get(r->headers_out, "Transfer-Encoding")
1472                     && apr_table_get(r->headers_out, "Content-Length")) {
1473                 /*
1474                  * 2616 section 4.4, point 3: "if both Transfer-Encoding
1475                  * and Content-Length are received, the latter MUST be
1476                  * ignored";
1477                  *
1478                  * To help mitigate HTTP Splitting, unset Content-Length
1479                  * and shut down the backend server connection
1480                  * XXX: We aught to treat such a response as uncachable
1481                  */
1482                 apr_table_unset(r->headers_out, "Content-Length");
1483                 ap_log_error(APLOG_MARK, APLOG_DEBUG, 0, r->server,
1484                              "proxy: server %s returned Transfer-Encoding"
1485                              " and Content-Length", backend->hostname);
1486                 backend->close += 1;
1487             }
1488
1489             /*
1490              * Save a possible Transfer-Encoding header as we need it later for
1491              * ap_http_filter to know where to end.
1492              */
1493             te = apr_table_get(r->headers_out, "Transfer-Encoding");
1494             /* strip connection listed hop-by-hop headers from response */
1495             backend->close += ap_proxy_liststr(apr_table_get(r->headers_out,
1496                                                              "Connection"),
1497                                               "close");
1498             ap_proxy_clear_connection(p, r->headers_out);
1499             if ((buf = apr_table_get(r->headers_out, "Content-Type"))) {
1500                 ap_set_content_type(r, apr_pstrdup(p, buf));
1501             }
1502             ap_proxy_pre_http_request(origin,rp);
1503
1504             /* Clear hop-by-hop headers */
1505             for (i=0; hop_by_hop_hdrs[i]; ++i) {
1506                 apr_table_unset(r->headers_out, hop_by_hop_hdrs[i]);
1507             }
1508             /* Delete warnings with wrong date */
1509             r->headers_out = ap_proxy_clean_warnings(p, r->headers_out);
1510
1511             /* handle Via header in response */
1512             if (conf->viaopt != via_off && conf->viaopt != via_block) {
1513                 const char *server_name = ap_get_server_name(r);
1514                 /* If USE_CANONICAL_NAME_OFF was configured for the proxy virtual host,
1515                  * then the server name returned by ap_get_server_name() is the
1516                  * origin server name (which does make too much sense with Via: headers)
1517                  * so we use the proxy vhost's name instead.
1518                  */
1519                 if (server_name == r->hostname)
1520                     server_name = r->server->server_hostname;
1521                 /* create a "Via:" response header entry and merge it */
1522                 apr_table_addn(r->headers_out, "Via",
1523                                (conf->viaopt == via_full)
1524                                      ? apr_psprintf(p, "%d.%d %s%s (%s)",
1525                                            HTTP_VERSION_MAJOR(r->proto_num),
1526                                            HTTP_VERSION_MINOR(r->proto_num),
1527                                            server_name,
1528                                            server_portstr,
1529                                            AP_SERVER_BASEVERSION)
1530                                      : apr_psprintf(p, "%d.%d %s%s",
1531                                            HTTP_VERSION_MAJOR(r->proto_num),
1532                                            HTTP_VERSION_MINOR(r->proto_num),
1533                                            server_name,
1534                                            server_portstr)
1535                 );
1536             }
1537
1538             /* cancel keepalive if HTTP/1.0 or less */
1539             if ((major < 1) || (minor < 1)) {
1540                 backend->close += 1;
1541                 origin->keepalive = AP_CONN_CLOSE;
1542             }
1543         } else {
1544             /* an http/0.9 response */
1545             backasswards = 1;
1546             r->status = 200;
1547             r->status_line = "200 OK";
1548             backend->close += 1;
1549         }
1550
1551         interim_response = ap_is_HTTP_INFO(r->status);
1552         if (interim_response) {
1553             /* RFC2616 tells us to forward this.
1554              *
1555              * OTOH, an interim response here may mean the backend
1556              * is playing sillybuggers.  The Client didn't ask for
1557              * it within the defined HTTP/1.1 mechanisms, and if
1558              * it's an extension, it may also be unsupported by us.
1559              *
1560              * There's also the possibility that changing existing
1561              * behaviour here might break something.
1562              *
1563              * So let's make it configurable.
1564              */
1565             const char *policy = apr_table_get(r->subprocess_env,
1566                                                "proxy-interim-response");
1567             ap_log_error(APLOG_MARK, APLOG_DEBUG, 0, NULL,
1568                          "proxy: HTTP: received interim %d response",
1569                          r->status);
1570             if (!policy || !strcasecmp(policy, "RFC")) {
1571                 ap_send_interim_response(r, 1);
1572             }
1573             /* FIXME: refine this to be able to specify per-response-status
1574              * policies and maybe also add option to bail out with 502
1575              */
1576             else if (strcasecmp(policy, "Suppress")) {
1577                 ap_log_error(APLOG_MARK, APLOG_WARNING, 0, NULL,
1578                              "undefined proxy interim response policy");
1579             }
1580         }
1581         /* Moved the fixups of Date headers and those affected by
1582          * ProxyPassReverse/etc from here to ap_proxy_read_headers
1583          */
1584
1585         if ((r->status == 401) && (conf->error_override)) {
1586             const char *buf;
1587             const char *wa = "WWW-Authenticate";
1588             if ((buf = apr_table_get(r->headers_out, wa))) {
1589                 apr_table_set(r->err_headers_out, wa, buf);
1590             } else {
1591                 ap_log_error(APLOG_MARK, APLOG_DEBUG, 0, r->server,
1592                              "proxy: origin server sent 401 without WWW-Authenticate header");
1593             }
1594         }
1595
1596         r->sent_bodyct = 1;
1597         /*
1598          * Is it an HTTP/0.9 response or did we maybe preread the 1st line of
1599          * the response? If so, load the extra data. These are 2 mutually
1600          * exclusive possibilities, that just happen to require very
1601          * similar behavior.
1602          */
1603         if (backasswards || pread_len) {
1604             apr_ssize_t cntr = (apr_ssize_t)pread_len;
1605             if (backasswards) {
1606                 /*@@@FIXME:
1607                  * At this point in response processing of a 0.9 response,
1608                  * we don't know yet whether data is binary or not.
1609                  * mod_charset_lite will get control later on, so it cannot
1610                  * decide on the conversion of this buffer full of data.
1611                  * However, chances are that we are not really talking to an
1612                  * HTTP/0.9 server, but to some different protocol, therefore
1613                  * the best guess IMHO is to always treat the buffer as "text/x":
1614                  */
1615                 ap_xlate_proto_to_ascii(buffer, len);
1616                 cntr = (apr_ssize_t)len;
1617             }
1618             e = apr_bucket_heap_create(buffer, cntr, NULL, c->bucket_alloc);
1619             APR_BRIGADE_INSERT_TAIL(bb, e);
1620         }
1621
1622         /* send body - but only if a body is expected */
1623         if ((!r->header_only) &&                   /* not HEAD request */
1624             !interim_response &&                   /* not any 1xx response */
1625             (r->status != HTTP_NO_CONTENT) &&      /* not 204 */
1626             (r->status != HTTP_NOT_MODIFIED)) {    /* not 304 */
1627
1628             /* We need to copy the output headers and treat them as input
1629              * headers as well.  BUT, we need to do this before we remove
1630              * TE, so that they are preserved accordingly for
1631              * ap_http_filter to know where to end.
1632              */
1633             rp->headers_in = apr_table_copy(r->pool, r->headers_out);
1634             /*
1635              * Restore Transfer-Encoding header from response if we saved
1636              * one before and there is none left. We need it for the
1637              * ap_http_filter. See above.
1638              */
1639             if (te && !apr_table_get(rp->headers_in, "Transfer-Encoding")) {
1640                 apr_table_add(rp->headers_in, "Transfer-Encoding", te);
1641             }
1642
1643             apr_table_unset(r->headers_out,"Transfer-Encoding");
1644
1645             ap_log_error(APLOG_MARK, APLOG_DEBUG, 0, r->server,
1646                          "proxy: start body send");
1647
1648             /*
1649              * if we are overriding the errors, we can't put the content
1650              * of the page into the brigade
1651              */
1652             if (!conf->error_override || !ap_is_HTTP_ERROR(r->status)) {
1653                 /* read the body, pass it to the output filters */
1654                 apr_read_type_e mode = APR_NONBLOCK_READ;
1655                 int finish = FALSE;
1656
1657                 do {
1658                     apr_off_t readbytes;
1659                     apr_status_t rv;
1660
1661                     rv = ap_get_brigade(rp->input_filters, bb,
1662                                         AP_MODE_READBYTES, mode,
1663                                         conf->io_buffer_size);
1664
1665                     /* ap_get_brigade will return success with an empty brigade
1666                      * for a non-blocking read which would block: */
1667                     if (APR_STATUS_IS_EAGAIN(rv)
1668                         || (rv == APR_SUCCESS && APR_BRIGADE_EMPTY(bb))) {
1669                         /* flush to the client and switch to blocking mode */
1670                         e = apr_bucket_flush_create(c->bucket_alloc);
1671                         APR_BRIGADE_INSERT_TAIL(bb, e);
1672                         if (ap_pass_brigade(r->output_filters, bb)
1673                             || c->aborted) {
1674                             backend->close = 1;
1675                             break;
1676                         }
1677                         apr_brigade_cleanup(bb);
1678                         mode = APR_BLOCK_READ;
1679                         continue;
1680                     }
1681                     else if (rv == APR_EOF) {
1682                         break;
1683                     }
1684                     else if (rv != APR_SUCCESS) {
1685                         /* In this case, we are in real trouble because
1686                          * our backend bailed on us. Pass along a 502 error
1687                          * error bucket
1688                          */
1689                         ap_log_cerror(APLOG_MARK, APLOG_ERR, rv, c,
1690                                       "proxy: error reading response");
1691                         ap_proxy_backend_broke(r, bb);
1692                         ap_pass_brigade(r->output_filters, bb);
1693                         backend_broke = 1;
1694                         backend->close = 1;
1695                         break;
1696                     }
1697                     /* next time try a non-blocking read */
1698                     mode = APR_NONBLOCK_READ;
1699
1700                     apr_brigade_length(bb, 0, &readbytes);
1701                     backend->worker->s->read += readbytes;
1702 #if DEBUGGING
1703                     {
1704                     ap_log_error(APLOG_MARK, APLOG_DEBUG, 0,
1705                                  r->server, "proxy (PID %d): readbytes: %#x",
1706                                  getpid(), readbytes);
1707                     }
1708 #endif
1709                     /* sanity check */
1710                     if (APR_BRIGADE_EMPTY(bb)) {
1711                         apr_brigade_cleanup(bb);
1712                         break;
1713                     }
1714
1715                     /* found the last brigade? */
1716                     if (APR_BUCKET_IS_EOS(APR_BRIGADE_LAST(bb))) {
1717                         /* signal that we must leave */
1718                         finish = TRUE;
1719                     }
1720
1721                     /* try send what we read */
1722                     if (ap_pass_brigade(r->output_filters, bb) != APR_SUCCESS
1723                         || c->aborted) {
1724                         /* Ack! Phbtt! Die! User aborted! */
1725                         backend->close = 1;  /* this causes socket close below */
1726                         finish = TRUE;
1727                     }
1728
1729                     /* make sure we always clean up after ourselves */
1730                     apr_brigade_cleanup(bb);
1731
1732                 } while (!finish);
1733             }
1734             ap_log_error(APLOG_MARK, APLOG_DEBUG, 0, r->server,
1735                          "proxy: end body send");
1736         }
1737         else if (!interim_response) {
1738             ap_log_error(APLOG_MARK, APLOG_DEBUG, 0, r->server,
1739                          "proxy: header only");
1740
1741             /* Pass EOS bucket down the filter chain. */
1742             e = apr_bucket_eos_create(c->bucket_alloc);
1743             APR_BRIGADE_INSERT_TAIL(bb, e);
1744             if (ap_pass_brigade(r->output_filters, bb) != APR_SUCCESS
1745                 || c->aborted) {
1746                 /* Ack! Phbtt! Die! User aborted! */
1747                 backend->close = 1;  /* this causes socket close below */
1748             }
1749
1750             apr_brigade_cleanup(bb);
1751         }
1752     } while (interim_response);
1753
1754     /* If our connection with the client is to be aborted, return DONE. */
1755     if (c->aborted || backend_broke) {
1756         return DONE;
1757     }
1758
1759     if (conf->error_override) {
1760         /* the code above this checks for 'OK' which is what the hook expects */
1761         if (!ap_is_HTTP_ERROR(r->status))
1762             return OK;
1763         else {
1764             /* clear r->status for override error, otherwise ErrorDocument
1765              * thinks that this is a recursive error, and doesn't find the
1766              * custom error page
1767              */
1768             int status = r->status;
1769             r->status = HTTP_OK;
1770             /* Discard body, if one is expected */
1771             if (!r->header_only && /* not HEAD request */
1772                 (status != HTTP_NO_CONTENT) && /* not 204 */
1773                 (status != HTTP_NOT_MODIFIED)) { /* not 304 */
1774                ap_discard_request_body(rp);
1775            }
1776             return status;
1777         }
1778     } else
1779         return OK;
1780 }
1781
1782 static
1783 apr_status_t ap_proxy_http_cleanup(const char *scheme, request_rec *r,
1784                                    proxy_conn_rec *backend)
1785 {
1786     ap_proxy_release_connection(scheme, backend, r->server);
1787     return OK;
1788 }
1789
1790 /*
1791  * This handles http:// URLs, and other URLs using a remote proxy over http
1792  * If proxyhost is NULL, then contact the server directly, otherwise
1793  * go via the proxy.
1794  * Note that if a proxy is used, then URLs other than http: can be accessed,
1795  * also, if we have trouble which is clearly specific to the proxy, then
1796  * we return DECLINED so that we can try another proxy. (Or the direct
1797  * route.)
1798  */
1799 static int proxy_http_handler(request_rec *r, proxy_worker *worker,
1800                               proxy_server_conf *conf,
1801                               char *url, const char *proxyname,
1802                               apr_port_t proxyport)
1803 {
1804     int status;
1805     char server_portstr[32];
1806     char *scheme;
1807     const char *proxy_function;
1808     const char *u;
1809     proxy_conn_rec *backend = NULL;
1810     int is_ssl = 0;
1811
1812     /* Note: Memory pool allocation.
1813      * A downstream keepalive connection is always connected to the existence
1814      * (or not) of an upstream keepalive connection. If this is not done then
1815      * load balancing against multiple backend servers breaks (one backend
1816      * server ends up taking 100% of the load), and the risk is run of
1817      * downstream keepalive connections being kept open unnecessarily. This
1818      * keeps webservers busy and ties up resources.
1819      *
1820      * As a result, we allocate all sockets out of the upstream connection
1821      * pool, and when we want to reuse a socket, we check first whether the
1822      * connection ID of the current upstream connection is the same as that
1823      * of the connection when the socket was opened.
1824      */
1825     apr_pool_t *p = r->connection->pool;
1826     conn_rec *c = r->connection;
1827     apr_uri_t *uri = apr_palloc(r->connection->pool, sizeof(*uri));
1828
1829     /* find the scheme */
1830     u = strchr(url, ':');
1831     if (u == NULL || u[1] != '/' || u[2] != '/' || u[3] == '\0')
1832        return DECLINED;
1833     if ((u - url) > 14)
1834         return HTTP_BAD_REQUEST;
1835     scheme = apr_pstrndup(c->pool, url, u - url);
1836     /* scheme is lowercase */
1837     ap_str_tolower(scheme);
1838     /* is it for us? */
1839     if (strcmp(scheme, "https") == 0) {
1840         if (!ap_proxy_ssl_enable(NULL)) {
1841             ap_log_error(APLOG_MARK, APLOG_DEBUG, 0, r->server,
1842                          "proxy: HTTPS: declining URL %s"
1843                          " (mod_ssl not configured?)", url);
1844             return DECLINED;
1845         }
1846         is_ssl = 1;
1847         proxy_function = "HTTPS";
1848     }
1849     else if (!(strcmp(scheme, "http") == 0 || (strcmp(scheme, "ftp") == 0 && proxyname))) {
1850         ap_log_error(APLOG_MARK, APLOG_DEBUG, 0, r->server,
1851                      "proxy: HTTP: declining URL %s", url);
1852         return DECLINED; /* only interested in HTTP, or FTP via proxy */
1853     }
1854     else {
1855         if (*scheme == 'h')
1856             proxy_function = "HTTP";
1857         else
1858             proxy_function = "FTP";
1859     }
1860     ap_log_error(APLOG_MARK, APLOG_DEBUG, 0, r->server,
1861              "proxy: HTTP: serving URL %s", url);
1862
1863
1864     /* create space for state information */
1865     if ((status = ap_proxy_acquire_connection(proxy_function, &backend,
1866                                               worker, r->server)) != OK)
1867         goto cleanup;
1868
1869
1870     backend->is_ssl = is_ssl;
1871
1872     if (is_ssl) {
1873         ap_proxy_ssl_connection_cleanup(backend, r);
1874     }
1875
1876     /* Step One: Determine Who To Connect To */
1877     if ((status = ap_proxy_determine_connection(p, r, conf, worker, backend,
1878                                                 uri, &url, proxyname,
1879                                                 proxyport, server_portstr,
1880                                                 sizeof(server_portstr))) != OK)
1881         goto cleanup;
1882
1883     /* Step Two: Make the Connection */
1884     if (ap_proxy_connect_backend(proxy_function, backend, worker, r->server)) {
1885         if (r->proxyreq == PROXYREQ_PROXY)
1886             status = HTTP_NOT_FOUND;
1887         else
1888             status = HTTP_SERVICE_UNAVAILABLE;
1889         goto cleanup;
1890     }
1891
1892     /* Step Three: Create conn_rec */
1893     if (!backend->connection) {
1894         if ((status = ap_proxy_connection_create(proxy_function, backend,
1895                                                  c, r->server)) != OK)
1896             goto cleanup;
1897     }
1898
1899     /* Step Four: Send the Request */
1900     if ((status = ap_proxy_http_request(p, r, backend, backend->connection,
1901                                         conf, uri, url, server_portstr)) != OK)
1902         goto cleanup;
1903
1904     /* Step Five: Receive the Response */
1905     if ((status = ap_proxy_http_process_response(p, r, backend,
1906                                                  backend->connection,
1907                                                  conf, server_portstr)) != OK)
1908         goto cleanup;
1909
1910     /* Step Six: Clean Up */
1911
1912 cleanup:
1913     if (backend) {
1914         if (status != OK)
1915             backend->close = 1;
1916         ap_proxy_http_cleanup(proxy_function, r, backend);
1917     }
1918     return status;
1919 }
1920 static apr_status_t warn_rx_free(void *p)
1921 {
1922     ap_pregfree((apr_pool_t*)p, warn_rx);
1923     return APR_SUCCESS;
1924 }
1925 static void ap_proxy_http_register_hook(apr_pool_t *p)
1926 {
1927     proxy_hook_scheme_handler(proxy_http_handler, NULL, NULL, APR_HOOK_FIRST);
1928     proxy_hook_canon_handler(proxy_http_canon, NULL, NULL, APR_HOOK_FIRST);
1929     warn_rx = ap_pregcomp(p, "[0-9]{3}[ \t]+[^ \t]+[ \t]+\"[^\"]*\"([ \t]+\"([^\"]+)\")?", 0);
1930     apr_pool_cleanup_register(p, p, warn_rx_free, apr_pool_cleanup_null);
1931 }
1932
1933 module AP_MODULE_DECLARE_DATA proxy_http_module = {
1934     STANDARD20_MODULE_STUFF,
1935     NULL,              /* create per-directory config structure */
1936     NULL,              /* merge per-directory config structures */
1937     NULL,              /* create per-server config structure */
1938     NULL,              /* merge per-server config structures */
1939     NULL,              /* command apr_table_t */
1940     ap_proxy_http_register_hook/* register hooks */
1941 };
1942