1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136
|
// Copyright 2022 The Chromium Authors
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef CONTENT_BROWSER_PRELOADING_PREFETCH_PREFETCH_CONTAINER_H_
#define CONTENT_BROWSER_PRELOADING_PREFETCH_PREFETCH_CONTAINER_H_
#include <optional>
#include <utility>
#include <variant>
#include "base/memory/raw_ref.h"
#include "base/memory/weak_ptr.h"
#include "base/observer_list.h"
#include "base/observer_list_types.h"
#include "base/time/time.h"
#include "content/browser/devtools/network_service_devtools_observer.h"
#include "content/browser/preloading/prefetch/prefetch_params.h"
#include "content/browser/preloading/prefetch/prefetch_probe_result.h"
#include "content/browser/preloading/prefetch/prefetch_status.h"
#include "content/browser/preloading/prefetch/prefetch_streaming_url_loader_common_types.h"
#include "content/browser/preloading/prefetch/prefetch_type.h"
#include "content/browser/preloading/preload_pipeline_info_impl.h"
#include "content/browser/preloading/speculation_rules/speculation_rules_tags.h"
#include "content/common/content_export.h"
#include "content/public/browser/global_routing_id.h"
#include "content/public/browser/prefetch_request_status_listener.h"
#include "content/public/browser/preload_pipeline_info.h"
#include "content/public/browser/preloading.h"
#include "content/public/browser/preloading_data.h"
#include "net/http/http_no_vary_search_data.h"
#include "net/http/http_request_headers.h"
#include "services/metrics/public/cpp/ukm_source_id.h"
#include "third_party/blink/public/common/tokens/tokens.h"
#include "url/gurl.h"
namespace network {
namespace mojom {
class CookieManager;
} // namespace mojom
} // namespace network
namespace content {
class BrowserContext;
class PrefetchCookieListener;
class PrefetchDocumentManager;
class PrefetchNetworkContext;
class PrefetchResponseReader;
class PrefetchService;
class PrefetchServingPageMetricsContainer;
class PrefetchStreamingURLLoader;
class PreloadingAttempt;
class ProxyLookupClientImpl;
class RenderFrameHost;
class RenderFrameHostImpl;
class ServiceWorkerClient;
// Holds the relevant size information of the prefetched response. The struct is
// installed onto `PrefetchContainer`, and gets passed into
// `PrefetchFromStringURLLoader` to notify the associated `URLLoaderClient` of
// the actual size of the response, as `PrefetchFromStringURLLoader` is not
// aware of the prefetched request.
struct PrefetchResponseSizes {
int64_t encoded_data_length;
int64_t encoded_body_length;
int64_t decoded_body_length;
};
// This class contains the state for a request to prefetch a specific URL.
//
// A `PrefetchContainer` can have multiple `PrefetchContainer::SinglePrefetch`es
// and `PrefetchStreamingURLLoader`s to support redirects. Each
// `PrefetchContainer::SinglePrefetch` in `redirect_chain_` corresponds to a
// single redirect hop, while a single `PrefetchStreamingURLLoader` can receive
// multiple redirect hops unless network context switching is needed.
//
// For example:
//
// |PrefetchStreamingURLLoader A-----| |PrefetchStreamingURLLoader B ---------|
// HandleRedirect - HandleRedirect - HandleRedirect - ReceiveResponse-Finish
// |SinglePrefetch0| |SinglePrefetch1| |SinglePrefetch2| |SinglePrefetch3-----|
//
// While prefetching (see methods named like "ForCurrentPrefetch" or
// "ToPrefetch"), `SinglePrefetch`es and `PrefetchStreamingURLLoader`s (among
// other members) are added and filled. The steps for creating these objects and
// associating with each other span multiple classes/methods:
//
// 1. A new `PrefetchContainer::SinglePrefetch` and thus a new
// `PrefetchResponseReader` is created and added to `redirect_chain_`.
// This is done either in:
// - `PrefetchContainer` constructor [for an initial request], or
// - `AddRedirectHop()` [for a redirect].
//
// 2. The new `PrefetchResponseReader` (created at Step 1, referenced as
// `GetResponseReaderForCurrentPrefetch()`) is associated with the
// `PrefetchStreamingURLLoader` to be used.
// This is done either in (see the indirect call sites of
// `PrefetchStreamingURLLoader::SetResponseReader()`):
// - `PrefetchService::StartSinglePrefetch()` [initial request] or
// - `PrefetchService::OnGotEligibilityForRedirect()` [redirect].
// A new `PrefetchStreamingURLLoader` is also created if needed in
// `PrefetchService::MakePrefetchRequest()`.
class CONTENT_EXPORT PrefetchContainer {
public:
// Ctor used for renderer-initiated prefetch.
PrefetchContainer(
RenderFrameHostImpl& referring_render_frame_host,
const blink::DocumentToken& referring_document_token,
const GURL& url,
const PrefetchType& prefetch_type,
const blink::mojom::Referrer& referrer,
std::optional<SpeculationRulesTags> speculation_rules_tags,
std::optional<net::HttpNoVarySearchData> no_vary_search_hint,
base::WeakPtr<PrefetchDocumentManager> prefetch_document_manager,
scoped_refptr<PreloadPipelineInfo> preload_pipeline_info,
base::WeakPtr<PreloadingAttempt> attempt = nullptr);
// Ctor used for browser-initiated prefetch.
// We can pass the referring origin of prefetches via `referring_origin` if
// necessary.
PrefetchContainer(
WebContents& referring_web_contents,
const GURL& url,
const PrefetchType& prefetch_type,
const std::string& embedder_histogram_suffix,
const blink::mojom::Referrer& referrer,
const std::optional<url::Origin>& referring_origin,
std::optional<net::HttpNoVarySearchData> no_vary_search_hint,
scoped_refptr<PreloadPipelineInfo> preload_pipeline_info,
base::WeakPtr<PreloadingAttempt> attempt = nullptr,
std::optional<PreloadingHoldbackStatus> holdback_status_override =
std::nullopt);
// Ctor used for browser-initiated prefetch that doesn't depend on web
// contents. We can pass the referring origin of prefetches via
// `referrer_origin` if necessary.
PrefetchContainer(
BrowserContext* browser_context,
const GURL& url,
const PrefetchType& prefetch_type,
const std::string& embedder_histogram_suffix,
const blink::mojom::Referrer& referrer,
bool javascript_enabled,
const std::optional<url::Origin>& referring_origin,
std::optional<net::HttpNoVarySearchData> no_vary_search_hint,
base::WeakPtr<PreloadingAttempt> attempt = nullptr,
const net::HttpRequestHeaders& additional_headers = {},
std::unique_ptr<PrefetchRequestStatusListener> request_status_listener =
nullptr,
base::TimeDelta ttl_in_sec =
PrefetchContainerDefaultTtlInPrefetchService(),
bool should_append_variations_header = true);
~PrefetchContainer();
PrefetchContainer(const PrefetchContainer&) = delete;
PrefetchContainer& operator=(const PrefetchContainer&) = delete;
// Key for managing and matching prefetches.
//
// This key can either represent
//
// - the key of a prefetch (typically named `prefetch_key`, and its URL is the
// URL of the prefetched main resource); or
// - the key of a navigation (typically named `navigated_key`, and its URL is
// the navigation request URL).
//
// TODO(crbug.com/364751887): This distinction is not perfect. Enforce it as
// much as possible.
//
// For prefetch, non URL part is given as the following:
//
// - If the prefetch is renderer-initiated, `DocumentToken` of the initiating
// document is used.
// - If the prefetch is browser-initiated, `std::nullopt` (for
// `referring_document_token`) is used.
// - If the prefetch is embedder-initiated, `net::NetworkIsolationKey` of the
// embedder is used. Only used if `kPrefetchBrowserInitiatedTriggers` is
// enabeld. See crbug.com/40942681.
//
// For navigation, `std::optional<DocumentToken>` of the initiating document
// of the navigation is used.
//
// See also the doc on crbug.com/40946257 for more context.
class CONTENT_EXPORT Key {
public:
Key() = delete;
Key(net::NetworkIsolationKey nik, GURL url);
Key(std::optional<blink::DocumentToken> referring_document_token, GURL url);
~Key();
// Movable and copyable.
Key(Key&& other);
Key& operator=(Key&& other);
Key(const Key& other);
Key& operator=(const Key& other);
bool operator==(const Key& rhs) const = default;
bool operator<(const Key& rhs) const {
if (referring_document_token_or_nik_ !=
rhs.referring_document_token_or_nik_) {
return referring_document_token_or_nik_ <
rhs.referring_document_token_or_nik_;
}
return url_ < rhs.url_;
}
const GURL& url() const { return url_; }
Key WithNewUrl(const GURL& new_url) const {
return std::visit([&](const auto& e) { return Key(e, new_url); },
referring_document_token_or_nik_);
}
bool NonUrlPartIsSame(const Key& other) const {
return referring_document_token_or_nik_ ==
other.referring_document_token_or_nik_;
}
private:
friend CONTENT_EXPORT std::ostream& operator<<(std::ostream& ostream,
const Key& prefetch_key);
std::variant<std::optional<blink::DocumentToken>, net::NetworkIsolationKey>
referring_document_token_or_nik_;
GURL url_;
};
// Observer interface to listen to lifecycle events of `PrefetchContainer`.
//
// Each callback is called at most once in the lifecycle of a container.
//
// Be careful about using this. This is designed only for
// `PrefetchMatchResolver`.
class Observer : public base::CheckedObserver {
public:
// Called at the head of dtor.
//
// TODO(crbug.com/356314759): Update the description to "Called just
// before dtor is called."
virtual void OnWillBeDestroyed(PrefetchContainer& prefetch_container) = 0;
// Called when initial eligibility is got.
virtual void OnGotInitialEligibility(PrefetchContainer& prefetch_container,
PreloadingEligibility eligibility) = 0;
// Called if non-redirect header of prefetch response is determined, i.e.
// successfully received or fetch requests including redirects failed.
// Callers can check success/failure by `GetNonRedirectHead()`.
virtual void OnDeterminedHead(PrefetchContainer& prefetch_container) = 0;
};
void OnWillBeDestroyed();
const Key& key() const { return key_; }
// The ID of the RenderFrameHost that triggered the prefetch.
const GlobalRenderFrameHostId& GetReferringRenderFrameHostId() const {
return referring_render_frame_host_id_;
}
bool HasSameReferringURLForMetrics(const PrefetchContainer& other) const;
// The initial URL that was requested to be prefetched.
const GURL& GetURL() const { return key_.url(); }
// The current URL being fetched.
GURL GetCurrentURL() const;
// The previous URL, if this has been redirected. Invalid to call otherwise.
GURL GetPreviousURL() const;
// Returns whether the tags of the speculation rules that triggered this
// prefetch exists.
bool HasSpeculationRulesTags() { return speculation_rules_tags_.has_value(); }
// Returns the serialized string of speculation rules tags.
std::optional<std::string> GetSpeculationRulesTagsHeaderString() {
return speculation_rules_tags_->ConvertStringToHeaderString();
}
// The type of this prefetch. Controls how the prefetch is handled.
const PrefetchType& GetPrefetchType() const { return prefetch_type_; }
// Whether this prefetch is initiated by renderer processes.
// Currently this is equivalent to whether the trigger type is Speculation
// Rules or not.
bool IsRendererInitiated() const;
// The origin and that initiates the prefetch request.
const std::optional<url::Origin> GetReferringOrigin() const {
return referring_origin_;
}
// Whether or not an isolated network context is required to the next
// prefetch.
bool IsIsolatedNetworkContextRequiredForCurrentPrefetch() const;
// Whether or not an isolated network context is required for the previous
// redirect hop of the given url.
bool IsIsolatedNetworkContextRequiredForPreviousRedirectHop() const;
base::WeakPtr<PrefetchResponseReader> GetResponseReaderForCurrentPrefetch();
// Whether or not the prefetch proxy would be required to fetch the given url
// based on |prefetch_type_|.
bool IsProxyRequiredForURL(const GURL& url) const;
const network::ResourceRequest* GetResourceRequest() const {
return resource_request_.get();
}
void MakeResourceRequest(const net::HttpRequestHeaders& additional_headers);
// Updates |referrer_| after a redirect.
void UpdateReferrer(
const GURL& new_referrer_url,
const network::mojom::ReferrerPolicy& new_referrer_policy);
const std::optional<net::HttpNoVarySearchData>& GetNoVarySearchHint() const {
return no_vary_search_hint_;
}
base::WeakPtr<PrefetchContainer> GetWeakPtr() {
return weak_method_factory_.GetWeakPtr();
}
// The status of the current prefetch. Note that |HasPrefetchStatus| will be
// initially false until |SetPrefetchStatus| is called. |SetPrefetchStatus|
// also sets |attempt_| PreloadingTriggeringOutcome and
// PreloadingFailureReason. It is only safe to call after
// `OnEligibilityCheckComplete`.
void SetPrefetchStatus(PrefetchStatus prefetch_status);
bool HasPrefetchStatus() const { return prefetch_status_.has_value(); }
PrefetchStatus GetPrefetchStatus() const;
// These are intended to be called on
// PrefetchService::CheckAndSetPrefetchHoldbackStatus() to set this overridden
// prefetch status to `attempt_`.
bool HasOverriddenHoldbackStatus() const {
return holdback_status_override_.has_value();
}
PreloadingHoldbackStatus GetOverriddenHoldbackStatus() const {
CHECK(holdback_status_override_);
return holdback_status_override_.value();
}
// The state enum of the current prefetch, to replace `PrefetchStatus`.
// https://crbug.com/1494771
// Design doc for PrefetchContainer state transitions:
// https://docs.google.com/document/d/1dK4mAVoRrgTVTGdewthI_hA8AHirgXW8k6BmpK9gnBE/edit?usp=sharing
enum class LoadState {
// --- Phase 1. [Initial state]
kNotStarted,
// --- Phase 2. The eligibility check for the initial request has completed
// and `PreloadingAttempt::SetEligibility()` has been called.
// Found eligible.
kEligible,
// [Final state] Found ineligible. `redirect_chain_[0].eligibility_`
// contains the reason for being ineligible.
kFailedIneligible,
// --- Phase 3. PrefetchService::StartSinglePrefetch() has been called and
// the holdback check has completed.
// [Final state] Not heldback.
//
// On this state, refer to `PrefetchResponseReader`s for detailed
// prefetching state and servability.
//
// Also, refer to `attempt_` for triggering outcome and failure reasons for
// metrics.
// `PreloadingAttempt::SetFailureReason()` can be only called on this state.
// Note that these states of `attempt_` don't directly affect
// `PrefetchResponseReader`'s servability.
// (e.g. `PrefetchResponseReader::GetServableState()` can be still
// `kServable` even if `attempt_` has a failure).
kStarted,
// [Final state] Heldback due to `PreloadingAttempt::ShouldHoldback()`.
kFailedHeldback,
};
void SetLoadState(LoadState prefetch_status);
LoadState GetLoadState() const;
// Controls ownership of the |ProxyLookupClientImpl| used during the
// eligibility check.
void TakeProxyLookupClient(
std::unique_ptr<ProxyLookupClientImpl> proxy_lookup_client);
std::unique_ptr<ProxyLookupClientImpl> ReleaseProxyLookupClient();
// Called when it is added to `PrefetchService::owned_prefetches_`.
void OnAddedToPrefetchService();
// Whether or not the prefetch was determined to be eligibile.
void OnEligibilityCheckComplete(PreloadingEligibility eligibility);
bool IsInitialPrefetchEligible() const;
// Adds a the new URL to |redirect_chain_|.
void AddRedirectHop(const net::RedirectInfo& redirect_info);
// The length of the redirect chain for this prefetch.
size_t GetRedirectChainSize() const { return redirect_chain_.size(); }
// Whether this prefetch is a decoy. Decoy prefetches will not store the
// response, and not serve any prefetched resources.
void SetIsDecoy(bool is_decoy) { is_decoy_ = is_decoy; }
bool IsDecoy() const { return is_decoy_; }
// Whether the prefetch request is cross-site/cross-origin for given origin.
bool IsCrossSiteRequest(const url::Origin& origin) const;
bool IsCrossOriginRequest(const url::Origin& origin) const;
// Whether this prefetch is potentially contaminated by cross-site state.
// If so, it may need special handling for privacy.
// See https://crbug.com/1439246.
bool IsCrossSiteContaminated() const { return is_cross_site_contaminated_; }
void MarkCrossSiteContaminated();
// Allows for |PrefetchCookieListener|s to be reigsitered for
// `GetCurrentSinglePrefetchToPrefetch()`.
void RegisterCookieListener(network::mojom::CookieManager* cookie_manager);
void PauseAllCookieListeners();
void ResumeAllCookieListeners();
// The network context used to make network requests for the next prefetch.
PrefetchNetworkContext* GetOrCreateNetworkContextForCurrentPrefetch();
// Closes idle connections for all elements in |network_contexts_|.
void CloseIdleConnections();
// Set the currently prefetching |PrefetchStreamingURLLoader|.
void SetStreamingURLLoader(
base::WeakPtr<PrefetchStreamingURLLoader> streaming_loader);
// Returns the URL loader being used for prefetching the current redirect hop.
// This method should be used during prefetching and shouldn't be called for
// serving purpose.
base::WeakPtr<PrefetchStreamingURLLoader> GetStreamingURLLoader() const;
bool IsStreamingURLLoaderDeletionScheduledForTesting() const;
// Returns the PrefetchResponseReader of the prefetched non-redirect response
// if already received its head. Ruturns nullptr otherwise.
const PrefetchResponseReader* GetNonRedirectResponseReader() const;
// Returns the head of the prefetched non-redirect response if already
// received. Ruturns nullptr otherwise.
const network::mojom::URLResponseHead* GetNonRedirectHead() const;
// Clears |streaming_loader_| and cancels its loading, if any of its
// corresponding `PrefetchResponseReader` does NOT start serving. Currently
// this itself doesn't mark `this` as failed and thus can leave `this`
// stalled. Therefore, call this method only if `this` can be no longer used
// for serving, e.g. on the destructor or when
// `HaveDefaultContextCookiesChanged()` is true.
// TODO(crbug.com/40064891): For callsites outside the destructor, remove the
// call or mark `this` as failed, because the current behavior (== existing
// behavior, previously as `ResetAllStreamingURLLoaders()`) might potentially
// cause issues when there are multiple navigations using `this` concurrently.
void CancelStreamingURLLoaderIfNotServing();
// The |PrefetchDocumentManager| that requested |this|.
PrefetchDocumentManager* GetPrefetchDocumentManager() const;
// Returns whether or not this prefetch has been considered to serve for a
// navigation in the past. If it has, then it shouldn't be used for any future
// navigations.
bool HasPrefetchBeenConsideredToServe() const;
// Called when |PrefetchService::OnPrefetchComplete| is called for the
// prefetch. This happens when |loader_| fully downloads the requested
// resource.
void OnPrefetchComplete(
const network::URLLoaderCompletionStatus& completion_status);
// TODO(crbug.com/372186548): Revisit the shape of ServableState.
//
// See also https://crrev.com/c/5831122
enum class ServableState {
// `PrefetchService` is checking eligibility of the prefetch or waiting load
// start after eligibility check.
//
// Prefetch matching process should block until eligibility is got (and load
// start)
// not to fall back normal navigation without waiting prefetch ahead of
// prerender and send a duplicated fetch request.
//
// This state occurs only if `kPrerender2FallbackPrefetchSpecRules` is
// enabled. Otherwise, `kNotServable` is returned for this period.
kShouldBlockUntilEligibilityGot,
// The load is started but non redirect header is not received yet.
//
// Prefetch matching process should block until the head of this is received
// on a navigation to a matching URL, as a server can send a response header
// including NoVarySearch header that contradicts NoVarySearch hint.
kShouldBlockUntilHeadReceived,
// This received non redirect header and is not expired.
//
// Note that it needs more checks to serve, e.g. cookie check. See also e.g.
// `PrefetchMatchResolver::OnDeterminedHead()`.
kServable,
// Not other states.
kNotServable,
};
// Note: Even if this returns `kServable`, `CreateRequestHandler()` can still
// fail (returning null handler) due to final checks. See also the comment for
// `PrefetchResponseReader::CreateRequestHandler()`.
ServableState GetServableState(base::TimeDelta cacheable_duration) const;
// Starts blocking `PrefetchMatchResolver` until non-redirect response header
// is determined or timeouted. `on_maybe_determined_head_callback` will be
// called when
//
// - `PrefetchStreamingURLLoader` succeeded/failed to fetch non-redirect
// response header.
// - The argument `timeout` is positive and timeouted.
// - `PrefetchContainer` dtor if `kPrefetchUnblockOnCancel` enabled.
void StartBlockUntilHead(base::OnceCallback<void(PrefetchContainer&)>
on_maybe_determined_head_callback,
base::TimeDelta timeout);
// Called when non-redirect response header is determined, i.e.
// `GetNonRedirectHead()` becomes immutable.
//
// This method must be called at most once in the lifecycle of
// `PrefetchContainer`.
void OnDeterminedHead();
// Unblocks waiting `PrefetchMatchResolver`.
//
// This method can be called multiple times.
void UnblockPrefetchMatchResolver();
void StartTimeoutTimerIfNeeded(base::OnceClosure on_timeout_callback);
// Returns the time between the prefetch request was sent and the time the
// response headers were received. Not set if the prefetch request hasn't been
// sent or the response headers haven't arrived.
std::optional<base::TimeDelta> GetPrefetchHeaderLatency() const {
return header_latency_;
}
// Allow for the serving page to metrics when changes to the prefetch occur.
void SetServingPageMetrics(base::WeakPtr<PrefetchServingPageMetricsContainer>
serving_page_metrics_container);
void UpdateServingPageMetrics();
// Returns request id to be used by DevTools and test utilities.
const std::string& RequestId() const { return request_id_; }
const std::optional<PrefetchResponseSizes>& GetPrefetchResponseSizes() const {
return prefetch_response_sizes_;
}
bool HasPreloadingAttempt() { return !!attempt_; }
base::WeakPtr<PreloadingAttempt> preloading_attempt() { return attempt_; }
// Simulates state transitions for:
// - Passing eligibility check successfully (`LoadState::kEligible`),
// - About to start prefetching (`LoadState::kStarted`), and
// - Completion of prefetching.
// For correct transitions, the methods should be called in the following
// order (note that the `Simulate*()` methods here doesn't simulate the
// loader):
// - `SimulatePrefetchEligibleForTest()`
// - `SimulatePrefetchStartedForTest()`
// - `SetStreamingURLLoader()`
// - `SimulatePrefetchCompletedForTest()`
void SimulatePrefetchEligibleForTest();
void SimulatePrefetchStartedForTest();
void SimulatePrefetchCompletedForTest();
// Simulates a prefetch container that failed at the eligibility check
// (`LoadState::FailedIneligible`).
void SimulatePrefetchFailedIneligibleForTest(
PreloadingEligibility eligibility);
void DisablePrecogLoggingForTest() { attempt_ = nullptr; }
// Set a callback for waiting for prefetch completion in tests.
using PrefetchResponseCompletedCallbackForTesting =
base::RepeatingCallback<void(base::WeakPtr<PrefetchContainer>)>;
static void SetPrefetchResponseCompletedCallbackForTesting(
PrefetchResponseCompletedCallbackForTesting callback);
const std::optional<net::HttpNoVarySearchData>& GetNoVarySearchData() const {
return no_vary_search_data_;
}
// Sets `no_vary_search_data_` from `GetHead()`. Exposed for tests.
void MaybeSetNoVarySearchData();
// Called upon detecting a change to cookies within the redirect chain.
//
// Note that there are two paths:
//
// - Roughly speaking, when non-redirect header received and
// `PrefetchService`/`PrefetchContainer` detected cookies change of the head
// of redirect chain. `PrefetchMatchResolver` propagates it to other waiting
// prefetches as they share domain.
// - When `PrefetchURLLoaderInterceptor::MaybeCreateLoader()` handles
// redirects in the serving prefetch.
void OnDetectedCookiesChange(
std::optional<bool>
is_unblock_for_cookies_changed_triggered_by_this_prefetch_container);
// Called when the prefetch request is started (i.e. the URL loader is created
// & started).
void OnPrefetchStarted();
class SinglePrefetch;
// A `Reader` represents the current state of serving.
// The `Reader` methods all operate on the currently *serving*
// `SinglePrefetch`, which is the element in |redirect_chain_| at index
// |index_redirect_chain_to_serve_|.
//
// This works like `base::WeakPtr<PrefetchContainer>` plus additional states,
// so check that the reader is valid (e.g. `if (reader)`) before calling other
// methods (except for `Clone()`).
//
// TODO(crbug.com/40064891): Allow multiple Readers for a PrefetchContainer.
// This might need ownership/lifetime changes of `Reader` and further cleaning
// up the dependencies between `PrefetchContainer` and `Reader`.
class CONTENT_EXPORT Reader final {
public:
Reader();
Reader(base::WeakPtr<PrefetchContainer> prefetch_container,
size_t index_redirect_chain_to_serve);
Reader(const Reader&) = delete;
Reader& operator=(const Reader&) = delete;
Reader(Reader&&);
Reader& operator=(Reader&&);
~Reader();
PrefetchContainer* GetPrefetchContainer() const {
return prefetch_container_.get();
}
Reader Clone() const;
// Returns true if `this` is valid.
// Do not call methods below if false.
explicit operator bool() const { return GetPrefetchContainer(); }
// Methods redirecting to `prefetch_container_`.
PrefetchContainer::ServableState GetServableState(
base::TimeDelta cacheable_duration) const;
bool HasPrefetchStatus() const;
PrefetchStatus GetPrefetchStatus() const;
// Returns whether the Reader reached the end. If true, the methods below
// shouldn't be called, because the current `SinglePrefetch` doesn't exist.
bool IsEnd() const;
// Whether or not an isolated network context is required to serve.
bool IsIsolatedNetworkContextRequiredToServe() const;
PrefetchNetworkContext* GetCurrentNetworkContextToServe() const;
bool HaveDefaultContextCookiesChanged() const;
// Before a prefetch can be served, any cookies added to the isolated
// network context must be copied over to the default network context. These
// functions are used to check and update the status of this process, as
// well as record metrics about how long this process takes.
bool HasIsolatedCookieCopyStarted() const;
bool IsIsolatedCookieCopyInProgress() const;
void OnIsolatedCookieCopyStart() const;
void OnIsolatedCookiesReadCompleteAndWriteStart() const;
void OnIsolatedCookieCopyComplete() const;
void OnInterceptorCheckCookieCopy() const;
void SetOnCookieCopyCompleteCallback(base::OnceClosure callback) const;
// Called with the result of the probe. If the probing feature is enabled,
// then a probe must complete successfully before the prefetch can be
// served.
void OnPrefetchProbeResult(PrefetchProbeResult probe_result) const;
// Checks if the given URL matches the the URL that can be served next.
bool DoesCurrentURLToServeMatch(const GURL& url) const;
// Returns the URL that can be served next.
const GURL& GetCurrentURLToServe() const;
// Gets the current PrefetchResponseReader.
base::WeakPtr<PrefetchResponseReader>
GetCurrentResponseReaderToServeForTesting();
// Called when one element of |redirect_chain_| is served and the next
// element can now be served.
void AdvanceCurrentURLToServe() { index_redirect_chain_to_serve_++; }
// Returns the `SinglePrefetch` to be served next.
const SinglePrefetch& GetCurrentSinglePrefetchToServe() const;
// See the comment for `PrefetchResponseReader::CreateRequestHandler()`.
std::pair<PrefetchRequestHandler, base::WeakPtr<ServiceWorkerClient>>
CreateRequestHandler();
// See the corresponding functions on `PrefetchResponseReader`.
// These apply to the current `SinglePrefetch` (and so, may change as the
// prefetch advances through a redirect change).
bool VariesOnCookieIndices() const;
bool MatchesCookieIndices(
base::span<const std::pair<std::string, std::string>> cookies) const;
private:
base::WeakPtr<PrefetchContainer> prefetch_container_;
// The index of the element in |prefetch_container_.redirect_chain_| that
// can be served.
size_t index_redirect_chain_to_serve_ = 0;
};
Reader CreateReader();
void AddObserver(Observer* observer);
void RemoveObserver(Observer* observer);
bool IsExactMatch(const GURL& url) const;
bool IsNoVarySearchHeaderMatch(const GURL& url) const;
// Checks that the URL matches to the NoVarySearch hint with a precondition.
//
// The precondition is that a non redirect header is not received, as
// NoVarySearch hint is a mechanism to wait prefetches that is expected to
// receive NoVarySearch header.
bool ShouldWaitForNoVarySearchHeader(const GURL& url) const;
// Records metrics when serving result is determined.
//
// This is eventually called once for every `PrefetchContainer` put in
// `PrefetchMatchResolver::candidates_`, i.e. those potentially matching
// and expected to become servable at the head of
// `PrefetchMatchResolver::FindPrefetch()`.
//
// This can be called multiple times, because this can be called for multiple
// `PrefetchMatchResolver`s.
void OnUnregisterCandidate(const GURL& navigated_url,
bool is_served,
std::optional<base::TimeDelta> blocked_duration);
// TODO(crbug.com/372186548): Revisit the semantics of
// `IsLikelyAheadOfPrerender()`.
//
// Returns true iff this prefetch was triggered for ahead of prerender or was
// migrated with such ones.
//
// Currently, we (`PrerendererImpl`) start a prefetch ahead of prerender just
// before starting a prerender and make them race 1. to reduce fetch request
// even if prerender failed and fell back to normal navigation, 2. to buy time
// for renderer process initialization of prerender.
//
// This flag is to indicate it's likely there is a such concurrent-ish
// prerender request that wants to claim this prefetch even if it is not
// started to avoid duplicated network requests, and thus if this is true, we
// go through `kBlockUntilHeadUntilEligibilityGot` code path.
//
// - This flag is set if `max_preloading_type` is `PreloadingType::kPrerender`
// on `PrefetchContainer::ctor`.
// - This flag is updated with prefetch migration `MigrateNewlyAdded()`: If we
// replace existing `PrefetchContainer` with such prerender-initiated
// `PrefetchContainer` with the same `PrefetchContainer::Key`, then we also
// transitively set the flag for the existing `PrefetchContainer` as well,
// because we'll still anticipate the prerendering request to hit the
// existing `PrefetchContainer` as it has the same key.
bool IsLikelyAheadOfPrerender() const {
return is_likely_ahead_of_prerender_;
}
// TODO(crbug.com/372186548): Revisit for right naming.
//
// Migrate newly added `PrefetchContainer` into this as keys are conflicted.
//
// See also `PrefetchService::AddPrefetchContainerWithoutStartingPrefetch()`.
void MigrateNewlyAdded(std::unique_ptr<PrefetchContainer> added);
// Handles loader related events. Currently used for DevTools and metrics.
void NotifyPrefetchRequestWillBeSent(
const network::mojom::URLResponseHeadPtr* redirect_head);
void NotifyPrefetchResponseReceived(
const network::mojom::URLResponseHead& head);
void NotifyPrefetchRequestComplete(
const network::URLLoaderCompletionStatus& completion_status);
std::optional<mojo::PendingRemote<network::mojom::DevToolsObserver>>
MakeSelfOwnedNetworkServiceDevToolsObserver();
bool is_in_dtor() const { return is_in_dtor_; }
void OnServiceWorkerStateDetermined(
PrefetchServiceWorkerState service_worker_state);
PrefetchServiceWorkerState service_worker_state() const {
return service_worker_state_;
}
protected:
friend class PrefetchContainerTestBase;
// Updates metrics based on the result of the prefetch request.
void UpdatePrefetchRequestMetrics(
const std::optional<network::URLLoaderCompletionStatus>&
completion_status,
const network::mojom::URLResponseHead* head);
private:
PrefetchContainer(
const GlobalRenderFrameHostId& referring_render_frame_host_id,
const std::optional<url::Origin>& referring_origin,
const std::optional<size_t>& referring_url_hash,
const PrefetchContainer::Key& key,
const PrefetchType& prefetch_type,
const std::optional<std::string>& embedder_histogram_suffix,
const blink::mojom::Referrer& referrer,
std::optional<SpeculationRulesTags> speculation_rules_tags,
std::optional<net::HttpNoVarySearchData> no_vary_search_hint,
base::WeakPtr<PrefetchDocumentManager> prefetch_document_manager,
base::WeakPtr<BrowserContext> browser_context,
ukm::SourceId ukm_source_id,
scoped_refptr<PreloadPipelineInfo> preload_pipeline_info,
base::WeakPtr<PreloadingAttempt> attempt,
std::optional<PreloadingHoldbackStatus> holdback_status_override,
std::optional<base::UnguessableToken> initiator_devtools_navigation_token,
const net::HttpRequestHeaders& additional_headers,
std::unique_ptr<PrefetchRequestStatusListener> request_status_listener,
bool is_javascript_enabled,
base::TimeDelta ttl_in_sec,
bool should_append_variations_header);
// Update |prefetch_status_| and report prefetch status to
// DevTools without updating TriggeringOutcome.
void SetPrefetchStatusWithoutUpdatingTriggeringOutcome(
PrefetchStatus prefetch_status);
// Updates `attempt_`'s outcome and failure reason based on
// `new_prefetch_status`.
// This should only be called after the prefetch is started, because
// `attempt_` is degined to record the outcome or failure of started triggers.
void SetTriggeringOutcomeAndFailureReasonFromStatus(
PrefetchStatus new_prefetch_status);
// Add client hints headers to a request bound for |origin|.
void AddClientHintsHeaders(const url::Origin& origin,
net::HttpRequestHeaders* request_headers);
// Add X-Client-Data request header to a request.
void AddXClientDataHeader(network::ResourceRequest& request);
// Returns the `SinglePrefetch` to be prefetched next. This is the last
// element in `redirect_chain_`, because, during prefetching from the network,
// we push back `SinglePrefetch`s to `redirect_chain_` and access the latest
// redirect hop.
SinglePrefetch& GetCurrentSinglePrefetchToPrefetch() const;
// Returns the `SinglePrefetch` for the redirect leg before
// `GetCurrentSinglePrefetchToPrefetch()`. This must be called only if `this`
// has redirect(s).
const SinglePrefetch& GetPreviousSinglePrefetchToPrefetch() const;
// Returns "Sec-Purpose" header value for a prefetch request to `request_url`.
const char* GetSecPurposeHeaderValue(const GURL& request_url) const;
// Called when a prefetch request could not be started because of eligibility
// reasons. Should only be called for the initial prefetch request and not
// redirects.
void OnInitialPrefetchFailedIneligible(PreloadingEligibility eligibility);
// Record `prefetch_status` to UMA if it hasn't already been recorded for this
// container.
// Note: We use a parameter instead of just `prefetch_status_` as it may not
// be updated to the latest value when this method is called.
void MaybeRecordPrefetchStatusToUMA(PrefetchStatus prefetch_status);
// Records `Prefetch.PrefetchContainer.DurationAdded*` UMAs.
void RecordDurationFromAdded();
// Records `Prefetch.PrefetchMatchingBlockedNavigationWithPrefetch.*` UMAs.
void RecordPrefetchMatchingBlockedNavigationHistogram(
bool blocked_until_head);
// Records `Prefetch.BlockUntilHeadDuration.*` UMAs.
void RecordBlockUntilHeadDurationHistogram(
const std::optional<base::TimeDelta>& blocked_duration,
bool served);
// The ID of the RenderFrameHost/Document that triggered the prefetch.
// This will be empty when browser-initiated prefetch.
const GlobalRenderFrameHostId referring_render_frame_host_id_;
PrefetchServiceWorkerState service_worker_state_ =
PrefetchServiceWorkerState::kAllowed;
// The origin and URL that initiates the prefetch request.
// For renderer-initiated prefetch, this is calculated by referring
// RenderFrameHost's LastCommittedOrigin. For browser-initiated prefetch, this
// is sometimes explicitly passed via ctor.
const std::optional<url::Origin> referring_origin_;
// Used by metrics for equality checks, only works for renderer-initiated
// triggers.
const std::optional<size_t> referring_url_hash_;
// The key used to match this PrefetchContainer, including the URL that was
// requested to prefetch.
const PrefetchContainer::Key key_;
// The type of this prefetch. This controls some specific details about how
// the prefetch is handled, including whether an isolated network context or
// the default network context is used to perform the prefetch, whether or
// not the preftch proxy is used, and whether or not subresources are
// prefetched.
PrefetchType prefetch_type_;
// The suffix string of embedder triggers used for generating histogram
// recorded per trigger. This should be nullopt unless `prefetch_type_`'s
// `PreloadingTriggerType` is `PreloadingTriggerType::kEmbedder`.
const std::optional<std::string> embedder_histogram_suffix_;
// The referrer to use for the request.
blink::mojom::Referrer referrer_;
// Information about the current prefetch request. Updated when a redirect is
// encountered, whether or not the direct can be processed by the same URL
// loader or requires the instantiation of a new loader.
std::unique_ptr<network::ResourceRequest> resource_request_;
// The No-Vary-Search response data, parsed from the actual response header
// (`GetHead()`).
// Unless this is set, `no_vary_search` helpers don't perform No-Vary-Search
// matching for `this`, even if `GetHead()` has No-Vary-Search headers.
std::optional<net::HttpNoVarySearchData> no_vary_search_data_;
// The No-Vary-Search hint of the prefetch, which is specified by the
// speculation rules and can be different from actual `no_vary_search_data_`.
const std::optional<net::HttpNoVarySearchData> no_vary_search_hint_;
// The tags of the speculation rules that triggered this prefetch, and this
// field is non-null if and only if this is created by SpeculationRules
// prefech. These are assumed to have been validated by the time this is
// constructed.
std::optional<SpeculationRulesTags> speculation_rules_tags_;
// The |PrefetchDocumentManager| that requested |this|.
// This will be nullptr when the prefetch is initiated by browser.
base::WeakPtr<PrefetchDocumentManager> prefetch_document_manager_;
// The |BrowserContext| in which this is being run.
base::WeakPtr<BrowserContext> browser_context_;
// The current status, if any, of the prefetch.
// TODO(crbug.com/40075414): Use `load_state_` instead for non-metrics
// purpose.
std::optional<PrefetchStatus> prefetch_status_;
bool prefetch_status_recorded_to_uma_ = false;
// True iff `PrefetchStatus` was set to `kPrefetchNotUsedCookiesChanged` once.
//
// TODO(crbug.com/40075414): Remove this.
bool on_detected_cookies_change_called_ = false;
// The current status of the prefetch.
LoadState load_state_ = LoadState::kNotStarted;
// Looks up the proxy settings in the default network context all URLs in
// |redirect_chain_|.
std::unique_ptr<ProxyLookupClientImpl> proxy_lookup_client_;
// Whether this prefetch is a decoy or not. If the prefetch is a decoy then
// any prefetched resources will not be served.
bool is_decoy_ = false;
// The redirect chain resulting from prefetching |GetURL()|.
std::vector<std::unique_ptr<SinglePrefetch>> redirect_chain_;
// The network contexts used for this prefetch. They key corresponds to the
// |is_isolated_network_context_required| param of the
// |PrefetchNetworkContext|.
std::map<bool, std::unique_ptr<PrefetchNetworkContext>> network_contexts_;
// The currently prefetching streaming URL loader, prefetching the last
// element of `redirect_chain_`. Multiple streaming URL loaders can be used in
// the event a redirect causes a change in the network context, but here only
// one (=last) `PrefetchStreamingURLLoader` is kept here, because when
// switching the network context and `PrefetchStreamingURLLoader`s, the old
// `PrefetchStreamingURLLoader` is scheduled for deletion and then the new
// `PrefetchStreamingURLLoader` is set here.
base::WeakPtr<PrefetchStreamingURLLoader> streaming_loader_;
ukm::SourceId ukm_source_id_;
// The sizes information of the prefetched response.
std::optional<PrefetchResponseSizes> prefetch_response_sizes_;
// The amount of time it took for the prefetch to complete.
std::optional<base::TimeDelta> fetch_duration_;
// The amount of time it took for the headers to be received.
std::optional<base::TimeDelta> header_latency_;
// Whether or not a navigation to this prefetch occurred.
bool navigated_to_ = false;
// The result of probe when checked on navigation.
std::optional<PrefetchProbeResult> probe_result_;
// If set, this prefetch's timing might be affected by cross-site state, so
// further processing may need to affect how the response is processed to make
// inferences about this logic less practical.
bool is_cross_site_contaminated_ = false;
// Reference to metrics related to the page that considered using this
// prefetch.
base::WeakPtr<PrefetchServingPageMetricsContainer>
serving_page_metrics_container_;
// Request identifier used by DevTools and test utilities.
std::string request_id_;
// Information of preload pipeline that this prefetch belongs/is related to.
//
// If a prerender triggers a prefetch ahead of prerender, it needs to get to
// know information of the prefetch, e.g eligibility, to judge to abort
// prerender when prefetch failed. Unfortunately we can't pass the information
// at the prefetch matching process, as prefetch may fail before it and other
// `NavigationLoaderInterceptor` e.g. one of service worker can intercept.
//
// So, we pass such information via pipeline infos.
//
// - `redirect_chain_[0].eligibility_`
// - `prefetch_status_`
//
// The values must be synchronized both when these fields are updated and when
// a new pipeline info added to `inherited_preload_pipeline_infos_`.
//
// A new pipeline info added when another prefetch is migrated into it. See
// `MigrateNewlyAdded()`.
//
// Note that we distinguish the primary one and inherited ones because we send
// CDP events with id of `preload_pipeline_info_`.
scoped_refptr<PreloadPipelineInfoImpl> preload_pipeline_info_;
std::vector<scoped_refptr<PreloadPipelineInfoImpl>>
inherited_preload_pipeline_infos_;
// `PreloadingAttempt` is used to track the lifecycle of the preloading event,
// and reports various statuses to UKM dashboard. It is initialised along with
// `this`, and destroyed when `WCO::DidFinishNavigation` is fired.
// `attempt_`'s eligibility is set in `OnEligibilityCheckComplete`, and its
// holdback status, triggering outcome and failure reason are set in
// `SetPrefetchStatus`.
base::WeakPtr<PreloadingAttempt> attempt_;
// If set, this value is used to override holdback status derived by the
// normal process. It is set to `attempt_` on
// PrefetchService::CheckAndSetPrefetchHoldbackStatus().
std::optional<PreloadingHoldbackStatus> holdback_status_override_ =
std::nullopt;
// A DevTools token used to identify initiator document if the prefetch is
// triggered by SpeculationRules.
std::optional<base::UnguessableToken> initiator_devtools_navigation_token_ =
std::nullopt;
// The time at which |PrefetchService| started blocking until the head of
// |this| was received.
std::optional<base::TimeTicks> blocked_until_head_start_time_;
// A timer used to limit the maximum amount of time that a navigation can be
// blocked waiting for the head of this prefetch to be received.
std::unique_ptr<base::OneShotTimer> block_until_head_timer_;
// Additional headers for WebView initiated prefetch.
// This must be empty for non-WebView initiated prefetches.
// TODO(crbug.com/369859822): Revisit the semantics if needed.
const net::HttpRequestHeaders additional_headers_;
// Listener of prefetch request. Currently used for WebView initiated
// prefetch.
std::unique_ptr<PrefetchRequestStatusListener> request_status_listener_;
std::unique_ptr<base::OneShotTimer> timeout_timer_;
// Whether JavaScript is on in this contents (or was, when this prefetch
// started). This affects Client Hints behavior. Per-origin settings are
// handled later, according to
// |ClientHintsControllerDelegate::IsJavaScriptAllowed|.
bool is_javascript_enabled_ = false;
// True iff the destructor was called.
bool is_in_dtor_ = false;
base::ObserverList<Observer> observers_;
bool is_likely_ahead_of_prerender_ = false;
// Time-to-live (TTL) for this prefetched data. Currently, this is configured
// for browser-initiated prefetch that doesn't depend on web content.
// Default value is `PrefetchContainerDefaultTtlInPrefetchService()`.
base::TimeDelta ttl_in_sec_;
// Whether to add the X-Client-Data header with experiment IDs from field
// trials. This will not be applied to redirects. Currently, this is
// configured for browser-initiated prefetch that doesn't depend on web
// content.
const bool should_append_variations_header_ = true;
// Timing information for metrics
//
// Constraint: That earlier one is null implies that later one is null.
// E.g. `time_load_start_` is null implies `time_header_complete_` is null.
std::optional<base::TimeTicks> time_added_to_prefetch_service_;
std::optional<base::TimeTicks> time_initial_eligibility_got_;
std::optional<base::TimeTicks> time_prefetch_started_;
std::optional<base::TimeTicks> time_url_request_started_;
std::optional<base::TimeTicks> time_header_determined_successfully_;
std::optional<base::TimeTicks> time_prefetch_completed_successfully_;
base::WeakPtrFactory<PrefetchContainer> weak_method_factory_{this};
};
// For debug logs.
CONTENT_EXPORT std::ostream& operator<<(
std::ostream& ostream,
const PrefetchContainer& prefetch_container);
CONTENT_EXPORT std::ostream& operator<<(
std::ostream& ostream,
const PrefetchContainer::Key& prefetch_key);
CONTENT_EXPORT std::ostream& operator<<(
std::ostream& ostream,
PrefetchContainer::ServableState servable_state);
CONTENT_EXPORT std::ostream& operator<<(std::ostream& ostream,
PrefetchContainer::LoadState state);
} // namespace content
#endif // CONTENT_BROWSER_PRELOADING_PREFETCH_PREFETCH_CONTAINER_H_
|