Chromium Code Reviews
chromiumcodereview-hr@appspot.gserviceaccount.com (chromiumcodereview-hr) | Please choose your nickname with Settings | Help | Chromium Project | Gerrit Changes | Sign out
(874)

Unified Diff: content/browser/browsing_data/clear_site_data_throttle.cc

Issue 2025683003: First experimental implementation of the Clear-Site-Data header (Closed) Base URL: https://chromium.googlesource.com/chromium/src.git@master
Patch Set: Many changes, most importantly synchronous deletion. Created 4 years, 4 months ago
Use n/p to move between diff chunks; N/P to move between comments. Draft comments are only viewable by you.
Jump to:
View side-by-side diff with in-line comments
Download patch
Index: content/browser/browsing_data/clear_site_data_throttle.cc
diff --git a/content/browser/browsing_data/clear_site_data_throttle.cc b/content/browser/browsing_data/clear_site_data_throttle.cc
new file mode 100644
index 0000000000000000000000000000000000000000..d4571bdcf51b03554351e04bcfe62b0afabe7501
--- /dev/null
+++ b/content/browser/browsing_data/clear_site_data_throttle.cc
@@ -0,0 +1,262 @@
+// Copyright 2016 The Chromium Authors. All rights reserved.
+// Use of this source code is governed by a BSD-style license that can be
+// found in the LICENSE file.
+
+#include "content/browser/browsing_data/clear_site_data_throttle.h"
+
+#include "base/command_line.h"
+#include "base/json/json_reader.h"
+#include "base/json/json_string_value_serializer.h"
+#include "base/memory/ptr_util.h"
+#include "base/strings/string_util.h"
+#include "base/strings/stringprintf.h"
+#include "base/values.h"
+#include "content/browser/frame_host/navigation_handle_impl.h"
+#include "content/public/browser/browser_context.h"
+#include "content/public/browser/content_browser_client.h"
+#include "content/public/browser/navigation_handle.h"
+#include "content/public/browser/web_contents.h"
+#include "content/public/common/content_client.h"
+#include "content/public/common/content_switches.h"
+#include "content/public/common/origin_util.h"
+#include "net/http/http_response_headers.h"
+#include "url/gurl.h"
+#include "url/origin.h"
+
+namespace content {
+
+namespace {
+
+static const char* kClearSiteDataHeader = "Clear-Site-Data";
+
+static const char* kTypesKey = "types";
+
+// Pretty-printed log output.
+static const char* kConsoleMessagePrefix = "Clear-Site-Data header on '%s': %s";
+static const char* kClearingOneType = "Clearing %s.";
+static const char* kClearingTwoTypes = "Clearing %s and %s.";
+static const char* kClearingThreeTypes = "Clearing %s, %s, and %s.";
+
+// Console logging. Adds a |text| message with |level| to |messages|.
+void ConsoleLog(std::vector<ClearSiteDataThrottle::ConsoleMessage>* messages,
nasko 2016/08/11 20:07:22 nit: Seems an overkill to have a full on method fo
msramek 2016/08/12 15:06:27 Hmm, here I would argue that ConsoleLog(where, wha
nasko 2016/08/12 21:44:53 I'm fine as it is.
+ const GURL& url,
+ const std::string& text,
+ ConsoleMessageLevel level) {
+ messages->push_back({url, text, level});
+}
+
+bool AreExperimentalFeaturesEnabled() {
+ return base::CommandLine::ForCurrentProcess()->HasSwitch(
+ switches::kEnableExperimentalWebPlatformFeatures);
+}
+
+} // namespace
+
+// static
+std::unique_ptr<NavigationThrottle>
+ClearSiteDataThrottle::CreateThrottleForNavigation(NavigationHandle* handle) {
+ if (AreExperimentalFeaturesEnabled())
+ return base::WrapUnique(new ClearSiteDataThrottle(handle));
+
+ return std::unique_ptr<NavigationThrottle>();
+}
+
+ClearSiteDataThrottle::ClearSiteDataThrottle(
+ NavigationHandle* navigation_handle)
+ : NavigationThrottle(navigation_handle),
+ active_tasks_(0),
+ weak_ptr_factory_(this) {}
+
+ClearSiteDataThrottle::~ClearSiteDataThrottle() {
+ // At the end of the navigation we finally have access to the correct
+ // RenderFrameHost. Output the cached console messages. Prefix each sequence
+ // of messages belonging to the same URL with |kConsoleMessagePrefix|.
nasko 2016/08/11 20:07:21 |messages| is a vector and there is no sorting per
msramek 2016/08/12 15:06:27 If we're going through a redirect url1->url2, then
nasko 2016/08/12 21:44:53 Yes, I had the url1->url2->url1 pattern in mind. I
+ GURL last_seen_url;
+ for (const ConsoleMessage& message : messages_) {
+ if (message.url == last_seen_url) {
+ navigation_handle()->GetRenderFrameHost()->AddMessageToConsole(
+ message.level, message.text);
+ } else {
+ navigation_handle()->GetRenderFrameHost()->AddMessageToConsole(
+ message.level,
+ base::StringPrintf(kConsoleMessagePrefix, message.url.spec().c_str(),
+ message.text.c_str()));
+ }
+
+ last_seen_url = message.url;
+ }
+}
+
+ClearSiteDataThrottle::ThrottleCheckResult
+ClearSiteDataThrottle::WillStartRequest() {
+ current_url_ = navigation_handle()->GetURL();
+ return PROCEED;
+}
+
+ClearSiteDataThrottle::ThrottleCheckResult
+ClearSiteDataThrottle::WillRedirectRequest() {
+ // We are processing a redirect from url1 to url2. GetResponseHeaders()
+ // contains headers from url1, but GetURL() is already equal to url2. Handle
+ // the headers before updating the URL, so that |current_url_| corresponds
+ // to the URL that sent the headers.
+ HandleHeader();
+ current_url_ = navigation_handle()->GetURL();
+
+ return active_tasks_ ? DEFER : PROCEED;
+}
+
+ClearSiteDataThrottle::ThrottleCheckResult
+ClearSiteDataThrottle::WillProcessResponse() {
+ HandleHeader();
+ return active_tasks_ ? DEFER : PROCEED;
+}
+
+void ClearSiteDataThrottle::HandleHeader() {
+ NavigationHandleImpl* handle =
+ static_cast<NavigationHandleImpl*>(navigation_handle());
+
+ // Some navigations don't have response headers.
+ if (!handle->GetResponseHeaders())
+ return;
+
nasko 2016/08/11 20:07:22 The spec calls out that Clear-Site-Data is only va
msramek 2016/08/12 15:06:27 You're correct to expect the call to IsOriginSecur
nasko 2016/08/12 21:44:53 Hmm, I wrote the comment and then discarded it. I
+ // Extract the instances of the header and parse them.
+ size_t iter = 0;
+ std::string header_name;
+ std::string header_value;
+ while (handle->GetResponseHeaders()->EnumerateHeaderLines(&iter, &header_name,
nasko 2016/08/11 20:07:21 Do we want to allow multiple instances of the head
msramek 2016/08/12 15:06:27 Done. It's true that currently there's no reason
nasko 2016/08/12 21:44:53 Doesn't GetNormalizedHeader work? It will likely a
msramek 2016/08/16 13:47:37 Done. Ok, let's do it that way. We'll probably up
+ &header_value)) {
+ if (header_name != kClearSiteDataHeader)
+ continue;
+
+ // Only accept the header on secure origins.
+ if (!IsOriginSecure(current_url_)) {
+ ConsoleLog(&messages_, current_url_,
+ "Not supported for insecure origins.",
+ CONSOLE_MESSAGE_LEVEL_ERROR);
+ return;
+ }
+
+ bool clear_cookies;
+ bool clear_storage;
+ bool clear_cache;
+
+ if (!ParseHeader(header_value, &clear_cookies, &clear_storage, &clear_cache,
+ &messages_)) {
+ continue;
+ }
+
+ // If the header is valid, clear the data for this browser context
+ // and origin.
+ BrowserContext* browser_context =
+ navigation_handle()->GetWebContents()->GetBrowserContext();
+ url::Origin origin(current_url_);
nasko 2016/08/11 20:07:21 Do we honor unique origins for deletion too? The s
msramek 2016/08/12 15:06:27 That's a good question. The current implementatio
nasko 2016/08/12 21:44:53 Maybe not right now with the current state of affa
+
+ ++active_tasks_;
nasko 2016/08/11 20:07:21 Honoring only single instance of the header will a
msramek 2016/08/12 15:06:27 Done. But we'll still need at least a boolean.
nasko 2016/08/12 21:44:53 Acknowledged.
+ GetContentClient()->browser()->ClearSiteData(
+ browser_context, origin, clear_cookies, clear_storage, clear_cache,
+ base::Bind(&ClearSiteDataThrottle::TaskFinished,
+ weak_ptr_factory_.GetWeakPtr()));
+ }
+}
+
+bool ClearSiteDataThrottle::ParseHeader(const std::string& header,
+ bool* clear_cookies,
+ bool* clear_storage,
+ bool* clear_cache,
+ std::vector<ConsoleMessage>* messages) {
+ std::unique_ptr<base::Value> parsed_header;
+ if (base::IsStringASCII(header))
nasko 2016/08/11 20:07:22 nit: Invert the check and early return.
msramek 2016/08/12 15:06:27 Done.
+ parsed_header = base::JSONReader::Read(header);
+
+ if (!parsed_header) {
+ ConsoleLog(messages, current_url_,
+ "Not a valid JSON or non-ASCII characters present.",
nasko 2016/08/11 20:07:21 Wouldn't we want to be more precise as to what wen
msramek 2016/08/12 15:06:27 Done.
+ CONSOLE_MESSAGE_LEVEL_ERROR);
+ return false;
+ }
+
+ const base::DictionaryValue* dictionary = nullptr;
+ const base::ListValue* types = nullptr;
+ if (!parsed_header->GetAsDictionary(&dictionary) ||
+ !dictionary->GetListWithoutPathExpansion(kTypesKey, &types)) {
+ ConsoleLog(messages, current_url_,
+ "Expecting a JSON dictionary with a 'types' field.",
+ CONSOLE_MESSAGE_LEVEL_ERROR);
+ return false;
+ }
+
+ DCHECK(types);
+
+ *clear_cookies = false;
+ *clear_storage = false;
+ *clear_cache = false;
+
+ std::vector<std::string> type_names;
+ for (const std::unique_ptr<base::Value>& value : *types) {
+ std::string type;
+ value->GetAsString(&type);
+
+ bool* datatype = nullptr;
+
+ if (type == "cookies") {
+ datatype = clear_cookies;
+ } else if (type == "storage") {
+ datatype = clear_storage;
+ } else if (type == "cache") {
+ datatype = clear_cache;
+ } else {
+ std::string serialized_type;
+ JSONStringValueSerializer serializer(&serialized_type);
+ serializer.Serialize(*value);
+ ConsoleLog(
+ messages, current_url_,
+ base::StringPrintf("Invalid type: %s.", serialized_type.c_str()),
+ CONSOLE_MESSAGE_LEVEL_ERROR);
+ continue;
+ }
+
+ // Each data type should only be processed once.
+ DCHECK(datatype);
+ if (*datatype)
+ continue;
+
+ *datatype = true;
+ type_names.push_back(type);
+ }
+
+ if (!*clear_cookies && !*clear_storage && !*clear_cache) {
+ ConsoleLog(messages, current_url_,
+ "No valid types specified in the 'types' field.",
+ CONSOLE_MESSAGE_LEVEL_ERROR);
+ return false;
+ }
+
+ // Pretty-print which types are to be cleared.
+ std::string output;
+ switch (type_names.size()) {
+ case 1:
+ output = base::StringPrintf(kClearingOneType, type_names[0].c_str());
+ break;
+ case 2:
+ output = base::StringPrintf(kClearingTwoTypes, type_names[0].c_str(),
+ type_names[1].c_str());
+ break;
+ case 3:
+ output = base::StringPrintf(kClearingThreeTypes, type_names[0].c_str(),
+ type_names[1].c_str(), type_names[2].c_str());
+ break;
+ default:
+ NOTREACHED();
+ }
+ ConsoleLog(messages, current_url_, output, CONSOLE_MESSAGE_LEVEL_LOG);
+
+ return true;
+}
+
+void ClearSiteDataThrottle::TaskFinished() {
+ DCHECK(active_tasks_);
+ if (!--active_tasks_)
+ navigation_handle()->Resume();
+}
+
+} // namespace content

Powered by Google App Engine
This is Rietveld 408576698