1 // Copyright (c) 2012 The Chromium Authors. All rights reserved.
2 // Use of this source code is governed by a BSD-style license that can be
3 // found in the LICENSE file.
5 #include "net/url_request/url_request.h"
8 #include "base/bind_helpers.h"
9 #include "base/callback.h"
10 #include "base/compiler_specific.h"
11 #include "base/debug/stack_trace.h"
12 #include "base/lazy_instance.h"
13 #include "base/memory/singleton.h"
14 #include "base/message_loop/message_loop.h"
15 #include "base/metrics/stats_counters.h"
16 #include "base/metrics/user_metrics.h"
17 #include "base/stl_util.h"
18 #include "base/strings/utf_string_conversions.h"
19 #include "base/synchronization/lock.h"
20 #include "base/values.h"
21 #include "net/base/auth.h"
22 #include "net/base/host_port_pair.h"
23 #include "net/base/load_flags.h"
24 #include "net/base/load_timing_info.h"
25 #include "net/base/net_errors.h"
26 #include "net/base/net_log.h"
27 #include "net/base/network_change_notifier.h"
28 #include "net/base/network_delegate.h"
29 #include "net/base/upload_data_stream.h"
30 #include "net/http/http_response_headers.h"
31 #include "net/http/http_util.h"
32 #include "net/ssl/ssl_cert_request_info.h"
33 #include "net/url_request/url_request_context.h"
34 #include "net/url_request/url_request_error_job.h"
35 #include "net/url_request/url_request_job.h"
36 #include "net/url_request/url_request_job_manager.h"
37 #include "net/url_request/url_request_netlog_params.h"
38 #include "net/url_request/url_request_redirect_job.h"
47 // Max number of http redirects to follow. Same number as gecko.
48 const int kMaxRedirects
= 20;
50 // Discard headers which have meaning in POST (Content-Length, Content-Type,
52 void StripPostSpecificHeaders(HttpRequestHeaders
* headers
) {
53 // These are headers that may be attached to a POST.
54 headers
->RemoveHeader(HttpRequestHeaders::kContentLength
);
55 headers
->RemoveHeader(HttpRequestHeaders::kContentType
);
56 headers
->RemoveHeader(HttpRequestHeaders::kOrigin
);
59 // TODO(battre): Delete this, see http://crbug.com/89321:
60 // This counter keeps track of the identifiers used for URL requests so far.
61 // 0 is reserved to represent an invalid ID.
62 uint64 g_next_url_request_identifier
= 1;
64 // This lock protects g_next_url_request_identifier.
65 base::LazyInstance
<base::Lock
>::Leaky
66 g_next_url_request_identifier_lock
= LAZY_INSTANCE_INITIALIZER
;
68 // Returns an prior unused identifier for URL requests.
69 uint64
GenerateURLRequestIdentifier() {
70 base::AutoLock
lock(g_next_url_request_identifier_lock
.Get());
71 return g_next_url_request_identifier
++;
74 // True once the first URLRequest was started.
75 bool g_url_requests_started
= false;
77 // True if cookies are accepted by default.
78 bool g_default_can_use_cookies
= true;
80 // When the URLRequest first assempts load timing information, it has the times
81 // at which each event occurred. The API requires the time which the request
82 // was blocked on each phase. This function handles the conversion.
84 // In the case of reusing a SPDY session, old proxy results may have been
85 // reused, so proxy resolution times may be before the request was started.
87 // Due to preconnect and late binding, it is also possible for the connection
88 // attempt to start before a request has been started, or proxy resolution
91 // This functions fixes both those cases.
92 void ConvertRealLoadTimesToBlockingTimes(
93 net::LoadTimingInfo
* load_timing_info
) {
94 DCHECK(!load_timing_info
->request_start
.is_null());
96 // Earliest time possible for the request to be blocking on connect events.
97 base::TimeTicks block_on_connect
= load_timing_info
->request_start
;
99 if (!load_timing_info
->proxy_resolve_start
.is_null()) {
100 DCHECK(!load_timing_info
->proxy_resolve_end
.is_null());
102 // Make sure the proxy times are after request start.
103 if (load_timing_info
->proxy_resolve_start
< load_timing_info
->request_start
)
104 load_timing_info
->proxy_resolve_start
= load_timing_info
->request_start
;
105 if (load_timing_info
->proxy_resolve_end
< load_timing_info
->request_start
)
106 load_timing_info
->proxy_resolve_end
= load_timing_info
->request_start
;
108 // Connect times must also be after the proxy times.
109 block_on_connect
= load_timing_info
->proxy_resolve_end
;
112 // Make sure connection times are after start and proxy times.
114 net::LoadTimingInfo::ConnectTiming
* connect_timing
=
115 &load_timing_info
->connect_timing
;
116 if (!connect_timing
->dns_start
.is_null()) {
117 DCHECK(!connect_timing
->dns_end
.is_null());
118 if (connect_timing
->dns_start
< block_on_connect
)
119 connect_timing
->dns_start
= block_on_connect
;
120 if (connect_timing
->dns_end
< block_on_connect
)
121 connect_timing
->dns_end
= block_on_connect
;
124 if (!connect_timing
->connect_start
.is_null()) {
125 DCHECK(!connect_timing
->connect_end
.is_null());
126 if (connect_timing
->connect_start
< block_on_connect
)
127 connect_timing
->connect_start
= block_on_connect
;
128 if (connect_timing
->connect_end
< block_on_connect
)
129 connect_timing
->connect_end
= block_on_connect
;
132 if (!connect_timing
->ssl_start
.is_null()) {
133 DCHECK(!connect_timing
->ssl_end
.is_null());
134 if (connect_timing
->ssl_start
< block_on_connect
)
135 connect_timing
->ssl_start
= block_on_connect
;
136 if (connect_timing
->ssl_end
< block_on_connect
)
137 connect_timing
->ssl_end
= block_on_connect
;
143 void URLRequest::Deprecated::RegisterRequestInterceptor(
144 Interceptor
* interceptor
) {
145 URLRequest::RegisterRequestInterceptor(interceptor
);
148 void URLRequest::Deprecated::UnregisterRequestInterceptor(
149 Interceptor
* interceptor
) {
150 URLRequest::UnregisterRequestInterceptor(interceptor
);
153 ///////////////////////////////////////////////////////////////////////////////
154 // URLRequest::Interceptor
156 URLRequestJob
* URLRequest::Interceptor::MaybeInterceptRedirect(
158 NetworkDelegate
* network_delegate
,
159 const GURL
& location
) {
163 URLRequestJob
* URLRequest::Interceptor::MaybeInterceptResponse(
164 URLRequest
* request
, NetworkDelegate
* network_delegate
) {
168 ///////////////////////////////////////////////////////////////////////////////
169 // URLRequest::Delegate
171 void URLRequest::Delegate::OnReceivedRedirect(URLRequest
* request
,
173 bool* defer_redirect
) {
176 void URLRequest::Delegate::OnAuthRequired(URLRequest
* request
,
177 AuthChallengeInfo
* auth_info
) {
178 request
->CancelAuth();
181 void URLRequest::Delegate::OnCertificateRequested(
183 SSLCertRequestInfo
* cert_request_info
) {
187 void URLRequest::Delegate::OnSSLCertificateError(URLRequest
* request
,
188 const SSLInfo
& ssl_info
,
193 void URLRequest::Delegate::OnBeforeNetworkStart(URLRequest
* request
,
197 ///////////////////////////////////////////////////////////////////////////////
200 URLRequest::URLRequest(const GURL
& url
,
201 RequestPriority priority
,
203 const URLRequestContext
* context
)
204 : identifier_(GenerateURLRequestIdentifier()) {
205 Init(url
, priority
, delegate
, context
, NULL
);
208 URLRequest::URLRequest(const GURL
& url
,
209 RequestPriority priority
,
211 const URLRequestContext
* context
,
212 CookieStore
* cookie_store
)
213 : identifier_(GenerateURLRequestIdentifier()) {
214 Init(url
, priority
, delegate
, context
, cookie_store
);
217 URLRequest::~URLRequest() {
220 if (network_delegate_
) {
221 network_delegate_
->NotifyURLRequestDestroyed(this);
223 job_
->NotifyURLRequestDestroyed();
229 int deleted
= context_
->url_requests()->erase(this);
230 CHECK_EQ(1, deleted
);
233 // Log error only on failure, not cancellation, as even successful requests
234 // are "cancelled" on destruction.
235 if (status_
.status() == URLRequestStatus::FAILED
)
236 net_error
= status_
.error();
237 net_log_
.EndEventWithNetErrorCode(NetLog::TYPE_REQUEST_ALIVE
, net_error
);
241 void URLRequest::RegisterRequestInterceptor(Interceptor
* interceptor
) {
242 URLRequestJobManager::GetInstance()->RegisterRequestInterceptor(interceptor
);
246 void URLRequest::UnregisterRequestInterceptor(Interceptor
* interceptor
) {
247 URLRequestJobManager::GetInstance()->UnregisterRequestInterceptor(
251 void URLRequest::Init(const GURL
& url
,
252 RequestPriority priority
,
254 const URLRequestContext
* context
,
255 CookieStore
* cookie_store
) {
257 network_delegate_
= context
->network_delegate();
258 net_log_
= BoundNetLog::Make(context
->net_log(), NetLog::SOURCE_URL_REQUEST
);
259 url_chain_
.push_back(url
);
261 referrer_policy_
= CLEAR_REFERRER_ON_TRANSITION_FROM_SECURE_TO_INSECURE
;
262 load_flags_
= LOAD_NORMAL
;
263 delegate_
= delegate
;
265 is_redirecting_
= false;
266 redirect_limit_
= kMaxRedirects
;
267 priority_
= priority
;
268 calling_delegate_
= false;
269 use_blocked_by_as_load_param_
=false;
270 before_request_callback_
= base::Bind(&URLRequest::BeforeRequestComplete
,
271 base::Unretained(this));
272 has_notified_completion_
= false;
273 received_response_content_length_
= 0;
274 creation_time_
= base::TimeTicks::Now();
275 notified_before_network_start_
= false;
277 SIMPLE_STATS_COUNTER("URLRequestCount");
279 // Sanity check out environment.
280 DCHECK(base::MessageLoop::current())
281 << "The current base::MessageLoop must exist";
284 context
->url_requests()->insert(this);
285 cookie_store_
= cookie_store
;
286 if (cookie_store_
== NULL
)
287 cookie_store_
= context
->cookie_store();
289 net_log_
.BeginEvent(NetLog::TYPE_REQUEST_ALIVE
);
292 void URLRequest::EnableChunkedUpload() {
293 DCHECK(!upload_data_stream_
|| upload_data_stream_
->is_chunked());
294 if (!upload_data_stream_
) {
295 upload_data_stream_
.reset(
296 new UploadDataStream(UploadDataStream::CHUNKED
, 0));
300 void URLRequest::AppendChunkToUpload(const char* bytes
,
302 bool is_last_chunk
) {
303 DCHECK(upload_data_stream_
);
304 DCHECK(upload_data_stream_
->is_chunked());
305 DCHECK_GT(bytes_len
, 0);
306 upload_data_stream_
->AppendChunk(bytes
, bytes_len
, is_last_chunk
);
309 void URLRequest::set_upload(scoped_ptr
<UploadDataStream
> upload
) {
310 DCHECK(!upload
->is_chunked());
311 upload_data_stream_
= upload
.Pass();
314 const UploadDataStream
* URLRequest::get_upload() const {
315 return upload_data_stream_
.get();
318 bool URLRequest::has_upload() const {
319 return upload_data_stream_
.get() != NULL
;
322 void URLRequest::SetExtraRequestHeaderById(int id
, const string
& value
,
324 DCHECK(!is_pending_
|| is_redirecting_
);
325 NOTREACHED() << "implement me!";
328 void URLRequest::SetExtraRequestHeaderByName(const string
& name
,
331 DCHECK(!is_pending_
|| is_redirecting_
);
333 extra_request_headers_
.SetHeader(name
, value
);
335 extra_request_headers_
.SetHeaderIfMissing(name
, value
);
339 void URLRequest::RemoveRequestHeaderByName(const string
& name
) {
340 DCHECK(!is_pending_
|| is_redirecting_
);
341 extra_request_headers_
.RemoveHeader(name
);
344 void URLRequest::SetExtraRequestHeaders(
345 const HttpRequestHeaders
& headers
) {
346 DCHECK(!is_pending_
);
347 extra_request_headers_
= headers
;
349 // NOTE: This method will likely become non-trivial once the other setters
350 // for request headers are implemented.
353 bool URLRequest::GetFullRequestHeaders(HttpRequestHeaders
* headers
) const {
357 return job_
->GetFullRequestHeaders(headers
);
360 int64
URLRequest::GetTotalReceivedBytes() const {
364 return job_
->GetTotalReceivedBytes();
367 LoadStateWithParam
URLRequest::GetLoadState() const {
368 // The !blocked_by_.empty() check allows |this| to report it's blocked on a
369 // delegate before it has been started.
370 if (calling_delegate_
|| !blocked_by_
.empty()) {
371 return LoadStateWithParam(
372 LOAD_STATE_WAITING_FOR_DELEGATE
,
373 use_blocked_by_as_load_param_
? base::UTF8ToUTF16(blocked_by_
) :
376 return LoadStateWithParam(job_
.get() ? job_
->GetLoadState() : LOAD_STATE_IDLE
,
380 base::Value
* URLRequest::GetStateAsValue() const {
381 base::DictionaryValue
* dict
= new base::DictionaryValue();
382 dict
->SetString("url", original_url().possibly_invalid_spec());
384 if (url_chain_
.size() > 1) {
385 base::ListValue
* list
= new base::ListValue();
386 for (std::vector
<GURL
>::const_iterator url
= url_chain_
.begin();
387 url
!= url_chain_
.end(); ++url
) {
388 list
->AppendString(url
->possibly_invalid_spec());
390 dict
->Set("url_chain", list
);
393 dict
->SetInteger("load_flags", load_flags_
);
395 LoadStateWithParam load_state
= GetLoadState();
396 dict
->SetInteger("load_state", load_state
.state
);
397 if (!load_state
.param
.empty())
398 dict
->SetString("load_state_param", load_state
.param
);
399 if (!blocked_by_
.empty())
400 dict
->SetString("delegate_info", blocked_by_
);
402 dict
->SetString("method", method_
);
403 dict
->SetBoolean("has_upload", has_upload());
404 dict
->SetBoolean("is_pending", is_pending_
);
406 // Add the status of the request. The status should always be IO_PENDING, and
407 // the error should always be OK, unless something is holding onto a request
408 // that has finished or a request was leaked. Neither of these should happen.
409 switch (status_
.status()) {
410 case URLRequestStatus::SUCCESS
:
411 dict
->SetString("status", "SUCCESS");
413 case URLRequestStatus::IO_PENDING
:
414 dict
->SetString("status", "IO_PENDING");
416 case URLRequestStatus::CANCELED
:
417 dict
->SetString("status", "CANCELED");
419 case URLRequestStatus::FAILED
:
420 dict
->SetString("status", "FAILED");
423 if (status_
.error() != OK
)
424 dict
->SetInteger("net_error", status_
.error());
428 void URLRequest::LogBlockedBy(const char* blocked_by
) {
430 DCHECK_GT(strlen(blocked_by
), 0u);
432 // Only log information to NetLog during startup and certain deferring calls
433 // to delegates. For all reads but the first, do nothing.
434 if (!calling_delegate_
&& !response_info_
.request_time
.is_null())
438 blocked_by_
= blocked_by
;
439 use_blocked_by_as_load_param_
= false;
442 NetLog::TYPE_DELEGATE_INFO
,
443 NetLog::StringCallback("delegate_info", &blocked_by_
));
446 void URLRequest::LogAndReportBlockedBy(const char* source
) {
447 LogBlockedBy(source
);
448 use_blocked_by_as_load_param_
= true;
451 void URLRequest::LogUnblocked() {
452 if (blocked_by_
.empty())
455 net_log_
.EndEvent(NetLog::TYPE_DELEGATE_INFO
);
459 UploadProgress
URLRequest::GetUploadProgress() const {
461 // We haven't started or the request was cancelled
462 return UploadProgress();
464 if (final_upload_progress_
.position()) {
465 // The first job completed and none of the subsequent series of
466 // GETs when following redirects will upload anything, so we return the
467 // cached results from the initial job, the POST.
468 return final_upload_progress_
;
470 return job_
->GetUploadProgress();
473 void URLRequest::GetResponseHeaderById(int id
, string
* value
) {
475 NOTREACHED() << "implement me!";
478 void URLRequest::GetResponseHeaderByName(const string
& name
, string
* value
) {
480 if (response_info_
.headers
.get()) {
481 response_info_
.headers
->GetNormalizedHeader(name
, value
);
487 void URLRequest::GetAllResponseHeaders(string
* headers
) {
489 if (response_info_
.headers
.get()) {
490 response_info_
.headers
->GetNormalizedHeaders(headers
);
496 HostPortPair
URLRequest::GetSocketAddress() const {
498 return job_
->GetSocketAddress();
501 HttpResponseHeaders
* URLRequest::response_headers() const {
502 return response_info_
.headers
.get();
505 void URLRequest::GetLoadTimingInfo(LoadTimingInfo
* load_timing_info
) const {
506 *load_timing_info
= load_timing_info_
;
509 bool URLRequest::GetResponseCookies(ResponseCookies
* cookies
) {
511 return job_
->GetResponseCookies(cookies
);
514 void URLRequest::GetMimeType(string
* mime_type
) const {
516 job_
->GetMimeType(mime_type
);
519 void URLRequest::GetCharset(string
* charset
) const {
521 job_
->GetCharset(charset
);
524 int URLRequest::GetResponseCode() const {
526 return job_
->GetResponseCode();
529 void URLRequest::SetLoadFlags(int flags
) {
530 if ((load_flags_
& LOAD_IGNORE_LIMITS
) != (flags
& LOAD_IGNORE_LIMITS
)) {
532 DCHECK(flags
& LOAD_IGNORE_LIMITS
);
533 DCHECK_EQ(priority_
, MAXIMUM_PRIORITY
);
537 // This should be a no-op given the above DCHECKs, but do this
538 // anyway for release mode.
539 if ((load_flags_
& LOAD_IGNORE_LIMITS
) != 0)
540 SetPriority(MAXIMUM_PRIORITY
);
544 void URLRequest::SetDefaultCookiePolicyToBlock() {
545 CHECK(!g_url_requests_started
);
546 g_default_can_use_cookies
= false;
550 bool URLRequest::IsHandledProtocol(const std::string
& scheme
) {
551 return URLRequestJobManager::SupportsScheme(scheme
);
555 bool URLRequest::IsHandledURL(const GURL
& url
) {
556 if (!url
.is_valid()) {
557 // We handle error cases.
561 return IsHandledProtocol(url
.scheme());
564 void URLRequest::set_first_party_for_cookies(
565 const GURL
& first_party_for_cookies
) {
566 first_party_for_cookies_
= first_party_for_cookies
;
569 void URLRequest::set_method(const std::string
& method
) {
570 DCHECK(!is_pending_
);
575 std::string
URLRequest::ComputeMethodForRedirect(
576 const std::string
& method
,
577 int http_status_code
) {
578 // For 303 redirects, all request methods except HEAD are converted to GET,
579 // as per the latest httpbis draft. The draft also allows POST requests to
580 // be converted to GETs when following 301/302 redirects, for historical
581 // reasons. Most major browsers do this and so shall we. Both RFC 2616 and
582 // the httpbis draft say to prompt the user to confirm the generation of new
583 // requests, other than GET and HEAD requests, but IE omits these prompts and
585 // See: https://tools.ietf.org/html/draft-ietf-httpbis-p2-semantics-17#section-7.3
586 if ((http_status_code
== 303 && method
!= "HEAD") ||
587 ((http_status_code
== 301 || http_status_code
== 302) &&
594 void URLRequest::SetReferrer(const std::string
& referrer
) {
595 DCHECK(!is_pending_
);
596 GURL
referrer_url(referrer
);
597 if (referrer_url
.is_valid()) {
598 referrer_
= referrer_url
.GetAsReferrer().spec();
600 referrer_
= referrer
;
604 void URLRequest::set_referrer_policy(ReferrerPolicy referrer_policy
) {
605 DCHECK(!is_pending_
);
606 referrer_policy_
= referrer_policy
;
609 void URLRequest::set_delegate(Delegate
* delegate
) {
610 delegate_
= delegate
;
613 void URLRequest::Start() {
614 // Some values can be NULL, but the job factory must not be.
615 DCHECK(context_
->job_factory());
617 DCHECK_EQ(network_delegate_
, context_
->network_delegate());
618 // Anything that sets |blocked_by_| before start should have cleaned up after
620 DCHECK(blocked_by_
.empty());
622 g_url_requests_started
= true;
623 response_info_
.request_time
= base::Time::Now();
625 load_timing_info_
= LoadTimingInfo();
626 load_timing_info_
.request_start_time
= response_info_
.request_time
;
627 load_timing_info_
.request_start
= base::TimeTicks::Now();
629 // Only notify the delegate for the initial request.
630 if (network_delegate_
) {
632 int error
= network_delegate_
->NotifyBeforeURLRequest(
633 this, before_request_callback_
, &delegate_redirect_url_
);
634 // If ERR_IO_PENDING is returned, the delegate will invoke
635 // |before_request_callback_| later.
636 if (error
!= ERR_IO_PENDING
)
637 BeforeRequestComplete(error
);
641 StartJob(URLRequestJobManager::GetInstance()->CreateJob(
642 this, network_delegate_
));
645 ///////////////////////////////////////////////////////////////////////////////
647 void URLRequest::BeforeRequestComplete(int error
) {
649 DCHECK_NE(ERR_IO_PENDING
, error
);
650 DCHECK_EQ(network_delegate_
, context_
->network_delegate());
652 // Check that there are no callbacks to already canceled requests.
653 DCHECK_NE(URLRequestStatus::CANCELED
, status_
.status());
655 OnCallToDelegateComplete();
658 std::string
source("delegate");
659 net_log_
.AddEvent(NetLog::TYPE_CANCELLED
,
660 NetLog::StringCallback("source", &source
));
661 StartJob(new URLRequestErrorJob(this, network_delegate_
, error
));
662 } else if (!delegate_redirect_url_
.is_empty()) {
664 new_url
.Swap(&delegate_redirect_url_
);
666 URLRequestRedirectJob
* job
= new URLRequestRedirectJob(
667 this, network_delegate_
, new_url
,
668 // Use status code 307 to preserve the method, so POST requests work.
669 URLRequestRedirectJob::REDIRECT_307_TEMPORARY_REDIRECT
, "Delegate");
672 StartJob(URLRequestJobManager::GetInstance()->CreateJob(
673 this, network_delegate_
));
677 void URLRequest::StartJob(URLRequestJob
* job
) {
678 DCHECK(!is_pending_
);
682 NetLog::TYPE_URL_REQUEST_START_JOB
,
683 base::Bind(&NetLogURLRequestStartCallback
,
684 &url(), &method_
, load_flags_
, priority_
,
685 upload_data_stream_
? upload_data_stream_
->identifier() : -1));
688 job_
->SetExtraRequestHeaders(extra_request_headers_
);
689 job_
->SetPriority(priority_
);
691 if (upload_data_stream_
.get())
692 job_
->SetUpload(upload_data_stream_
.get());
695 is_redirecting_
= false;
697 response_info_
.was_cached
= false;
699 // If the referrer is secure, but the requested URL is not, the referrer
700 // policy should be something non-default. If you hit this, please file a
702 if (referrer_policy_
==
703 CLEAR_REFERRER_ON_TRANSITION_FROM_SECURE_TO_INSECURE
&&
704 GURL(referrer_
).SchemeIsSecure() && !url().SchemeIsSecure()) {
705 #if !defined(OFFICIAL_BUILD)
706 LOG(FATAL
) << "Trying to send secure referrer for insecure load";
710 base::UserMetricsAction("Net.URLRequest_StartJob_InvalidReferrer"));
713 // Don't allow errors to be sent from within Start().
714 // TODO(brettw) this may cause NotifyDone to be sent synchronously,
715 // we probably don't want this: they should be sent asynchronously so
716 // the caller does not get reentered.
720 void URLRequest::Restart() {
721 // Should only be called if the original job didn't make any progress.
722 DCHECK(job_
.get() && !job_
->has_response_started());
724 URLRequestJobManager::GetInstance()->CreateJob(this, network_delegate_
));
727 void URLRequest::RestartWithJob(URLRequestJob
*job
) {
728 DCHECK(job
->request() == this);
733 void URLRequest::Cancel() {
734 DoCancel(ERR_ABORTED
, SSLInfo());
737 void URLRequest::CancelWithError(int error
) {
738 DoCancel(error
, SSLInfo());
741 void URLRequest::CancelWithSSLError(int error
, const SSLInfo
& ssl_info
) {
742 // This should only be called on a started request.
743 if (!is_pending_
|| !job_
.get() || job_
->has_response_started()) {
747 DoCancel(error
, ssl_info
);
750 void URLRequest::DoCancel(int error
, const SSLInfo
& ssl_info
) {
752 // If cancelled while calling a delegate, clear delegate info.
753 if (calling_delegate_
) {
755 OnCallToDelegateComplete();
758 // If the URL request already has an error status, then canceling is a no-op.
759 // Plus, we don't want to change the error status once it has been set.
760 if (status_
.is_success()) {
761 status_
.set_status(URLRequestStatus::CANCELED
);
762 status_
.set_error(error
);
763 response_info_
.ssl_info
= ssl_info
;
765 // If the request hasn't already been completed, log a cancellation event.
766 if (!has_notified_completion_
) {
767 // Don't log an error code on ERR_ABORTED, since that's redundant.
768 net_log_
.AddEventWithNetErrorCode(NetLog::TYPE_CANCELLED
,
769 error
== ERR_ABORTED
? OK
: error
);
773 if (is_pending_
&& job_
.get())
776 // We need to notify about the end of this job here synchronously. The
777 // Job sends an asynchronous notification but by the time this is processed,
778 // our |context_| is NULL.
779 NotifyRequestCompleted();
781 // The Job will call our NotifyDone method asynchronously. This is done so
782 // that the Delegate implementation can call Cancel without having to worry
783 // about being called recursively.
786 bool URLRequest::Read(IOBuffer
* dest
, int dest_size
, int* bytes_read
) {
791 // If this is the first read, end the delegate call that may have started in
792 // OnResponseStarted.
793 OnCallToDelegateComplete();
795 // This handles a cancel that happens while paused.
796 // TODO(ahendrickson): DCHECK() that it is not done after
797 // http://crbug.com/115705 is fixed.
801 if (dest_size
== 0) {
802 // Caller is not too bright. I guess we've done what they asked.
806 // Once the request fails or is cancelled, read will just return 0 bytes
807 // to indicate end of stream.
808 if (!status_
.is_success()) {
812 bool rv
= job_
->Read(dest
, dest_size
, bytes_read
);
813 // If rv is false, the status cannot be success.
814 DCHECK(rv
|| status_
.status() != URLRequestStatus::SUCCESS
);
815 if (rv
&& *bytes_read
<= 0 && status_
.is_success())
816 NotifyRequestCompleted();
820 void URLRequest::StopCaching() {
825 void URLRequest::NotifyReceivedRedirect(const GURL
& location
,
826 bool* defer_redirect
) {
827 is_redirecting_
= true;
830 URLRequestJobManager::GetInstance()->MaybeInterceptRedirect(
831 this, network_delegate_
, location
);
834 } else if (delegate_
) {
836 delegate_
->OnReceivedRedirect(this, location
, defer_redirect
);
837 // |this| may be have been destroyed here.
841 void URLRequest::NotifyBeforeNetworkStart(bool* defer
) {
842 if (delegate_
&& !notified_before_network_start_
) {
844 delegate_
->OnBeforeNetworkStart(this, defer
);
846 OnCallToDelegateComplete();
847 notified_before_network_start_
= true;
851 void URLRequest::ResumeNetworkStart() {
853 DCHECK(notified_before_network_start_
);
855 OnCallToDelegateComplete();
856 job_
->ResumeNetworkStart();
859 void URLRequest::NotifyResponseStarted() {
861 if (!status_
.is_success())
862 net_error
= status_
.error();
863 net_log_
.EndEventWithNetErrorCode(NetLog::TYPE_URL_REQUEST_START_JOB
,
867 URLRequestJobManager::GetInstance()->MaybeInterceptResponse(
868 this, network_delegate_
);
873 // In some cases (e.g. an event was canceled), we might have sent the
874 // completion event and receive a NotifyResponseStarted() later.
875 if (!has_notified_completion_
&& status_
.is_success()) {
876 if (network_delegate_
)
877 network_delegate_
->NotifyResponseStarted(this);
880 // Notify in case the entire URL Request has been finished.
881 if (!has_notified_completion_
&& !status_
.is_success())
882 NotifyRequestCompleted();
885 delegate_
->OnResponseStarted(this);
886 // Nothing may appear below this line as OnResponseStarted may delete
892 void URLRequest::FollowDeferredRedirect() {
894 CHECK(status_
.is_success());
896 job_
->FollowDeferredRedirect();
899 void URLRequest::SetAuth(const AuthCredentials
& credentials
) {
901 DCHECK(job_
->NeedsAuth());
903 job_
->SetAuth(credentials
);
906 void URLRequest::CancelAuth() {
908 DCHECK(job_
->NeedsAuth());
913 void URLRequest::ContinueWithCertificate(X509Certificate
* client_cert
) {
916 job_
->ContinueWithCertificate(client_cert
);
919 void URLRequest::ContinueDespiteLastError() {
922 job_
->ContinueDespiteLastError();
925 void URLRequest::PrepareToRestart() {
928 // Close the current URL_REQUEST_START_JOB, since we will be starting a new
930 net_log_
.EndEvent(NetLog::TYPE_URL_REQUEST_START_JOB
);
934 response_info_
= HttpResponseInfo();
935 response_info_
.request_time
= base::Time::Now();
937 load_timing_info_
= LoadTimingInfo();
938 load_timing_info_
.request_start_time
= response_info_
.request_time
;
939 load_timing_info_
.request_start
= base::TimeTicks::Now();
941 status_
= URLRequestStatus();
945 void URLRequest::OrphanJob() {
946 // When calling this function, please check that URLRequestHttpJob is
947 // not in between calling NetworkDelegate::NotifyHeadersReceived receiving
948 // the call back. This is currently guaranteed by the following strategies:
949 // - OrphanJob is called on JobRestart, in this case the URLRequestJob cannot
950 // be receiving any headers at that time.
951 // - OrphanJob is called in ~URLRequest, in this case
952 // NetworkDelegate::NotifyURLRequestDestroyed notifies the NetworkDelegate
953 // that the callback becomes invalid.
955 job_
->DetachRequest(); // ensures that the job will not call us again
959 int URLRequest::Redirect(const GURL
& location
, int http_status_code
) {
960 // Matches call in NotifyReceivedRedirect.
961 OnCallToDelegateComplete();
962 if (net_log_
.IsLogging()) {
964 NetLog::TYPE_URL_REQUEST_REDIRECTED
,
965 NetLog::StringCallback("location", &location
.possibly_invalid_spec()));
968 if (network_delegate_
)
969 network_delegate_
->NotifyBeforeRedirect(this, location
);
971 if (redirect_limit_
<= 0) {
972 DVLOG(1) << "disallowing redirect: exceeds limit";
973 return ERR_TOO_MANY_REDIRECTS
;
976 if (!location
.is_valid())
977 return ERR_INVALID_URL
;
979 if (!job_
->IsSafeRedirect(location
)) {
980 DVLOG(1) << "disallowing redirect: unsafe protocol";
981 return ERR_UNSAFE_REDIRECT
;
984 if (!final_upload_progress_
.position())
985 final_upload_progress_
= job_
->GetUploadProgress();
988 std::string
new_method(ComputeMethodForRedirect(method_
, http_status_code
));
989 if (new_method
!= method_
) {
990 if (method_
== "POST") {
991 // If being switched from POST, must remove headers that were specific to
992 // the POST and don't have meaning in other methods. For example the
993 // inclusion of a multipart Content-Type header in GET can cause problems
994 // with some servers:
995 // http://code.google.com/p/chromium/issues/detail?id=843
996 StripPostSpecificHeaders(&extra_request_headers_
);
998 upload_data_stream_
.reset();
999 method_
.swap(new_method
);
1002 // Suppress the referrer if we're redirecting out of https.
1003 if (referrer_policy_
==
1004 CLEAR_REFERRER_ON_TRANSITION_FROM_SECURE_TO_INSECURE
&&
1005 GURL(referrer_
).SchemeIsSecure() && !location
.SchemeIsSecure()) {
1009 url_chain_
.push_back(location
);
1016 const URLRequestContext
* URLRequest::context() const {
1020 int64
URLRequest::GetExpectedContentSize() const {
1021 int64 expected_content_size
= -1;
1023 expected_content_size
= job_
->expected_content_size();
1025 return expected_content_size
;
1028 void URLRequest::SetPriority(RequestPriority priority
) {
1029 DCHECK_GE(priority
, MINIMUM_PRIORITY
);
1030 DCHECK_LE(priority
, MAXIMUM_PRIORITY
);
1032 if ((load_flags_
& LOAD_IGNORE_LIMITS
) && (priority
!= MAXIMUM_PRIORITY
)) {
1034 // Maintain the invariant that requests with IGNORE_LIMITS set
1035 // have MAXIMUM_PRIORITY for release mode.
1039 if (priority_
== priority
)
1042 priority_
= priority
;
1044 net_log_
.AddEvent(NetLog::TYPE_URL_REQUEST_SET_PRIORITY
,
1045 NetLog::IntegerCallback("priority", priority_
));
1046 job_
->SetPriority(priority_
);
1050 bool URLRequest::GetHSTSRedirect(GURL
* redirect_url
) const {
1051 const GURL
& url
= this->url();
1052 if (!url
.SchemeIs("http"))
1054 TransportSecurityState
* state
= context()->transport_security_state();
1056 state
->ShouldUpgradeToSSL(
1058 SSLConfigService::IsSNIAvailable(context()->ssl_config_service()))) {
1059 url::Replacements
<char> replacements
;
1060 const char kNewScheme
[] = "https";
1061 replacements
.SetScheme(kNewScheme
, url::Component(0, strlen(kNewScheme
)));
1062 *redirect_url
= url
.ReplaceComponents(replacements
);
1068 void URLRequest::NotifyAuthRequired(AuthChallengeInfo
* auth_info
) {
1069 NetworkDelegate::AuthRequiredResponse rv
=
1070 NetworkDelegate::AUTH_REQUIRED_RESPONSE_NO_ACTION
;
1071 auth_info_
= auth_info
;
1072 if (network_delegate_
) {
1074 rv
= network_delegate_
->NotifyAuthRequired(
1077 base::Bind(&URLRequest::NotifyAuthRequiredComplete
,
1078 base::Unretained(this)),
1079 &auth_credentials_
);
1080 if (rv
== NetworkDelegate::AUTH_REQUIRED_RESPONSE_IO_PENDING
)
1084 NotifyAuthRequiredComplete(rv
);
1087 void URLRequest::NotifyAuthRequiredComplete(
1088 NetworkDelegate::AuthRequiredResponse result
) {
1089 OnCallToDelegateComplete();
1091 // Check that there are no callbacks to already canceled requests.
1092 DCHECK_NE(URLRequestStatus::CANCELED
, status_
.status());
1094 // NotifyAuthRequired may be called multiple times, such as
1095 // when an authentication attempt fails. Clear out the data
1096 // so it can be reset on another round.
1097 AuthCredentials credentials
= auth_credentials_
;
1098 auth_credentials_
= AuthCredentials();
1099 scoped_refptr
<AuthChallengeInfo
> auth_info
;
1100 auth_info
.swap(auth_info_
);
1103 case NetworkDelegate::AUTH_REQUIRED_RESPONSE_NO_ACTION
:
1104 // Defer to the URLRequest::Delegate, since the NetworkDelegate
1105 // didn't take an action.
1107 delegate_
->OnAuthRequired(this, auth_info
.get());
1110 case NetworkDelegate::AUTH_REQUIRED_RESPONSE_SET_AUTH
:
1111 SetAuth(credentials
);
1114 case NetworkDelegate::AUTH_REQUIRED_RESPONSE_CANCEL_AUTH
:
1118 case NetworkDelegate::AUTH_REQUIRED_RESPONSE_IO_PENDING
:
1124 void URLRequest::NotifyCertificateRequested(
1125 SSLCertRequestInfo
* cert_request_info
) {
1127 delegate_
->OnCertificateRequested(this, cert_request_info
);
1130 void URLRequest::NotifySSLCertificateError(const SSLInfo
& ssl_info
,
1133 delegate_
->OnSSLCertificateError(this, ssl_info
, fatal
);
1136 bool URLRequest::CanGetCookies(const CookieList
& cookie_list
) const {
1137 DCHECK(!(load_flags_
& LOAD_DO_NOT_SEND_COOKIES
));
1138 if (network_delegate_
) {
1139 return network_delegate_
->CanGetCookies(*this, cookie_list
);
1141 return g_default_can_use_cookies
;
1144 bool URLRequest::CanSetCookie(const std::string
& cookie_line
,
1145 CookieOptions
* options
) const {
1146 DCHECK(!(load_flags_
& LOAD_DO_NOT_SAVE_COOKIES
));
1147 if (network_delegate_
) {
1148 return network_delegate_
->CanSetCookie(*this, cookie_line
, options
);
1150 return g_default_can_use_cookies
;
1153 bool URLRequest::CanEnablePrivacyMode() const {
1154 if (network_delegate_
) {
1155 return network_delegate_
->CanEnablePrivacyMode(url(),
1156 first_party_for_cookies_
);
1158 return !g_default_can_use_cookies
;
1162 void URLRequest::NotifyReadCompleted(int bytes_read
) {
1163 // Notify in case the entire URL Request has been finished.
1164 if (bytes_read
<= 0)
1165 NotifyRequestCompleted();
1167 // Notify NetworkChangeNotifier that we just received network data.
1168 // This is to identify cases where the NetworkChangeNotifier thinks we
1169 // are off-line but we are still receiving network data (crbug.com/124069),
1170 // and to get rough network connection measurements.
1171 if (bytes_read
> 0 && !was_cached())
1172 NetworkChangeNotifier::NotifyDataReceived(*this, bytes_read
);
1175 delegate_
->OnReadCompleted(this, bytes_read
);
1177 // Nothing below this line as OnReadCompleted may delete |this|.
1180 void URLRequest::OnHeadersComplete() {
1181 // Cache load timing information now, as information will be lost once the
1182 // socket is closed and the ClientSocketHandle is Reset, which will happen
1183 // once the body is complete. The start times should already be populated.
1185 // Keep a copy of the two times the URLRequest sets.
1186 base::TimeTicks request_start
= load_timing_info_
.request_start
;
1187 base::Time request_start_time
= load_timing_info_
.request_start_time
;
1189 // Clear load times. Shouldn't be neded, but gives the GetLoadTimingInfo a
1190 // consistent place to start from.
1191 load_timing_info_
= LoadTimingInfo();
1192 job_
->GetLoadTimingInfo(&load_timing_info_
);
1194 load_timing_info_
.request_start
= request_start
;
1195 load_timing_info_
.request_start_time
= request_start_time
;
1197 ConvertRealLoadTimesToBlockingTimes(&load_timing_info_
);
1201 void URLRequest::NotifyRequestCompleted() {
1202 // TODO(battre): Get rid of this check, according to willchan it should
1204 if (has_notified_completion_
)
1207 is_pending_
= false;
1208 is_redirecting_
= false;
1209 has_notified_completion_
= true;
1210 if (network_delegate_
)
1211 network_delegate_
->NotifyCompleted(this, job_
.get() != NULL
);
1214 void URLRequest::OnCallToDelegate() {
1215 DCHECK(!calling_delegate_
);
1216 DCHECK(blocked_by_
.empty());
1217 calling_delegate_
= true;
1218 net_log_
.BeginEvent(NetLog::TYPE_URL_REQUEST_DELEGATE
);
1221 void URLRequest::OnCallToDelegateComplete() {
1222 // This should have been cleared before resuming the request.
1223 DCHECK(blocked_by_
.empty());
1224 if (!calling_delegate_
)
1226 calling_delegate_
= false;
1227 net_log_
.EndEvent(NetLog::TYPE_URL_REQUEST_DELEGATE
);
1230 void URLRequest::set_stack_trace(const base::debug::StackTrace
& stack_trace
) {
1231 base::debug::StackTrace
* stack_trace_copy
=
1232 new base::debug::StackTrace(NULL
, 0);
1233 *stack_trace_copy
= stack_trace
;
1234 stack_trace_
.reset(stack_trace_copy
);
1237 const base::debug::StackTrace
* URLRequest::stack_trace() const {
1238 return stack_trace_
.get();