2 * Copyright (C) 1996-2015 The Squid Software Foundation and contributors
4 * Squid software is distributed under GPLv2+ license and includes
5 * contributions from numerous individuals and organizations.
6 * Please see the COPYING and CONTRIBUTORS files for details.
9 /* DEBUG: section 11 Hypertext Transfer Protocol (HTTP) */
12 * Anonymizing patch by lutz@as-node.jena.thur.de
13 * have a look into http-anon.c to get more informations.
17 #include "acl/FilledChecklist.h"
18 #include "base/AsyncJobCalls.h"
19 #include "base/TextException.h"
21 #include "CachePeer.h"
22 #include "client_side.h"
23 #include "comm/Connection.h"
24 #include "comm/Read.h"
25 #include "comm/Write.h"
27 #include "err_detail_type.h"
28 #include "errorpage.h"
33 #include "http/one/ResponseParser.h"
34 #include "http/one/TeChunkedParser.h"
35 #include "HttpControlMsg.h"
36 #include "HttpHdrCc.h"
37 #include "HttpHdrContRange.h"
38 #include "HttpHdrSc.h"
39 #include "HttpHdrScTarget.h"
40 #include "HttpHeaderTools.h"
41 #include "HttpReply.h"
42 #include "HttpRequest.h"
43 #include "HttpStateFlags.h"
44 #include "log/access_log.h"
46 #include "MemObject.h"
47 #include "neighbors.h"
48 #include "peer_proxy_negotiate_auth.h"
49 #include "profiler/Profiler.h"
51 #include "RefreshPattern.h"
53 #include "SquidConfig.h"
54 #include "SquidTime.h"
55 #include "StatCounters.h"
63 #include "auth/UserRequest.h"
66 #include "DelayPools.h"
69 #define SQUID_ENTER_THROWING_CODE() try {
70 #define SQUID_EXIT_THROWING_CODE(status) \
73 catch (const std::exception &e) { \
74 debugs (11, 1, "Exception error:" << e.what()); \
78 CBDATA_CLASS_INIT(HttpStateData
);
80 static const char *const crlf
= "\r\n";
82 static void httpMaybeRemovePublic(StoreEntry
*, Http::StatusCode
);
83 static void copyOneHeaderFromClientsideRequestToUpstreamRequest(const HttpHeaderEntry
*e
, const String strConnection
, const HttpRequest
* request
,
84 HttpHeader
* hdr_out
, const int we_do_ranges
, const HttpStateFlags
&);
85 //Declared in HttpHeaderTools.cc
86 void httpHdrAdd(HttpHeader
*heads
, HttpRequest
*request
, const AccessLogEntryPointer
&al
, HeaderWithAclList
&headers_add
);
88 HttpStateData::HttpStateData(FwdState
*theFwdState
) :
89 AsyncJob("HttpStateData"),
92 httpChunkDecoder(NULL
),
96 debugs(11,5,HERE
<< "HttpStateData " << this << " created");
97 ignoreCacheControl
= false;
98 surrogateNoStore
= false;
99 serverConnection
= fwd
->serverConnection();
101 // reset peer response time stats for %<pt
102 request
->hier
.peer_http_request_sent
.tv_sec
= 0;
103 request
->hier
.peer_http_request_sent
.tv_usec
= 0;
105 if (fwd
->serverConnection() != NULL
)
106 _peer
= cbdataReference(fwd
->serverConnection()->getPeer()); /* might be NULL */
109 request
->flags
.proxying
= true;
111 * This NEIGHBOR_PROXY_ONLY check probably shouldn't be here.
112 * We might end up getting the object from somewhere else if,
113 * for example, the request to this neighbor fails.
115 if (_peer
->options
.proxy_only
)
116 entry
->releaseRequest();
119 entry
->setNoDelay(_peer
->options
.no_delay
);
124 * register the handler to free HTTP state data when the FD closes
126 typedef CommCbMemFunT
<HttpStateData
, CommCloseCbParams
> Dialer
;
127 closeHandler
= JobCallback(9, 5, Dialer
, this, HttpStateData::httpStateConnClosed
);
128 comm_add_close_handler(serverConnection
->fd
, closeHandler
);
131 HttpStateData::~HttpStateData()
134 * don't forget that ~Client() gets called automatically
137 if (httpChunkDecoder
)
138 delete httpChunkDecoder
;
140 cbdataReferenceDone(_peer
);
142 debugs(11,5, HERE
<< "HttpStateData " << this << " destroyed; " << serverConnection
);
145 const Comm::ConnectionPointer
&
146 HttpStateData::dataConnection() const
148 return serverConnection
;
152 HttpStateData::httpStateConnClosed(const CommCloseCbParams
¶ms
)
154 debugs(11, 5, "httpStateFree: FD " << params
.fd
<< ", httpState=" << params
.data
);
155 mustStop("HttpStateData::httpStateConnClosed");
159 HttpStateData::httpTimeout(const CommTimeoutCbParams
&)
161 debugs(11, 4, serverConnection
<< ": '" << entry
->url() << "'");
163 if (entry
->store_status
== STORE_PENDING
) {
164 fwd
->fail(new ErrorState(ERR_READ_TIMEOUT
, Http::scGatewayTimeout
, fwd
->request
));
167 serverConnection
->close();
170 /// Remove an existing public store entry if the incoming response (to be
171 /// stored in a currently private entry) is going to invalidate it.
173 httpMaybeRemovePublic(StoreEntry
* e
, Http::StatusCode status
)
179 // If the incoming response already goes into a public entry, then there is
180 // nothing to remove. This protects ready-for-collapsing entries as well.
181 if (!EBIT_TEST(e
->flags
, KEY_PRIVATE
))
188 case Http::scNonAuthoritativeInformation
:
190 case Http::scMultipleChoices
:
192 case Http::scMovedPermanently
:
198 case Http::scNotFound
:
203 case Http::scForbidden
:
205 case Http::scMethodNotAllowed
:
212 case Http::scUnauthorized
:
222 * Any 2xx response should eject previously cached entities...
225 if (status
>= 200 && status
< 300)
233 if (!remove
&& !forbidden
)
238 if (e
->mem_obj
->request
)
239 pe
= storeGetPublicByRequest(e
->mem_obj
->request
);
241 pe
= storeGetPublic(e
->mem_obj
->storeId(), e
->mem_obj
->method
);
246 neighborsHtcpClear(e
, NULL
, e
->mem_obj
->request
, e
->mem_obj
->method
, HTCP_CLR_INVALIDATION
);
252 * Also remove any cached HEAD response in case the object has
255 if (e
->mem_obj
->request
)
256 pe
= storeGetPublicByRequestMethod(e
->mem_obj
->request
, Http::METHOD_HEAD
);
258 pe
= storeGetPublic(e
->mem_obj
->storeId(), Http::METHOD_HEAD
);
263 neighborsHtcpClear(e
, NULL
, e
->mem_obj
->request
, HttpRequestMethod(Http::METHOD_HEAD
), HTCP_CLR_INVALIDATION
);
270 HttpStateData::processSurrogateControl(HttpReply
*reply
)
272 if (request
->flags
.accelerated
&& reply
->surrogate_control
) {
273 HttpHdrScTarget
*sctusable
= reply
->surrogate_control
->getMergedTarget(Config
.Accel
.surrogate_id
);
276 if (sctusable
->noStore() ||
277 (Config
.onoff
.surrogate_is_remote
278 && sctusable
->noStoreRemote())) {
279 surrogateNoStore
= true;
280 entry
->makePrivate();
283 /* The HttpHeader logic cannot tell if the header it's parsing is a reply to an
284 * accelerated request or not...
285 * Still, this is an abstraction breach. - RC
287 if (sctusable
->hasMaxAge()) {
288 if (sctusable
->maxAge() < sctusable
->maxStale())
289 reply
->expires
= reply
->date
+ sctusable
->maxAge();
291 reply
->expires
= reply
->date
+ sctusable
->maxStale();
293 /* And update the timestamps */
294 entry
->timestampsSet();
297 /* We ignore cache-control directives as per the Surrogate specification */
298 ignoreCacheControl
= true;
306 HttpStateData::cacheableReply()
308 HttpReply
const *rep
= finalReply();
309 HttpHeader
const *hdr
= &rep
->header
;
311 #if USE_HTTP_VIOLATIONS
313 const RefreshPattern
*R
= NULL
;
315 /* This strange looking define first looks up the refresh pattern
316 * and then checks if the specified flag is set. The main purpose
317 * of this is to simplify the refresh pattern lookup and USE_HTTP_VIOLATIONS
320 #define REFRESH_OVERRIDE(flag) \
321 ((R = (R ? R : refreshLimits(entry->mem_obj->storeId()))) , \
322 (R && R->flags.flag))
324 #define REFRESH_OVERRIDE(flag) 0
327 if (EBIT_TEST(entry
->flags
, RELEASE_REQUEST
)) {
328 debugs(22, 3, "NO because " << *entry
<< " has been released.");
332 // Check for Surrogate/1.0 protocol conditions
333 // NP: reverse-proxy traffic our parent server has instructed us never to cache
334 if (surrogateNoStore
) {
335 debugs(22, 3, HERE
<< "NO because Surrogate-Control:no-store");
339 // RFC 2616: HTTP/1.1 Cache-Control conditions
340 if (!ignoreCacheControl
) {
341 // XXX: check to see if the request headers alone were enough to prevent caching earlier
342 // (ie no-store request header) no need to check those all again here if so.
343 // for now we are not reliably doing that so we waste CPU re-checking request CC
345 // RFC 2616 section 14.9.2 - MUST NOT cache any response with request CC:no-store
346 if (request
&& request
->cache_control
&& request
->cache_control
->noStore() &&
347 !REFRESH_OVERRIDE(ignore_no_store
)) {
348 debugs(22, 3, HERE
<< "NO because client request Cache-Control:no-store");
352 // NP: request CC:no-cache only means cache READ is forbidden. STORE is permitted.
353 if (rep
->cache_control
&& rep
->cache_control
->hasNoCache() && rep
->cache_control
->noCache().size() > 0) {
354 /* TODO: we are allowed to cache when no-cache= has parameters.
355 * Provided we strip away any of the listed headers unless they are revalidated
356 * successfully (ie, must revalidate AND these headers are prohibited on stale replies).
357 * That is a bit tricky for squid right now so we avoid caching entirely.
359 debugs(22, 3, HERE
<< "NO because server reply Cache-Control:no-cache has parameters");
363 // NP: request CC:private is undefined. We ignore.
364 // NP: other request CC flags are limiters on HIT/MISS. We don't care about here.
366 // RFC 2616 section 14.9.2 - MUST NOT cache any response with CC:no-store
367 if (rep
->cache_control
&& rep
->cache_control
->noStore() &&
368 !REFRESH_OVERRIDE(ignore_no_store
)) {
369 debugs(22, 3, HERE
<< "NO because server reply Cache-Control:no-store");
373 // RFC 2616 section 14.9.1 - MUST NOT cache any response with CC:private in a shared cache like Squid.
374 // CC:private overrides CC:public when both are present in a response.
375 // TODO: add a shared/private cache configuration possibility.
376 if (rep
->cache_control
&&
377 rep
->cache_control
->hasPrivate() &&
378 !REFRESH_OVERRIDE(ignore_private
)) {
379 /* TODO: we are allowed to cache when private= has parameters.
380 * Provided we strip away any of the listed headers unless they are revalidated
381 * successfully (ie, must revalidate AND these headers are prohibited on stale replies).
382 * That is a bit tricky for squid right now so we avoid caching entirely.
384 debugs(22, 3, HERE
<< "NO because server reply Cache-Control:private");
389 // RFC 2068, sec 14.9.4 - MUST NOT cache any response with Authentication UNLESS certain CC controls are present
390 // allow HTTP violations to IGNORE those controls (ie re-block caching Auth)
391 if (request
&& (request
->flags
.auth
|| request
->flags
.authSent
)) {
392 if (!rep
->cache_control
) {
393 debugs(22, 3, HERE
<< "NO because Authenticated and server reply missing Cache-Control");
397 if (ignoreCacheControl
) {
398 debugs(22, 3, HERE
<< "NO because Authenticated and ignoring Cache-Control");
402 bool mayStore
= false;
403 // HTTPbis pt6 section 3.2: a response CC:public is present
404 if (rep
->cache_control
->Public()) {
405 debugs(22, 3, HERE
<< "Authenticated but server reply Cache-Control:public");
408 // HTTPbis pt6 section 3.2: a response CC:must-revalidate is present
409 } else if (rep
->cache_control
->mustRevalidate()) {
410 debugs(22, 3, HERE
<< "Authenticated but server reply Cache-Control:must-revalidate");
413 #if USE_HTTP_VIOLATIONS
414 // NP: given the must-revalidate exception we should also be able to exempt no-cache.
415 // HTTPbis WG verdict on this is that it is omitted from the spec due to being 'unexpected' by
416 // some. The caching+revalidate is not exactly unsafe though with Squids interpretation of no-cache
417 // (without parameters) as equivalent to must-revalidate in the reply.
418 } else if (rep
->cache_control
->hasNoCache() && rep
->cache_control
->noCache().size() == 0) {
419 debugs(22, 3, HERE
<< "Authenticated but server reply Cache-Control:no-cache (equivalent to must-revalidate)");
423 // HTTPbis pt6 section 3.2: a response CC:s-maxage is present
424 } else if (rep
->cache_control
->sMaxAge()) {
425 debugs(22, 3, HERE
<< "Authenticated but server reply Cache-Control:s-maxage");
430 debugs(22, 3, HERE
<< "NO because Authenticated transaction");
434 // NP: response CC:no-cache is equivalent to CC:must-revalidate,max-age=0. We MAY cache, and do so.
435 // NP: other request CC flags are limiters on HIT/MISS/REFRESH. We don't care about here.
438 /* HACK: The "multipart/x-mixed-replace" content type is used for
439 * continuous push replies. These are generally dynamic and
440 * probably should not be cachable
442 if ((v
= hdr
->getStr(HDR_CONTENT_TYPE
)))
443 if (!strncasecmp(v
, "multipart/x-mixed-replace", 25)) {
444 debugs(22, 3, HERE
<< "NO because Content-Type:multipart/x-mixed-replace");
448 switch (rep
->sline
.status()) {
449 /* Responses that are cacheable */
453 case Http::scNonAuthoritativeInformation
:
455 case Http::scMultipleChoices
:
457 case Http::scMovedPermanently
:
458 case Http::scPermanentRedirect
:
462 * Don't cache objects that need to be refreshed on next request,
463 * unless we know how to refresh it.
466 if (!refreshIsCachable(entry
) && !REFRESH_OVERRIDE(store_stale
)) {
467 debugs(22, 3, "NO because refreshIsCachable() returned non-cacheable..");
470 debugs(22, 3, HERE
<< "YES because HTTP status " << rep
->sline
.status());
476 /* Responses that only are cacheable if the server says so */
479 case Http::scTemporaryRedirect
:
480 if (rep
->date
<= 0) {
481 debugs(22, 3, HERE
<< "NO because HTTP status " << rep
->sline
.status() << " and Date missing/invalid");
484 if (rep
->expires
> rep
->date
) {
485 debugs(22, 3, HERE
<< "YES because HTTP status " << rep
->sline
.status() << " and Expires > Date");
488 debugs(22, 3, HERE
<< "NO because HTTP status " << rep
->sline
.status() << " and Expires <= Date");
494 /* Errors can be negatively cached */
496 case Http::scNoContent
:
498 case Http::scUseProxy
:
500 case Http::scBadRequest
:
502 case Http::scForbidden
:
504 case Http::scNotFound
:
506 case Http::scMethodNotAllowed
:
508 case Http::scUriTooLong
:
510 case Http::scInternalServerError
:
512 case Http::scNotImplemented
:
514 case Http::scBadGateway
:
516 case Http::scServiceUnavailable
:
518 case Http::scGatewayTimeout
:
519 case Http::scMisdirectedRequest
:
521 debugs(22, 3, "MAYBE because HTTP status " << rep
->sline
.status());
527 /* Some responses can never be cached */
529 case Http::scPartialContent
: /* Not yet supported */
531 case Http::scSeeOther
:
533 case Http::scNotModified
:
535 case Http::scUnauthorized
:
537 case Http::scProxyAuthenticationRequired
:
539 case Http::scInvalidHeader
: /* Squid header parsing error */
541 case Http::scHeaderTooLarge
:
543 case Http::scPaymentRequired
:
544 case Http::scNotAcceptable
:
545 case Http::scRequestTimeout
:
546 case Http::scConflict
:
547 case Http::scLengthRequired
:
548 case Http::scPreconditionFailed
:
549 case Http::scPayloadTooLarge
:
550 case Http::scUnsupportedMediaType
:
551 case Http::scUnprocessableEntity
:
553 case Http::scFailedDependency
:
554 case Http::scInsufficientStorage
:
555 case Http::scRequestedRangeNotSatisfied
:
556 case Http::scExpectationFailed
:
558 debugs(22, 3, HERE
<< "NO because HTTP status " << rep
->sline
.status());
562 /* RFC 2616 section 6.1.1: an unrecognized response MUST NOT be cached. */
563 debugs (11, 3, HERE
<< "NO because unknown HTTP status code " << rep
->sline
.status());
574 * For Vary, store the relevant request headers as
575 * virtual headers in the reply
576 * Returns false if the variance cannot be stored
579 httpMakeVaryMark(HttpRequest
* request
, HttpReply
const * reply
)
582 const char *pos
= NULL
;
589 vary
= reply
->header
.getList(HDR_VARY
);
591 while (strListGetItem(&vary
, ',', &item
, &ilen
, &pos
)) {
592 char *name
= (char *)xmalloc(ilen
+ 1);
593 xstrncpy(name
, item
, ilen
+ 1);
596 if (strcmp(name
, "*") == 0) {
597 /* Can not handle "Vary: *" withtout ETag support */
603 strListAdd(&vstr
, name
, ',');
604 hdr
= request
->header
.getByName(name
);
606 value
= hdr
.termedBuf();
609 value
= rfc1738_escape_part(value
);
610 vstr
.append("=\"", 2);
612 vstr
.append("\"", 1);
619 #if X_ACCELERATOR_VARY
622 vary
= reply
->header
.getList(HDR_X_ACCELERATOR_VARY
);
624 while (strListGetItem(&vary
, ',', &item
, &ilen
, &pos
)) {
625 char *name
= (char *)xmalloc(ilen
+ 1);
626 xstrncpy(name
, item
, ilen
+ 1);
628 strListAdd(&vstr
, name
, ',');
629 hdr
= request
->header
.getByName(name
);
631 value
= hdr
.termedBuf();
634 value
= rfc1738_escape_part(value
);
635 vstr
.append("=\"", 2);
637 vstr
.append("\"", 1);
646 debugs(11, 3, "httpMakeVaryMark: " << vstr
);
647 return vstr
.termedBuf();
651 HttpStateData::keepaliveAccounting(HttpReply
*reply
)
655 ++ _peer
->stats
.n_keepalives_sent
;
657 if (reply
->keep_alive
) {
659 ++ _peer
->stats
.n_keepalives_recv
;
661 if (Config
.onoff
.detect_broken_server_pconns
662 && reply
->bodySize(request
->method
) == -1 && !flags
.chunked
) {
663 debugs(11, DBG_IMPORTANT
, "keepaliveAccounting: Impossible keep-alive header from '" << entry
->url() << "'" );
664 // debugs(11, 2, "GOT HTTP REPLY HDR:\n---------\n" << readBuf->content() << "\n----------" );
665 flags
.keepalive_broken
= true;
671 HttpStateData::checkDateSkew(HttpReply
*reply
)
673 if (reply
->date
> -1 && !_peer
) {
674 int skew
= abs((int)(reply
->date
- squid_curtime
));
677 debugs(11, 3, "" << request
->url
.host() << "'s clock is skewed by " << skew
<< " seconds!");
682 * This creates the error page itself.. its likely
683 * that the forward ported reply header max size patch
684 * generates non http conformant error pages - in which
685 * case the errors where should be 'BAD_GATEWAY' etc
688 HttpStateData::processReplyHeader()
690 /** Creates a blank header. If this routine is made incremental, this will not do */
692 /* NP: all exit points to this function MUST call ctx_exit(ctx) */
693 Ctx ctx
= ctx_enter(entry
->mem_obj
->urlXXX());
695 debugs(11, 3, "processReplyHeader: key '" << entry
->getMD5Text() << "'");
697 assert(!flags
.headers_parsed
);
699 if (!inBuf
.length()) {
704 /* Attempt to parse the first line; this will define where the protocol, status, reason-phrase and header begin */
707 hp
= new Http1::ResponseParser
;
709 bool parsedOk
= hp
->parse(inBuf
);
711 // sync the buffers after parsing.
712 inBuf
= hp
->remaining();
714 if (hp
->needsMoreData()) {
715 if (eof
) { // no more data coming
716 /* Bug 2879: Replies may terminate with \r\n then EOF instead of \r\n\r\n.
717 * We also may receive truncated responses.
718 * Ensure here that we have at minimum two \r\n when EOF is seen.
720 inBuf
.append("\r\n\r\n", 4);
722 parsedOk
= hp
->parse(inBuf
);
723 // sync the buffers after parsing.
724 inBuf
= hp
->remaining();
726 debugs(33, 5, "Incomplete response, waiting for end of response headers");
732 flags
.headers_parsed
= true;
735 // unrecoverable parsing error
736 debugs(11, 3, "Non-HTTP-compliant header:\n---------\n" << inBuf
<< "\n----------");
737 HttpReply
*newrep
= new HttpReply
;
738 newrep
->sline
.set(Http::ProtocolVersion(), hp
->messageStatus());
739 HttpReply
*vrep
= setVirginReply(newrep
);
740 entry
->replaceHttpReply(vrep
);
741 // XXX: close the server connection ?
747 /* We know the whole response is in parser now */
748 debugs(11, 2, "HTTP Server " << serverConnection
);
749 debugs(11, 2, "HTTP Server RESPONSE:\n---------\n" <<
750 hp
->messageProtocol() << " " << hp
->messageStatus() << " " << hp
->reasonPhrase() << "\n" <<
754 // reset payload tracking to begin after message headers
755 payloadSeen
= inBuf
.length();
757 HttpReply
*newrep
= new HttpReply
;
758 // XXX: RFC 7230 indicates we MAY ignore the reason phrase,
759 // and use an empty string on unknown status.
760 // We do that now to avoid performance regression from using SBuf::c_str()
761 newrep
->sline
.set(Http::ProtocolVersion(1,1), hp
->messageStatus() /* , hp->reasonPhrase() */);
762 newrep
->sline
.protocol
= newrep
->sline
.version
.protocol
= hp
->messageProtocol().protocol
;
763 newrep
->sline
.version
.major
= hp
->messageProtocol().major
;
764 newrep
->sline
.version
.minor
= hp
->messageProtocol().minor
;
767 newrep
->pstate
= psReadyToParseHeaders
;
768 if (newrep
->httpMsgParseStep(hp
->mimeHeader().rawContent(), hp
->mimeHeader().length(), true) < 0) {
769 // XXX: when Http::ProtocolVersion is a function, remove this hack. just set with messageProtocol()
770 newrep
->sline
.set(Http::ProtocolVersion(), Http::scInvalidHeader
);
771 newrep
->sline
.version
.protocol
= hp
->messageProtocol().protocol
;
772 newrep
->sline
.version
.major
= hp
->messageProtocol().major
;
773 newrep
->sline
.version
.minor
= hp
->messageProtocol().minor
;
774 debugs(11, 2, "error parsing response headers mime block");
777 // done with Parser, now process using the HttpReply
780 newrep
->removeStaleWarnings();
782 if (newrep
->sline
.protocol
== AnyP::PROTO_HTTP
&& newrep
->sline
.status() >= 100 && newrep
->sline
.status() < 200) {
788 flags
.chunked
= false;
789 if (newrep
->sline
.protocol
== AnyP::PROTO_HTTP
&& newrep
->header
.chunked()) {
790 flags
.chunked
= true;
791 httpChunkDecoder
= new Http1::TeChunkedParser
;
794 if (!peerSupportsConnectionPinning())
795 request
->flags
.connectionAuthDisabled
= true;
797 HttpReply
*vrep
= setVirginReply(newrep
);
798 flags
.headers_parsed
= true;
800 keepaliveAccounting(vrep
);
804 processSurrogateControl (vrep
);
806 request
->hier
.peer_reply_status
= newrep
->sline
.status();
811 /// ignore or start forwarding the 1xx response (a.k.a., control message)
813 HttpStateData::handle1xx(HttpReply
*reply
)
815 HttpReply::Pointer
msg(reply
); // will destroy reply if unused
817 // one 1xx at a time: we must not be called while waiting for previous 1xx
818 Must(!flags
.handling1xx
);
819 flags
.handling1xx
= true;
821 if (!request
->canHandle1xx() || request
->forcedBodyContinuation
) {
822 debugs(11, 2, "ignoring 1xx because it is " << (request
->forcedBodyContinuation
? "already sent" : "not supported by client"));
827 #if USE_HTTP_VIOLATIONS
828 // check whether the 1xx response forwarding is allowed by squid.conf
829 if (Config
.accessList
.reply
) {
830 ACLFilledChecklist
ch(Config
.accessList
.reply
, originalRequest(), NULL
);
832 HTTPMSGLOCK(ch
.reply
);
833 if (ch
.fastCheck() != ACCESS_ALLOWED
) { // TODO: support slow lookups?
834 debugs(11, 3, HERE
<< "ignoring denied 1xx");
839 #endif // USE_HTTP_VIOLATIONS
841 debugs(11, 2, HERE
<< "forwarding 1xx to client");
843 // the Sink will use this to call us back after writing 1xx to the client
844 typedef NullaryMemFunT
<HttpStateData
> CbDialer
;
845 const AsyncCall::Pointer cb
= JobCallback(11, 3, CbDialer
, this,
846 HttpStateData::proceedAfter1xx
);
847 CallJobHere1(11, 4, request
->clientConnectionManager
, ConnStateData
,
848 ConnStateData::sendControlMsg
, HttpControlMsg(msg
, cb
));
849 // If the call is not fired, then the Sink is gone, and HttpStateData
850 // will terminate due to an aborted store entry or another similar error.
851 // If we get stuck, it is not handle1xx fault if we could get stuck
852 // for similar reasons without a 1xx response.
855 /// restores state and resumes processing after 1xx is ignored or forwarded
857 HttpStateData::proceedAfter1xx()
859 Must(flags
.handling1xx
);
860 debugs(11, 2, "continuing with " << payloadSeen
<< " bytes in buffer after 1xx");
861 CallJobHere(11, 3, this, HttpStateData
, HttpStateData::processReply
);
865 * returns true if the peer can support connection pinning
867 bool HttpStateData::peerSupportsConnectionPinning() const
869 const HttpReply
*rep
= entry
->mem_obj
->getReply();
870 const HttpHeader
*hdr
= &rep
->header
;
877 /*If this peer does not support connection pinning (authenticated
878 connections) return false
880 if (!_peer
->connection_auth
)
883 /*The peer supports connection pinning and the http reply status
884 is not unauthorized, so the related connection can be pinned
886 if (rep
->sline
.status() != Http::scUnauthorized
)
889 /*The server respond with Http::scUnauthorized and the peer configured
890 with "connection-auth=on" we know that the peer supports pinned
893 if (_peer
->connection_auth
== 1)
896 /*At this point peer has configured with "connection-auth=auto"
897 parameter so we need some extra checks to decide if we are going
898 to allow pinned connections or not
901 /*if the peer configured with originserver just allow connection
902 pinning (squid 2.6 behaviour)
904 if (_peer
->options
.originserver
)
907 /*if the connections it is already pinned it is OK*/
908 if (request
->flags
.pinned
)
911 /*Allow pinned connections only if the Proxy-support header exists in
912 reply and has in its list the "Session-Based-Authentication"
913 which means that the peer supports connection pinning.
915 if (!hdr
->has(HDR_PROXY_SUPPORT
))
918 header
= hdr
->getStrOrList(HDR_PROXY_SUPPORT
);
919 /* XXX This ought to be done in a case-insensitive manner */
920 rc
= (strstr(header
.termedBuf(), "Session-Based-Authentication") != NULL
);
925 // Called when we parsed (and possibly adapted) the headers but
926 // had not starting storing (a.k.a., sending) the body yet.
928 HttpStateData::haveParsedReplyHeaders()
930 Client::haveParsedReplyHeaders();
932 Ctx ctx
= ctx_enter(entry
->mem_obj
->urlXXX());
933 HttpReply
*rep
= finalReply();
935 entry
->timestampsSet();
937 /* Check if object is cacheable or not based on reply code */
938 debugs(11, 3, "HTTP CODE: " << rep
->sline
.status());
940 if (neighbors_do_private_keys
)
941 httpMaybeRemovePublic(entry
, rep
->sline
.status());
943 bool varyFailure
= false;
944 if (rep
->header
.has(HDR_VARY
)
945 #if X_ACCELERATOR_VARY
946 || rep
->header
.has(HDR_X_ACCELERATOR_VARY
)
949 const char *vary
= httpMakeVaryMark(request
, rep
);
952 entry
->makePrivate();
953 if (!fwd
->reforwardableStatus(rep
->sline
.status()))
954 EBIT_CLR(entry
->flags
, ENTRY_FWD_HDR_WAIT
);
957 entry
->mem_obj
->vary_headers
= xstrdup(vary
);
963 * If its not a reply that we will re-forward, then
964 * allow the client to get it.
966 if (!fwd
->reforwardableStatus(rep
->sline
.status()))
967 EBIT_CLR(entry
->flags
, ENTRY_FWD_HDR_WAIT
);
969 switch (cacheableReply()) {
976 entry
->makePrivate();
981 #if USE_HTTP_VIOLATIONS
982 if (Config
.negativeTtl
> 0)
983 entry
->cacheNegatively();
986 entry
->makePrivate();
995 if (!ignoreCacheControl
) {
996 if (rep
->cache_control
) {
997 // We are required to revalidate on many conditions.
998 // For security reasons we do so even if storage was caused by refresh_pattern ignore-* option
1000 // CC:must-revalidate or CC:proxy-revalidate
1001 const bool ccMustRevalidate
= (rep
->cache_control
->proxyRevalidate() || rep
->cache_control
->mustRevalidate());
1003 // CC:no-cache (only if there are no parameters)
1004 const bool ccNoCacheNoParams
= (rep
->cache_control
->hasNoCache() && rep
->cache_control
->noCache().size()==0);
1007 const bool ccSMaxAge
= rep
->cache_control
->hasSMaxAge();
1009 // CC:private (yes, these can sometimes be stored)
1010 const bool ccPrivate
= rep
->cache_control
->hasPrivate();
1012 if (ccMustRevalidate
|| ccNoCacheNoParams
|| ccSMaxAge
|| ccPrivate
)
1013 EBIT_SET(entry
->flags
, ENTRY_REVALIDATE
);
1015 #if USE_HTTP_VIOLATIONS // response header Pragma::no-cache is undefined in HTTP
1017 // Expensive calculation. So only do it IF the CC: header is not present.
1019 /* HACK: Pragma: no-cache in _replies_ is not documented in HTTP,
1020 * but servers like "Active Imaging Webcast/2.0" sure do use it */
1021 if (rep
->header
.has(HDR_PRAGMA
) &&
1022 rep
->header
.hasListMember(HDR_PRAGMA
,"no-cache",','))
1023 EBIT_SET(entry
->flags
, ENTRY_REVALIDATE
);
1029 headersLog(1, 0, request
->method
, rep
);
1036 HttpStateData::ConnectionStatus
1037 HttpStateData::statusIfComplete() const
1039 const HttpReply
*rep
= virginReply();
1041 * If the reply wants to close the connection, it takes precedence */
1043 if (httpHeaderHasConnDir(&rep
->header
, "close"))
1044 return COMPLETE_NONPERSISTENT_MSG
;
1047 * If we didn't send a keep-alive request header, then this
1048 * can not be a persistent connection.
1050 if (!flags
.keepalive
)
1051 return COMPLETE_NONPERSISTENT_MSG
;
1054 * If we haven't sent the whole request then this can not be a persistent
1057 if (!flags
.request_sent
) {
1058 debugs(11, 2, "Request not yet fully sent " << request
->method
<< ' ' << entry
->url());
1059 return COMPLETE_NONPERSISTENT_MSG
;
1063 * What does the reply have to say about keep-alive?
1067 * If the origin server (HTTP/1.0) does not send a keep-alive
1068 * header, but keeps the connection open anyway, what happens?
1069 * We'll return here and http.c waits for an EOF before changing
1070 * store_status to STORE_OK. Combine this with ENTRY_FWD_HDR_WAIT
1071 * and an error status code, and we might have to wait until
1072 * the server times out the socket.
1074 if (!rep
->keep_alive
)
1075 return COMPLETE_NONPERSISTENT_MSG
;
1077 return COMPLETE_PERSISTENT_MSG
;
1080 HttpStateData::ConnectionStatus
1081 HttpStateData::persistentConnStatus() const
1083 debugs(11, 3, HERE
<< serverConnection
<< " eof=" << eof
);
1084 if (eof
) // already reached EOF
1085 return COMPLETE_NONPERSISTENT_MSG
;
1087 /* If server fd is closing (but we have not been notified yet), stop Comm
1088 I/O to avoid assertions. TODO: Change Comm API to handle callers that
1089 want more I/O after async closing (usually initiated by others). */
1090 // XXX: add canReceive or s/canSend/canTalkToServer/
1091 if (!Comm::IsConnOpen(serverConnection
))
1092 return COMPLETE_NONPERSISTENT_MSG
;
1095 * In chunked response we do not know the content length but we are absolutely
1096 * sure about the end of response, so we are calling the statusIfComplete to
1097 * decide if we can be persistant
1099 if (lastChunk
&& flags
.chunked
)
1100 return statusIfComplete();
1102 const HttpReply
*vrep
= virginReply();
1103 debugs(11, 5, "persistentConnStatus: content_length=" << vrep
->content_length
);
1105 const int64_t clen
= vrep
->bodySize(request
->method
);
1107 debugs(11, 5, "persistentConnStatus: clen=" << clen
);
1109 /* If the body size is unknown we must wait for EOF */
1111 return INCOMPLETE_MSG
;
1114 * If the body size is known, we must wait until we've gotten all of it. */
1116 debugs(11,5, "payloadSeen=" << payloadSeen
<< " content_length=" << vrep
->content_length
);
1118 if (payloadSeen
< vrep
->content_length
)
1119 return INCOMPLETE_MSG
;
1121 if (payloadTruncated
> 0) // already read more than needed
1122 return COMPLETE_NONPERSISTENT_MSG
; // disable pconns
1126 * If there is no message body or we got it all, we can be persistent */
1127 return statusIfComplete();
1132 readDelayed(void *context
, CommRead
const &)
1134 HttpStateData
*state
= static_cast<HttpStateData
*>(context
);
1135 state
->flags
.do_next_read
= true;
1136 state
->maybeReadVirginBody();
1141 HttpStateData::readReply(const CommIoCbParams
&io
)
1143 Must(!flags
.do_next_read
); // XXX: should have been set false by mayReadVirginBody()
1144 flags
.do_next_read
= false;
1146 debugs(11, 5, io
.conn
);
1148 // Bail out early on Comm::ERR_CLOSING - close handlers will tidy up for us
1149 if (io
.flag
== Comm::ERR_CLOSING
) {
1150 debugs(11, 3, "http socket closing");
1154 if (EBIT_TEST(entry
->flags
, ENTRY_ABORTED
)) {
1155 abortTransaction("store entry aborted while reading reply");
1159 Must(Comm::IsConnOpen(serverConnection
));
1160 Must(io
.conn
->fd
== serverConnection
->fd
);
1163 * Don't reset the timeout value here. The value should be
1164 * counting Config.Timeout.request and applies to the request
1165 * as a whole, not individual read() calls.
1166 * Plus, it breaks our lame *HalfClosed() detection
1169 Must(maybeMakeSpaceAvailable(true));
1170 CommIoCbParams
rd(this); // will be expanded with ReadNow results
1172 rd
.size
= entry
->bytesWanted(Range
<size_t>(0, inBuf
.spaceSize()));
1175 assert(entry
->mem_obj
);
1177 /* read ahead limit */
1178 /* Perhaps these two calls should both live in MemObject */
1179 AsyncCall::Pointer nilCall
;
1180 if (!entry
->mem_obj
->readAheadPolicyCanRead()) {
1181 entry
->mem_obj
->delayRead(DeferredRead(readDelayed
, this, CommRead(io
.conn
, NULL
, 0, nilCall
)));
1185 /* delay id limit */
1186 entry
->mem_obj
->mostBytesAllowed().delayRead(DeferredRead(readDelayed
, this, CommRead(io
.conn
, NULL
, 0, nilCall
)));
1191 switch (Comm::ReadNow(rd
, inBuf
)) {
1192 case Comm::INPROGRESS
:
1193 if (inBuf
.isEmpty())
1194 debugs(33, 2, io
.conn
<< ": no data to process, " << xstrerr(rd
.xerrno
));
1195 flags
.do_next_read
= true;
1196 maybeReadVirginBody();
1201 payloadSeen
+= rd
.size
;
1203 DelayId delayId
= entry
->mem_obj
->mostBytesAllowed();
1204 delayId
.bytesIn(rd
.size
);
1207 kb_incr(&(statCounter
.server
.all
.kbytes_in
), rd
.size
);
1208 kb_incr(&(statCounter
.server
.http
.kbytes_in
), rd
.size
);
1209 ++ IOStats
.Http
.reads
;
1212 for (int clen
= rd
.size
- 1; clen
; ++bin
)
1215 ++ IOStats
.Http
.read_hist
[bin
];
1217 // update peer response time stats (%<pt)
1218 const timeval
&sent
= request
->hier
.peer_http_request_sent
;
1220 tvSub(request
->hier
.peer_response_time
, sent
, current_time
);
1222 request
->hier
.peer_response_time
.tv_sec
= -1;
1225 /* Continue to process previously read data */
1228 case Comm::ENDFILE
: // close detected by 0-byte read
1230 flags
.do_next_read
= false;
1232 /* Continue to process previously read data */
1235 // case Comm::COMM_ERROR:
1236 default: // no other flags should ever occur
1237 debugs(11, 2, io
.conn
<< ": read failure: " << xstrerr(rd
.xerrno
));
1238 ErrorState
*err
= new ErrorState(ERR_READ_ERROR
, Http::scBadGateway
, fwd
->request
);
1239 err
->xerrno
= rd
.xerrno
;
1241 flags
.do_next_read
= false;
1247 /* Process next response from buffer */
1251 /// processes the already read and buffered response data, possibly after
1252 /// waiting for asynchronous 1xx control message processing
1254 HttpStateData::processReply()
1257 if (flags
.handling1xx
) { // we came back after handling a 1xx response
1258 debugs(11, 5, HERE
<< "done with 1xx handling");
1259 flags
.handling1xx
= false;
1260 Must(!flags
.headers_parsed
);
1263 if (!flags
.headers_parsed
) { // have not parsed headers yet?
1264 PROF_start(HttpStateData_processReplyHeader
);
1265 processReplyHeader();
1266 PROF_stop(HttpStateData_processReplyHeader
);
1268 if (!continueAfterParsingHeader()) // parsing error or need more data
1269 return; // TODO: send errors to ICAP
1271 adaptOrFinalizeReply(); // may write to, abort, or "close" the entry
1274 // kick more reads if needed and/or process the response body, if any
1275 PROF_start(HttpStateData_processReplyBody
);
1276 processReplyBody(); // may call serverComplete()
1277 PROF_stop(HttpStateData_processReplyBody
);
1281 \retval true if we can continue with processing the body or doing ICAP.
1284 HttpStateData::continueAfterParsingHeader()
1286 if (flags
.handling1xx
) {
1287 debugs(11, 5, HERE
<< "wait for 1xx handling");
1288 Must(!flags
.headers_parsed
);
1292 if (!flags
.headers_parsed
&& !eof
) {
1293 debugs(11, 9, "needs more at " << inBuf
.length());
1294 flags
.do_next_read
= true;
1295 /** \retval false If we have not finished parsing the headers and may get more data.
1296 * Schedules more reads to retrieve the missing data.
1298 maybeReadVirginBody(); // schedules all kinds of reads; TODO: rename
1302 /** If we are done with parsing, check for errors */
1304 err_type error
= ERR_NONE
;
1306 if (flags
.headers_parsed
) { // parsed headers, possibly with errors
1307 // check for header parsing errors
1308 if (HttpReply
*vrep
= virginReply()) {
1309 const Http::StatusCode s
= vrep
->sline
.status();
1310 const AnyP::ProtocolVersion
&v
= vrep
->sline
.version
;
1311 if (s
== Http::scInvalidHeader
&& v
!= Http::ProtocolVersion(0,9)) {
1312 debugs(11, DBG_IMPORTANT
, "WARNING: HTTP: Invalid Response: Bad header encountered from " << entry
->url() << " AKA " << request
->url
);
1313 error
= ERR_INVALID_RESP
;
1314 } else if (s
== Http::scHeaderTooLarge
) {
1315 fwd
->dontRetry(true);
1316 error
= ERR_TOO_BIG
;
1318 return true; // done parsing, got reply, and no error
1321 // parsed headers but got no reply
1322 debugs(11, DBG_IMPORTANT
, "WARNING: HTTP: Invalid Response: No reply at all for " << entry
->url() << " AKA " << request
->url
);
1323 error
= ERR_INVALID_RESP
;
1327 if (inBuf
.length()) {
1328 error
= ERR_INVALID_RESP
;
1329 debugs(11, DBG_IMPORTANT
, "WARNING: HTTP: Invalid Response: Headers did not parse at all for " << entry
->url() << " AKA " << request
->url
);
1331 error
= ERR_ZERO_SIZE_OBJECT
;
1332 debugs(11, (request
->flags
.accelerated
?DBG_IMPORTANT
:2), "WARNING: HTTP: Invalid Response: No object data received for " << entry
->url() << " AKA " << request
->url
);
1336 assert(error
!= ERR_NONE
);
1338 fwd
->fail(new ErrorState(error
, Http::scBadGateway
, fwd
->request
));
1339 flags
.do_next_read
= false;
1340 serverConnection
->close();
1341 return false; // quit on error
1344 /** truncate what we read if we read too much so that writeReplyBody()
1345 writes no more than what we should have read */
1347 HttpStateData::truncateVirginBody()
1349 assert(flags
.headers_parsed
);
1351 HttpReply
*vrep
= virginReply();
1353 if (!vrep
->expectingBody(request
->method
, clen
) || clen
< 0)
1354 return; // no body or a body of unknown size, including chunked
1356 if (payloadSeen
- payloadTruncated
<= clen
)
1357 return; // we did not read too much or already took care of the extras
1359 if (const int64_t extras
= payloadSeen
- payloadTruncated
- clen
) {
1360 // server sent more that the advertised content length
1361 debugs(11, 5, "payloadSeen=" << payloadSeen
<<
1362 " clen=" << clen
<< '/' << vrep
->content_length
<<
1363 " trucated=" << payloadTruncated
<< '+' << extras
);
1365 inBuf
.chop(0, inBuf
.length() - extras
);
1366 payloadTruncated
+= extras
;
1371 * Call this when there is data from the origin server
1372 * which should be sent to either StoreEntry, or to ICAP...
1375 HttpStateData::writeReplyBody()
1377 truncateVirginBody(); // if needed
1378 const char *data
= inBuf
.rawContent();
1379 int len
= inBuf
.length();
1380 addVirginReplyBody(data
, len
);
1385 HttpStateData::decodeAndWriteReplyBody()
1387 const char *data
= NULL
;
1389 bool wasThereAnException
= false;
1390 assert(flags
.chunked
);
1391 assert(httpChunkDecoder
);
1392 SQUID_ENTER_THROWING_CODE();
1395 httpChunkDecoder
->setPayloadBuffer(&decodedData
);
1396 const bool doneParsing
= httpChunkDecoder
->parse(inBuf
);
1397 inBuf
= httpChunkDecoder
->remaining(); // sync buffers after parse
1398 len
= decodedData
.contentSize();
1399 data
=decodedData
.content();
1400 addVirginReplyBody(data
, len
);
1403 flags
.do_next_read
= false;
1405 SQUID_EXIT_THROWING_CODE(wasThereAnException
);
1406 return wasThereAnException
;
1410 * processReplyBody has two purposes:
1411 * 1 - take the reply body data, if any, and put it into either
1412 * the StoreEntry, or give it over to ICAP.
1413 * 2 - see if we made it to the end of the response (persistent
1414 * connections and such)
1417 HttpStateData::processReplyBody()
1419 Ip::Address client_addr
;
1420 bool ispinned
= false;
1422 if (!flags
.headers_parsed
) {
1423 flags
.do_next_read
= true;
1424 maybeReadVirginBody();
1429 debugs(11,5, HERE
<< "adaptationAccessCheckPending=" << adaptationAccessCheckPending
);
1430 if (adaptationAccessCheckPending
)
1436 * At this point the reply headers have been parsed and consumed.
1437 * That means header content has been removed from readBuf and
1438 * it contains only body data.
1440 if (entry
->isAccepting()) {
1441 if (flags
.chunked
) {
1442 if (!decodeAndWriteReplyBody()) {
1443 flags
.do_next_read
= false;
1451 if (EBIT_TEST(entry
->flags
, ENTRY_ABORTED
)) {
1452 // The above writeReplyBody() call may have aborted the store entry.
1453 abortTransaction("store entry aborted while storing reply");
1456 switch (persistentConnStatus()) {
1457 case INCOMPLETE_MSG
: {
1458 debugs(11, 5, "processReplyBody: INCOMPLETE_MSG from " << serverConnection
);
1459 /* Wait for more data or EOF condition */
1460 AsyncCall::Pointer nil
;
1461 if (flags
.keepalive_broken
) {
1462 commSetConnTimeout(serverConnection
, 10, nil
);
1464 commSetConnTimeout(serverConnection
, Config
.Timeout
.read
, nil
);
1467 flags
.do_next_read
= true;
1471 case COMPLETE_PERSISTENT_MSG
:
1472 debugs(11, 5, "processReplyBody: COMPLETE_PERSISTENT_MSG from " << serverConnection
);
1473 /* yes we have to clear all these! */
1474 commUnsetConnTimeout(serverConnection
);
1475 flags
.do_next_read
= false;
1477 comm_remove_close_handler(serverConnection
->fd
, closeHandler
);
1478 closeHandler
= NULL
;
1479 fwd
->unregister(serverConnection
);
1481 if (request
->flags
.spoofClientIp
)
1482 client_addr
= request
->client_addr
;
1484 if (request
->flags
.pinned
) {
1486 } else if (request
->flags
.connectionAuth
&& request
->flags
.authSent
) {
1490 if (ispinned
&& request
->clientConnectionManager
.valid()) {
1491 request
->clientConnectionManager
->pinConnection(serverConnection
, request
, _peer
,
1492 (request
->flags
.connectionAuth
));
1494 fwd
->pconnPush(serverConnection
, request
->url
.host());
1497 serverConnection
= NULL
;
1501 case COMPLETE_NONPERSISTENT_MSG
:
1502 debugs(11, 5, "processReplyBody: COMPLETE_NONPERSISTENT_MSG from " << serverConnection
);
1507 maybeReadVirginBody();
1511 HttpStateData::mayReadVirginReplyBody() const
1513 // TODO: Be more precise here. For example, if/when reading trailer, we may
1514 // not be doneWithServer() yet, but we should return false. Similarly, we
1515 // could still be writing the request body after receiving the whole reply.
1516 return !doneWithServer();
1520 HttpStateData::maybeReadVirginBody()
1523 if (!Comm::IsConnOpen(serverConnection
) || fd_table
[serverConnection
->fd
].closing())
1526 if (!maybeMakeSpaceAvailable(false))
1529 // XXX: get rid of the do_next_read flag
1530 // check for the proper reasons preventing read(2)
1531 if (!flags
.do_next_read
)
1534 flags
.do_next_read
= false;
1536 // must not already be waiting for read(2) ...
1537 assert(!Comm::MonitorsRead(serverConnection
->fd
));
1539 // wait for read(2) to be possible.
1540 typedef CommCbMemFunT
<HttpStateData
, CommIoCbParams
> Dialer
;
1541 AsyncCall::Pointer call
= JobCallback(11, 5, Dialer
, this, HttpStateData::readReply
);
1542 Comm::Read(serverConnection
, call
);
1546 HttpStateData::maybeMakeSpaceAvailable(bool doGrow
)
1548 // how much we are allowed to buffer
1549 const int limitBuffer
= (flags
.headers_parsed
? Config
.readAheadGap
: Config
.maxReplyHeaderSize
);
1551 if (limitBuffer
< 0 || inBuf
.length() >= (SBuf::size_type
)limitBuffer
) {
1552 // when buffer is at or over limit already
1553 debugs(11, 7, "wont read up to " << limitBuffer
<< ". buffer has (" << inBuf
.length() << "/" << inBuf
.spaceSize() << ") from " << serverConnection
);
1554 debugs(11, DBG_DATA
, "buffer has {" << inBuf
<< "}");
1555 // Process next response from buffer
1560 // how much we want to read
1561 const size_t read_size
= calcBufferSpaceToReserve(inBuf
.spaceSize(), (limitBuffer
- inBuf
.length()));
1564 debugs(11, 7, "wont read up to " << read_size
<< " into buffer (" << inBuf
.length() << "/" << inBuf
.spaceSize() << ") from " << serverConnection
);
1568 // just report whether we could grow or not, dont actually do it
1570 return (read_size
>= 2);
1572 // we may need to grow the buffer
1573 inBuf
.reserveSpace(read_size
);
1574 debugs(11, 8, (!flags
.do_next_read
? "wont" : "may") <<
1575 " read up to " << read_size
<< " bytes info buf(" << inBuf
.length() << "/" << inBuf
.spaceSize() <<
1576 ") from " << serverConnection
);
1578 return (inBuf
.spaceSize() >= 2); // only read if there is 1+ bytes of space available
1581 /// called after writing the very last request byte (body, last-chunk, etc)
1583 HttpStateData::wroteLast(const CommIoCbParams
&io
)
1585 debugs(11, 5, HERE
<< serverConnection
<< ": size " << io
.size
<< ": errflag " << io
.flag
<< ".");
1586 #if URL_CHECKSUM_DEBUG
1588 entry
->mem_obj
->checkUrlChecksum();
1592 fd_bytes(io
.fd
, io
.size
, FD_WRITE
);
1593 kb_incr(&(statCounter
.server
.all
.kbytes_out
), io
.size
);
1594 kb_incr(&(statCounter
.server
.http
.kbytes_out
), io
.size
);
1597 if (io
.flag
== Comm::ERR_CLOSING
)
1601 ErrorState
*err
= new ErrorState(ERR_WRITE_ERROR
, Http::scBadGateway
, fwd
->request
);
1602 err
->xerrno
= io
.xerrno
;
1604 serverConnection
->close();
1611 /// successfully wrote the entire request (including body, last-chunk, etc.)
1613 HttpStateData::sendComplete()
1616 * Set the read timeout here because it hasn't been set yet.
1617 * We only set the read timeout after the request has been
1618 * fully written to the peer. If we start the timeout
1619 * after connection establishment, then we are likely to hit
1620 * the timeout for POST/PUT requests that have very large
1623 typedef CommCbMemFunT
<HttpStateData
, CommTimeoutCbParams
> TimeoutDialer
;
1624 AsyncCall::Pointer timeoutCall
= JobCallback(11, 5,
1625 TimeoutDialer
, this, HttpStateData::httpTimeout
);
1627 commSetConnTimeout(serverConnection
, Config
.Timeout
.read
, timeoutCall
);
1628 flags
.request_sent
= true;
1629 request
->hier
.peer_http_request_sent
= current_time
;
1632 // Close the HTTP server connection. Used by serverComplete().
1634 HttpStateData::closeServer()
1636 debugs(11,5, HERE
<< "closing HTTP server " << serverConnection
<< " this " << this);
1638 if (Comm::IsConnOpen(serverConnection
)) {
1639 fwd
->unregister(serverConnection
);
1640 comm_remove_close_handler(serverConnection
->fd
, closeHandler
);
1641 closeHandler
= NULL
;
1642 serverConnection
->close();
1647 HttpStateData::doneWithServer() const
1649 return !Comm::IsConnOpen(serverConnection
);
1653 * Fixup authentication request headers for special cases
1656 httpFixupAuthentication(HttpRequest
* request
, const HttpHeader
* hdr_in
, HttpHeader
* hdr_out
, const HttpStateFlags
&flags
)
1658 http_hdr_type header
= flags
.originpeer
? HDR_AUTHORIZATION
: HDR_PROXY_AUTHORIZATION
;
1660 /* Nothing to do unless we are forwarding to a peer */
1661 if (!request
->flags
.proxying
)
1664 /* Needs to be explicitly enabled */
1665 if (!request
->peer_login
)
1668 /* Maybe already dealt with? */
1669 if (hdr_out
->has(header
))
1672 /* Nothing to do here for PASSTHRU */
1673 if (strcmp(request
->peer_login
, "PASSTHRU") == 0)
1676 /* PROXYPASS is a special case, single-signon to servers with the proxy password (basic only) */
1677 if (flags
.originpeer
&& strcmp(request
->peer_login
, "PROXYPASS") == 0 && hdr_in
->has(HDR_PROXY_AUTHORIZATION
)) {
1678 const char *auth
= hdr_in
->getStr(HDR_PROXY_AUTHORIZATION
);
1680 if (auth
&& strncasecmp(auth
, "basic ", 6) == 0) {
1681 hdr_out
->putStr(header
, auth
);
1686 uint8_t loginbuf
[base64_encode_len(MAX_LOGIN_SZ
)];
1688 struct base64_encode_ctx ctx
;
1689 base64_encode_init(&ctx
);
1691 /* Special mode to pass the username to the upstream cache */
1692 if (*request
->peer_login
== '*') {
1693 const char *username
= "-";
1695 if (request
->extacl_user
.size())
1696 username
= request
->extacl_user
.termedBuf();
1698 else if (request
->auth_user_request
!= NULL
)
1699 username
= request
->auth_user_request
->username();
1702 blen
= base64_encode_update(&ctx
, loginbuf
, strlen(username
), reinterpret_cast<const uint8_t*>(username
));
1703 blen
+= base64_encode_update(&ctx
, loginbuf
+blen
, strlen(request
->peer_login
+1), reinterpret_cast<const uint8_t*>(request
->peer_login
+1));
1704 blen
+= base64_encode_final(&ctx
, loginbuf
+blen
);
1705 httpHeaderPutStrf(hdr_out
, header
, "Basic %.*s", (int)blen
, loginbuf
);
1709 /* external_acl provided credentials */
1710 if (request
->extacl_user
.size() && request
->extacl_passwd
.size() &&
1711 (strcmp(request
->peer_login
, "PASS") == 0 ||
1712 strcmp(request
->peer_login
, "PROXYPASS") == 0)) {
1714 blen
= base64_encode_update(&ctx
, loginbuf
, request
->extacl_user
.size(), reinterpret_cast<const uint8_t*>(request
->extacl_user
.rawBuf()));
1715 blen
+= base64_encode_update(&ctx
, loginbuf
+blen
, 1, reinterpret_cast<const uint8_t*>(":"));
1716 blen
+= base64_encode_update(&ctx
, loginbuf
+blen
, request
->extacl_passwd
.size(), reinterpret_cast<const uint8_t*>(request
->extacl_passwd
.rawBuf()));
1717 blen
+= base64_encode_final(&ctx
, loginbuf
+blen
);
1718 httpHeaderPutStrf(hdr_out
, header
, "Basic %.*s", (int)blen
, loginbuf
);
1721 // if no external user credentials are available to fake authentication with PASS acts like PASSTHRU
1722 if (strcmp(request
->peer_login
, "PASS") == 0)
1725 /* Kerberos login to peer */
1726 #if HAVE_AUTH_MODULE_NEGOTIATE && HAVE_KRB5 && HAVE_GSSAPI
1727 if (strncmp(request
->peer_login
, "NEGOTIATE",strlen("NEGOTIATE")) == 0) {
1729 char *PrincipalName
=NULL
,*p
;
1730 if ((p
=strchr(request
->peer_login
,':')) != NULL
) {
1733 Token
= peer_proxy_negotiate_auth(PrincipalName
, request
->peer_host
);
1735 httpHeaderPutStrf(hdr_out
, header
, "Negotiate %s",Token
);
1739 #endif /* HAVE_KRB5 && HAVE_GSSAPI */
1741 blen
= base64_encode_update(&ctx
, loginbuf
, strlen(request
->peer_login
), reinterpret_cast<const uint8_t*>(request
->peer_login
));
1742 blen
+= base64_encode_final(&ctx
, loginbuf
+blen
);
1743 httpHeaderPutStrf(hdr_out
, header
, "Basic %.*s", (int)blen
, loginbuf
);
1748 * build request headers and append them to a given MemBuf
1749 * used by buildRequestPrefix()
1750 * note: initialised the HttpHeader, the caller is responsible for Clean()-ing
1753 HttpStateData::httpBuildRequestHeader(HttpRequest
* request
,
1755 const AccessLogEntryPointer
&al
,
1756 HttpHeader
* hdr_out
,
1757 const HttpStateFlags
&flags
)
1759 /* building buffer for complex strings */
1760 #define BBUF_SZ (MAX_URL+32)
1761 LOCAL_ARRAY(char, bbuf
, BBUF_SZ
);
1762 LOCAL_ARRAY(char, ntoabuf
, MAX_IPSTRLEN
);
1763 const HttpHeader
*hdr_in
= &request
->header
;
1764 const HttpHeaderEntry
*e
= NULL
;
1765 HttpHeaderPos pos
= HttpHeaderInitPos
;
1766 assert (hdr_out
->owner
== hoRequest
);
1768 /* use our IMS header if the cached entry has Last-Modified time */
1769 if (request
->lastmod
> -1)
1770 hdr_out
->putTime(HDR_IF_MODIFIED_SINCE
, request
->lastmod
);
1772 // Add our own If-None-Match field if the cached entry has a strong ETag.
1773 // copyOneHeaderFromClientsideRequestToUpstreamRequest() adds client ones.
1774 if (request
->etag
.size() > 0) {
1775 hdr_out
->addEntry(new HttpHeaderEntry(HDR_IF_NONE_MATCH
, NULL
,
1776 request
->etag
.termedBuf()));
1779 bool we_do_ranges
= decideIfWeDoRanges (request
);
1781 String
strConnection (hdr_in
->getList(HDR_CONNECTION
));
1783 while ((e
= hdr_in
->getEntry(&pos
)))
1784 copyOneHeaderFromClientsideRequestToUpstreamRequest(e
, strConnection
, request
, hdr_out
, we_do_ranges
, flags
);
1786 /* Abstraction break: We should interpret multipart/byterange responses
1787 * into offset-length data, and this works around our inability to do so.
1789 if (!we_do_ranges
&& request
->multipartRangeRequest()) {
1790 /* don't cache the result */
1791 request
->flags
.cachable
= false;
1792 /* pretend it's not a range request */
1793 request
->ignoreRange("want to request the whole object");
1794 request
->flags
.isRanged
= false;
1798 if (Config
.onoff
.via
) {
1800 strVia
= hdr_in
->getList(HDR_VIA
);
1801 snprintf(bbuf
, BBUF_SZ
, "%d.%d %s",
1802 request
->http_ver
.major
,
1803 request
->http_ver
.minor
, ThisCache
);
1804 strListAdd(&strVia
, bbuf
, ',');
1805 hdr_out
->putStr(HDR_VIA
, strVia
.termedBuf());
1809 if (request
->flags
.accelerated
) {
1810 /* Append Surrogate-Capabilities */
1811 String
strSurrogate(hdr_in
->getList(HDR_SURROGATE_CAPABILITY
));
1813 snprintf(bbuf
, BBUF_SZ
, "%s=\"Surrogate/1.0 ESI/1.0\"", Config
.Accel
.surrogate_id
);
1815 snprintf(bbuf
, BBUF_SZ
, "%s=\"Surrogate/1.0\"", Config
.Accel
.surrogate_id
);
1817 strListAdd(&strSurrogate
, bbuf
, ',');
1818 hdr_out
->putStr(HDR_SURROGATE_CAPABILITY
, strSurrogate
.termedBuf());
1821 /** \pre Handle X-Forwarded-For */
1822 if (strcmp(opt_forwarded_for
, "delete") != 0) {
1824 String strFwd
= hdr_in
->getList(HDR_X_FORWARDED_FOR
);
1826 if (strFwd
.size() > 65536/2) {
1827 // There is probably a forwarding loop with Via detection disabled.
1828 // If we do nothing, String will assert on overflow soon.
1829 // TODO: Terminate all transactions with huge XFF?
1832 static int warnedCount
= 0;
1833 if (warnedCount
++ < 100) {
1834 const char *url
= entry
? entry
->url() : urlCanonical(request
);
1835 debugs(11, DBG_IMPORTANT
, "Warning: likely forwarding loop with " << url
);
1839 if (strcmp(opt_forwarded_for
, "on") == 0) {
1840 /** If set to ON - append client IP or 'unknown'. */
1841 if ( request
->client_addr
.isNoAddr() )
1842 strListAdd(&strFwd
, "unknown", ',');
1844 strListAdd(&strFwd
, request
->client_addr
.toStr(ntoabuf
, MAX_IPSTRLEN
), ',');
1845 } else if (strcmp(opt_forwarded_for
, "off") == 0) {
1846 /** If set to OFF - append 'unknown'. */
1847 strListAdd(&strFwd
, "unknown", ',');
1848 } else if (strcmp(opt_forwarded_for
, "transparent") == 0) {
1849 /** If set to TRANSPARENT - pass through unchanged. */
1850 } else if (strcmp(opt_forwarded_for
, "truncate") == 0) {
1851 /** If set to TRUNCATE - drop existing list and replace with client IP or 'unknown'. */
1852 if ( request
->client_addr
.isNoAddr() )
1855 strFwd
= request
->client_addr
.toStr(ntoabuf
, MAX_IPSTRLEN
);
1857 if (strFwd
.size() > 0)
1858 hdr_out
->putStr(HDR_X_FORWARDED_FOR
, strFwd
.termedBuf());
1860 /** If set to DELETE - do not copy through. */
1862 /* append Host if not there already */
1863 if (!hdr_out
->has(HDR_HOST
)) {
1864 if (request
->peer_domain
) {
1865 hdr_out
->putStr(HDR_HOST
, request
->peer_domain
);
1867 SBuf authority
= request
->url
.authority();
1868 hdr_out
->putStr(HDR_HOST
, authority
.c_str());
1872 /* append Authorization if known in URL, not in header and going direct */
1873 if (!hdr_out
->has(HDR_AUTHORIZATION
)) {
1874 if (!request
->flags
.proxying
&& !request
->url
.userInfo().isEmpty()) {
1875 static uint8_t result
[base64_encode_len(MAX_URL
*2)]; // should be big enough for a single URI segment
1876 struct base64_encode_ctx ctx
;
1877 base64_encode_init(&ctx
);
1878 size_t blen
= base64_encode_update(&ctx
, result
, request
->url
.userInfo().length(), reinterpret_cast<const uint8_t*>(request
->url
.userInfo().rawContent()));
1879 blen
+= base64_encode_final(&ctx
, result
+blen
);
1880 result
[blen
] = '\0';
1882 httpHeaderPutStrf(hdr_out
, HDR_AUTHORIZATION
, "Basic %.*s", (int)blen
, result
);
1886 /* Fixup (Proxy-)Authorization special cases. Plain relaying dealt with above */
1887 httpFixupAuthentication(request
, hdr_in
, hdr_out
, flags
);
1889 /* append Cache-Control, add max-age if not there already */
1891 HttpHdrCc
*cc
= hdr_in
->getCc();
1894 cc
= new HttpHdrCc();
1896 #if 0 /* see bug 2330 */
1897 /* Set no-cache if determined needed but not found */
1898 if (request
->flags
.nocache
)
1899 EBIT_SET(cc
->mask
, CC_NO_CACHE
);
1902 /* Add max-age only without no-cache */
1903 if (!cc
->hasMaxAge() && !cc
->hasNoCache()) {
1905 entry
? entry
->url() : urlCanonical(request
);
1906 cc
->maxAge(getMaxAge(url
));
1910 /* Enforce sibling relations */
1911 if (flags
.only_if_cached
)
1912 cc
->onlyIfCached(true);
1919 /* maybe append Connection: keep-alive */
1920 if (flags
.keepalive
) {
1921 hdr_out
->putStr(HDR_CONNECTION
, "keep-alive");
1924 /* append Front-End-Https */
1925 if (flags
.front_end_https
) {
1926 if (flags
.front_end_https
== 1 || request
->url
.getScheme() == AnyP::PROTO_HTTPS
)
1927 hdr_out
->putStr(HDR_FRONT_END_HTTPS
, "On");
1930 if (flags
.chunked_request
) {
1931 // Do not just copy the original value so that if the client-side
1932 // starts decode other encodings, this code may remain valid.
1933 hdr_out
->putStr(HDR_TRANSFER_ENCODING
, "chunked");
1936 /* Now mangle the headers. */
1937 if (Config2
.onoff
.mangle_request_headers
)
1938 httpHdrMangleList(hdr_out
, request
, ROR_REQUEST
);
1940 if (Config
.request_header_add
&& !Config
.request_header_add
->empty())
1941 httpHdrAdd(hdr_out
, request
, al
, *Config
.request_header_add
);
1943 strConnection
.clean();
1947 * Decides whether a particular header may be cloned from the received Clients request
1948 * to our outgoing fetch request.
1951 copyOneHeaderFromClientsideRequestToUpstreamRequest(const HttpHeaderEntry
*e
, const String strConnection
, const HttpRequest
* request
, HttpHeader
* hdr_out
, const int we_do_ranges
, const HttpStateFlags
&flags
)
1953 debugs(11, 5, "httpBuildRequestHeader: " << e
->name
<< ": " << e
->value
);
1957 /** \par RFC 2616 sect 13.5.1 - Hop-by-Hop headers which Squid should not pass on. */
1959 case HDR_PROXY_AUTHORIZATION
:
1960 /** \par Proxy-Authorization:
1961 * Only pass on proxy authentication to peers for which
1962 * authentication forwarding is explicitly enabled
1964 if (!flags
.originpeer
&& flags
.proxying
&& request
->peer_login
&&
1965 (strcmp(request
->peer_login
, "PASS") == 0 ||
1966 strcmp(request
->peer_login
, "PROXYPASS") == 0 ||
1967 strcmp(request
->peer_login
, "PASSTHRU") == 0)) {
1968 hdr_out
->addEntry(e
->clone());
1972 /** \par RFC 2616 sect 13.5.1 - Hop-by-Hop headers which Squid does not pass on. */
1974 case HDR_CONNECTION
: /** \par Connection: */
1975 case HDR_TE
: /** \par TE: */
1976 case HDR_KEEP_ALIVE
: /** \par Keep-Alive: */
1977 case HDR_PROXY_AUTHENTICATE
: /** \par Proxy-Authenticate: */
1978 case HDR_TRAILER
: /** \par Trailer: */
1979 case HDR_UPGRADE
: /** \par Upgrade: */
1980 case HDR_TRANSFER_ENCODING
: /** \par Transfer-Encoding: */
1983 /** \par OTHER headers I haven't bothered to track down yet. */
1985 case HDR_AUTHORIZATION
:
1986 /** \par WWW-Authorization:
1987 * Pass on WWW authentication */
1989 if (!flags
.originpeer
) {
1990 hdr_out
->addEntry(e
->clone());
1992 /** \note In accelerators, only forward authentication if enabled
1993 * (see also httpFixupAuthentication for special cases)
1995 if (request
->peer_login
&&
1996 (strcmp(request
->peer_login
, "PASS") == 0 ||
1997 strcmp(request
->peer_login
, "PASSTHRU") == 0 ||
1998 strcmp(request
->peer_login
, "PROXYPASS") == 0)) {
1999 hdr_out
->addEntry(e
->clone());
2007 * Normally Squid rewrites the Host: header.
2008 * However, there is one case when we don't: If the URL
2009 * went through our redirector and the admin configured
2010 * 'redir_rewrites_host' to be off.
2012 if (request
->peer_domain
)
2013 hdr_out
->putStr(HDR_HOST
, request
->peer_domain
);
2014 else if (request
->flags
.redirected
&& !Config
.onoff
.redir_rewrites_host
)
2015 hdr_out
->addEntry(e
->clone());
2017 SBuf authority
= request
->url
.authority();
2018 hdr_out
->putStr(HDR_HOST
, authority
.c_str());
2023 case HDR_IF_MODIFIED_SINCE
:
2024 /** \par If-Modified-Since:
2025 * append unless we added our own,
2026 * but only if cache_miss_revalidate is enabled, or
2027 * the request is not cacheable, or
2028 * the request contains authentication credentials.
2029 * \note at most one client's If-Modified-Since header can pass through
2031 // XXX: need to check and cleanup the auth case so cacheable auth requests get cached.
2032 if (hdr_out
->has(HDR_IF_MODIFIED_SINCE
))
2034 else if (Config
.onoff
.cache_miss_revalidate
|| !request
->flags
.cachable
|| request
->flags
.auth
)
2035 hdr_out
->addEntry(e
->clone());
2038 case HDR_IF_NONE_MATCH
:
2039 /** \par If-None-Match:
2040 * append if the wildcard '*' special case value is present, or
2041 * cache_miss_revalidate is disabled, or
2042 * the request is not cacheable in this proxy, or
2043 * the request contains authentication credentials.
2044 * \note this header lists a set of responses for the server to elide sending. Squid added values are extending that set.
2046 // XXX: need to check and cleanup the auth case so cacheable auth requests get cached.
2047 if (hdr_out
->hasListMember(HDR_IF_MATCH
, "*", ',') || Config
.onoff
.cache_miss_revalidate
|| !request
->flags
.cachable
|| request
->flags
.auth
)
2048 hdr_out
->addEntry(e
->clone());
2051 case HDR_MAX_FORWARDS
:
2052 /** \par Max-Forwards:
2053 * pass only on TRACE or OPTIONS requests */
2054 if (request
->method
== Http::METHOD_TRACE
|| request
->method
== Http::METHOD_OPTIONS
) {
2055 const int64_t hops
= e
->getInt64();
2058 hdr_out
->putInt64(HDR_MAX_FORWARDS
, hops
- 1);
2065 * If Via is disabled then forward any received header as-is.
2066 * Otherwise leave for explicit updated addition later. */
2068 if (!Config
.onoff
.via
)
2069 hdr_out
->addEntry(e
->clone());
2077 case HDR_REQUEST_RANGE
:
2078 /** \par Range:, If-Range:, Request-Range:
2079 * Only pass if we accept ranges */
2081 hdr_out
->addEntry(e
->clone());
2085 case HDR_PROXY_CONNECTION
: // SHOULD ignore. But doing so breaks things.
2088 case HDR_CONTENT_LENGTH
:
2089 // pass through unless we chunk; also, keeping this away from default
2090 // prevents request smuggling via Connection: Content-Length tricks
2091 if (!flags
.chunked_request
)
2092 hdr_out
->addEntry(e
->clone());
2095 case HDR_X_FORWARDED_FOR
:
2097 case HDR_CACHE_CONTROL
:
2098 /** \par X-Forwarded-For:, Cache-Control:
2099 * handled specially by Squid, so leave off for now.
2100 * append these after the loop if needed */
2103 case HDR_FRONT_END_HTTPS
:
2104 /** \par Front-End-Https:
2105 * Pass thru only if peer is configured with front-end-https */
2106 if (!flags
.front_end_https
)
2107 hdr_out
->addEntry(e
->clone());
2113 * pass on all other header fields
2114 * which are NOT listed by the special Connection: header. */
2116 if (strConnection
.size()>0 && strListIsMember(&strConnection
, e
->name
.termedBuf(), ',')) {
2117 debugs(11, 2, "'" << e
->name
<< "' header cropped by Connection: definition");
2121 hdr_out
->addEntry(e
->clone());
2126 HttpStateData::decideIfWeDoRanges (HttpRequest
* request
)
2129 /* decide if we want to do Ranges ourselves
2130 * and fetch the whole object now)
2131 * We want to handle Ranges ourselves iff
2132 * - we can actually parse client Range specs
2133 * - the specs are expected to be simple enough (e.g. no out-of-order ranges)
2134 * - reply will be cachable
2135 * (If the reply will be uncachable we have to throw it away after
2136 * serving this request, so it is better to forward ranges to
2137 * the server and fetch only the requested content)
2140 int64_t roffLimit
= request
->getRangeOffsetLimit();
2142 if (NULL
== request
->range
|| !request
->flags
.cachable
2143 || request
->range
->offsetLimitExceeded(roffLimit
) || request
->flags
.connectionAuth
)
2146 debugs(11, 8, "decideIfWeDoRanges: range specs: " <<
2147 request
->range
<< ", cachable: " <<
2148 request
->flags
.cachable
<< "; we_do_ranges: " << result
);
2153 /* build request prefix and append it to a given MemBuf;
2154 * return the length of the prefix */
2156 HttpStateData::buildRequestPrefix(MemBuf
* mb
)
2158 const int offset
= mb
->size
;
2159 /* Uses a local httpver variable to print the HTTP label
2160 * since the HttpRequest may have an older version label.
2161 * XXX: This could create protocol bugs as the headers sent and
2162 * flow control should all be based on the HttpRequest version
2163 * not the one we are sending. Needs checking.
2165 const AnyP::ProtocolVersion httpver
= Http::ProtocolVersion();
2166 const bool canonical
= (_peer
&& !_peer
->options
.originserver
);
2167 const SBuf url
= canonical
? SBuf(urlCanonical(request
)) : request
->url
.path();
2168 mb
->appendf(SQUIDSBUFPH
" " SQUIDSBUFPH
" %s/%d.%d\r\n",
2169 SQUIDSBUFPRINT(request
->method
.image()),
2170 SQUIDSBUFPRINT(url
),
2171 AnyP::ProtocolType_str
[httpver
.protocol
],
2172 httpver
.major
,httpver
.minor
);
2173 /* build and pack headers */
2175 HttpHeader
hdr(hoRequest
);
2176 httpBuildRequestHeader(request
, entry
, fwd
->al
, &hdr
, flags
);
2178 if (request
->flags
.pinned
&& request
->flags
.connectionAuth
)
2179 request
->flags
.authSent
= true;
2180 else if (hdr
.has(HDR_AUTHORIZATION
))
2181 request
->flags
.authSent
= true;
2186 /* append header terminator */
2187 mb
->append(crlf
, 2);
2188 return mb
->size
- offset
;
2191 /* This will be called when connect completes. Write request. */
2193 HttpStateData::sendRequest()
2197 debugs(11, 5, HERE
<< serverConnection
<< ", request " << request
<< ", this " << this << ".");
2199 if (!Comm::IsConnOpen(serverConnection
)) {
2200 debugs(11,3, HERE
<< "cannot send request to closing " << serverConnection
);
2201 assert(closeHandler
!= NULL
);
2205 typedef CommCbMemFunT
<HttpStateData
, CommTimeoutCbParams
> TimeoutDialer
;
2206 AsyncCall::Pointer timeoutCall
= JobCallback(11, 5,
2207 TimeoutDialer
, this, HttpStateData::httpTimeout
);
2208 commSetConnTimeout(serverConnection
, Config
.Timeout
.lifetime
, timeoutCall
);
2209 flags
.do_next_read
= true;
2210 maybeReadVirginBody();
2212 if (request
->body_pipe
!= NULL
) {
2213 if (!startRequestBodyFlow()) // register to receive body data
2215 typedef CommCbMemFunT
<HttpStateData
, CommIoCbParams
> Dialer
;
2216 requestSender
= JobCallback(11,5,
2217 Dialer
, this, HttpStateData::sentRequestBody
);
2219 Must(!flags
.chunked_request
);
2220 // use chunked encoding if we do not know the length
2221 if (request
->content_length
< 0)
2222 flags
.chunked_request
= true;
2224 assert(!requestBodySource
);
2225 typedef CommCbMemFunT
<HttpStateData
, CommIoCbParams
> Dialer
;
2226 requestSender
= JobCallback(11,5,
2227 Dialer
, this, HttpStateData::wroteLast
);
2230 flags
.originpeer
= (_peer
!= NULL
&& _peer
->options
.originserver
);
2231 flags
.proxying
= (_peer
!= NULL
&& !flags
.originpeer
);
2234 * Is keep-alive okay for all request methods?
2236 if (request
->flags
.mustKeepalive
)
2237 flags
.keepalive
= true;
2238 else if (request
->flags
.pinned
)
2239 flags
.keepalive
= request
->persistent();
2240 else if (!Config
.onoff
.server_pconns
)
2241 flags
.keepalive
= false;
2242 else if (_peer
== NULL
)
2243 flags
.keepalive
= true;
2244 else if (_peer
->stats
.n_keepalives_sent
< 10)
2245 flags
.keepalive
= true;
2246 else if ((double) _peer
->stats
.n_keepalives_recv
/
2247 (double) _peer
->stats
.n_keepalives_sent
> 0.50)
2248 flags
.keepalive
= true;
2251 /*The old code here was
2252 if (neighborType(_peer, request->url) == PEER_SIBLING && ...
2253 which is equivalent to:
2254 if (neighborType(_peer, URL()) == PEER_SIBLING && ...
2256 if (((_peer->type == PEER_MULTICAST && p->options.mcast_siblings) ||
2257 _peer->type == PEER_SIBLINGS ) && _peer->options.allow_miss)
2258 flags.only_if_cached = 1;
2260 But I suppose it was a bug
2262 if (neighborType(_peer
, request
->url
) == PEER_SIBLING
&& !_peer
->options
.allow_miss
)
2263 flags
.only_if_cached
= true;
2265 flags
.front_end_https
= _peer
->front_end_https
;
2269 request
->peer_host
=_peer
?_peer
->host
:NULL
;
2270 buildRequestPrefix(&mb
);
2272 debugs(11, 2, "HTTP Server " << serverConnection
);
2273 debugs(11, 2, "HTTP Server REQUEST:\n---------\n" << mb
.buf
<< "\n----------");
2275 Comm::Write(serverConnection
, &mb
, requestSender
);
2280 HttpStateData::getMoreRequestBody(MemBuf
&buf
)
2282 // parent's implementation can handle the no-encoding case
2283 if (!flags
.chunked_request
)
2284 return Client::getMoreRequestBody(buf
);
2288 Must(requestBodySource
!= NULL
);
2289 if (!requestBodySource
->getMoreData(raw
))
2290 return false; // no request body bytes to chunk yet
2292 // optimization: pre-allocate buffer size that should be enough
2293 const mb_size_t rawDataSize
= raw
.contentSize();
2294 // we may need to send: hex-chunk-size CRLF raw-data CRLF last-chunk
2295 buf
.init(16 + 2 + rawDataSize
+ 2 + 5, raw
.max_capacity
);
2297 buf
.appendf("%x\r\n", static_cast<unsigned int>(rawDataSize
));
2298 buf
.append(raw
.content(), rawDataSize
);
2299 buf
.append("\r\n", 2);
2301 Must(rawDataSize
> 0); // we did not accidently created last-chunk above
2303 // Do not send last-chunk unless we successfully received everything
2304 if (receivedWholeRequestBody
) {
2305 Must(!flags
.sentLastChunk
);
2306 flags
.sentLastChunk
= true;
2307 buf
.append("0\r\n\r\n", 5);
2314 httpStart(FwdState
*fwd
)
2316 debugs(11, 3, fwd
->request
->method
<< ' ' << fwd
->entry
->url());
2317 AsyncJob::Start(new HttpStateData(fwd
));
2321 HttpStateData::start()
2323 if (!sendRequest()) {
2324 debugs(11, 3, "httpStart: aborted");
2325 mustStop("HttpStateData::start failed");
2329 ++ statCounter
.server
.all
.requests
;
2330 ++ statCounter
.server
.http
.requests
;
2333 * We used to set the read timeout here, but not any more.
2334 * Now its set in httpSendComplete() after the full request,
2335 * including request body, has been written to the server.
2339 /// if broken posts are enabled for the request, try to fix and return true
2341 HttpStateData::finishingBrokenPost()
2343 #if USE_HTTP_VIOLATIONS
2344 if (!Config
.accessList
.brokenPosts
) {
2345 debugs(11, 5, HERE
<< "No brokenPosts list");
2349 ACLFilledChecklist
ch(Config
.accessList
.brokenPosts
, originalRequest(), NULL
);
2350 if (ch
.fastCheck() != ACCESS_ALLOWED
) {
2351 debugs(11, 5, HERE
<< "didn't match brokenPosts");
2355 if (!Comm::IsConnOpen(serverConnection
)) {
2356 debugs(11, 3, HERE
<< "ignoring broken POST for closed " << serverConnection
);
2357 assert(closeHandler
!= NULL
);
2358 return true; // prevent caller from proceeding as if nothing happened
2361 debugs(11, 3, "finishingBrokenPost: fixing broken POST");
2362 typedef CommCbMemFunT
<HttpStateData
, CommIoCbParams
> Dialer
;
2363 requestSender
= JobCallback(11,5,
2364 Dialer
, this, HttpStateData::wroteLast
);
2365 Comm::Write(serverConnection
, "\r\n", 2, requestSender
, NULL
);
2369 #endif /* USE_HTTP_VIOLATIONS */
2372 /// if needed, write last-chunk to end the request body and return true
2374 HttpStateData::finishingChunkedRequest()
2376 if (flags
.sentLastChunk
) {
2377 debugs(11, 5, HERE
<< "already sent last-chunk");
2381 Must(receivedWholeRequestBody
); // or we should not be sending last-chunk
2382 flags
.sentLastChunk
= true;
2384 typedef CommCbMemFunT
<HttpStateData
, CommIoCbParams
> Dialer
;
2385 requestSender
= JobCallback(11,5, Dialer
, this, HttpStateData::wroteLast
);
2386 Comm::Write(serverConnection
, "0\r\n\r\n", 5, requestSender
, NULL
);
2391 HttpStateData::doneSendingRequestBody()
2393 Client::doneSendingRequestBody();
2394 debugs(11,5, HERE
<< serverConnection
);
2396 // do we need to write something after the last body byte?
2397 if (flags
.chunked_request
&& finishingChunkedRequest())
2399 if (!flags
.chunked_request
&& finishingBrokenPost())
2405 // more origin request body data is available
2407 HttpStateData::handleMoreRequestBodyAvailable()
2409 if (eof
|| !Comm::IsConnOpen(serverConnection
)) {
2410 // XXX: we should check this condition in other callbacks then!
2411 // TODO: Check whether this can actually happen: We should unsubscribe
2412 // as a body consumer when the above condition(s) are detected.
2413 debugs(11, DBG_IMPORTANT
, HERE
<< "Transaction aborted while reading HTTP body");
2417 assert(requestBodySource
!= NULL
);
2419 if (requestBodySource
->buf().hasContent()) {
2420 // XXX: why does not this trigger a debug message on every request?
2422 if (flags
.headers_parsed
&& !flags
.abuse_detected
) {
2423 flags
.abuse_detected
= true;
2424 debugs(11, DBG_IMPORTANT
, "http handleMoreRequestBodyAvailable: Likely proxy abuse detected '" << request
->client_addr
<< "' -> '" << entry
->url() << "'" );
2426 if (virginReply()->sline
.status() == Http::scInvalidHeader
) {
2427 serverConnection
->close();
2433 HttpStateData::handleMoreRequestBodyAvailable();
2436 // premature end of the request body
2438 HttpStateData::handleRequestBodyProducerAborted()
2440 Client::handleRequestBodyProducerAborted();
2441 if (entry
->isEmpty()) {
2442 debugs(11, 3, "request body aborted: " << serverConnection
);
2443 // We usually get here when ICAP REQMOD aborts during body processing.
2444 // We might also get here if client-side aborts, but then our response
2445 // should not matter because either client-side will provide its own or
2446 // there will be no response at all (e.g., if the the client has left).
2447 ErrorState
*err
= new ErrorState(ERR_ICAP_FAILURE
, Http::scInternalServerError
, fwd
->request
);
2448 err
->detailError(ERR_DETAIL_SRV_REQMOD_REQ_BODY
);
2452 abortTransaction("request body producer aborted");
2455 // called when we wrote request headers(!) or a part of the body
2457 HttpStateData::sentRequestBody(const CommIoCbParams
&io
)
2460 kb_incr(&statCounter
.server
.http
.kbytes_out
, io
.size
);
2462 Client::sentRequestBody(io
);
2465 // Quickly abort the transaction
2466 // TODO: destruction should be sufficient as the destructor should cleanup,
2467 // including canceling close handlers
2469 HttpStateData::abortTransaction(const char *reason
)
2471 debugs(11,5, HERE
<< "aborting transaction for " << reason
<<
2472 "; " << serverConnection
<< ", this " << this);
2474 if (Comm::IsConnOpen(serverConnection
)) {
2475 serverConnection
->close();
2479 fwd
->handleUnregisteredServerEnd();
2480 mustStop("HttpStateData::abortTransaction");