blob: c93f08a677337157c77947643bd5b28f5076ca4d [file] [log] [blame]
// Copyright 2014 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 "chrome/browser/banners/app_banner_settings_helper.h"
#include <stddef.h>
#include <algorithm>
#include <string>
#include <utility>
#include "base/command_line.h"
#include "base/memory/ptr_util.h"
#include "base/metrics/field_trial.h"
#include "base/strings/string_number_conversions.h"
#include "base/strings/string_util.h"
#include "chrome/browser/banners/app_banner_manager.h"
#include "chrome/browser/banners/app_banner_metrics.h"
#include "chrome/browser/browser_process.h"
#include "chrome/browser/content_settings/host_content_settings_map_factory.h"
#include "chrome/browser/installable/installable_logging.h"
#include "chrome/browser/profiles/profile.h"
#include "chrome/common/chrome_switches.h"
#include "components/content_settings/core/browser/host_content_settings_map.h"
#include "components/content_settings/core/common/content_settings_pattern.h"
#include "components/rappor/rappor_utils.h"
#include "components/variations/variations_associated_data.h"
#include "content/public/browser/web_contents.h"
#include "net/base/escape.h"
#include "url/gurl.h"
namespace {
// Max number of apps (including ServiceWorker based web apps) that a particular
// site may show a banner for.
const size_t kMaxAppsPerSite = 3;
// Oldest could show banner event we care about, in days.
const unsigned int kOldestCouldShowBannerEventInDays = 14;
// Default number of days that dismissing or ignoring the banner will prevent it
// being seen again for.
const unsigned int kMinimumBannerBlockedToBannerShown = 90;
const unsigned int kMinimumDaysBetweenBannerShows = 14;
const unsigned int kNumberOfMinutesInADay = 1440;
// Default scores assigned to direct and indirect navigations respectively.
const unsigned int kDefaultDirectNavigationEngagement = 1;
const unsigned int kDefaultIndirectNavigationEngagement = 1;
// Default number of navigations required to trigger the banner.
const unsigned int kDefaultTotalEngagementToTrigger = 2;
// The number of days in the past that a site should be launched from homescreen
// to be considered recent.
// TODO(dominickn): work out how to unify this with
// WebappDataStorage.wasLaunchedRecently.
const unsigned int kRecentLastLaunchInDays = 10;
// Dictionary keys to use for the events.
const char* kBannerEventKeys[] = {
"couldShowBannerEvents",
"didShowBannerEvent",
"didBlockBannerEvent",
"didAddToHomescreenEvent",
};
// Keys to use when storing BannerEvent structs.
const char kBannerTimeKey[] = "time";
const char kBannerEngagementKey[] = "engagement";
// Keys to use when querying the variations params.
const char kBannerParamsKey[] = "AppBannerTriggering";
const char kBannerParamsDirectKey[] = "direct";
const char kBannerParamsIndirectKey[] = "indirect";
const char kBannerParamsTotalKey[] = "total";
const char kBannerParamsMinutesKey[] = "minutes";
const char kBannerParamsEngagementTotalKey[] = "site_engagement_total";
const char kBannerParamsDaysAfterBannerDismissedKey[] = "days_after_dismiss";
const char kBannerParamsDaysAfterBannerIgnoredKey[] = "days_after_ignore";
const char kBannerSiteEngagementParamsKey[] = "use_site_engagement";
const char kBannerParamsLanguageKey[] = "language_option";
// Engagement weight assigned to direct and indirect navigations.
// By default, a direct navigation is a page visit via ui::PAGE_TRANSITION_TYPED
// or ui::PAGE_TRANSITION_GENERATED.
double gDirectNavigationEngagement = kDefaultDirectNavigationEngagement;
double gIndirectNavigationEnagagement = kDefaultIndirectNavigationEngagement;
// Number of minutes between visits that will trigger a could show banner event.
// Defaults to the number of minutes in a day.
unsigned int gMinimumMinutesBetweenVisits = kNumberOfMinutesInADay;
// Total engagement score required before a banner will actually be triggered.
double gTotalEngagementToTrigger = kDefaultTotalEngagementToTrigger;
unsigned int gDaysAfterDismissedToShow = kMinimumBannerBlockedToBannerShown;
unsigned int gDaysAfterIgnoredToShow = kMinimumDaysBetweenBannerShows;
std::unique_ptr<base::DictionaryValue> GetOriginDict(
HostContentSettingsMap* settings,
const GURL& origin_url) {
if (!settings)
return base::MakeUnique<base::DictionaryValue>();
std::unique_ptr<base::DictionaryValue> dict =
base::DictionaryValue::From(settings->GetWebsiteSetting(
origin_url, origin_url, CONTENT_SETTINGS_TYPE_APP_BANNER,
std::string(), NULL));
if (!dict)
return base::MakeUnique<base::DictionaryValue>();
return dict;
}
base::DictionaryValue* GetAppDict(base::DictionaryValue* origin_dict,
const std::string& key_name) {
base::DictionaryValue* app_dict = nullptr;
if (!origin_dict->GetDictionaryWithoutPathExpansion(key_name, &app_dict)) {
// Don't allow more than kMaxAppsPerSite dictionaries.
if (origin_dict->size() < kMaxAppsPerSite) {
app_dict = new base::DictionaryValue();
origin_dict->SetWithoutPathExpansion(key_name,
base::WrapUnique(app_dict));
}
}
return app_dict;
}
double GetEventEngagement(ui::PageTransition transition_type) {
if (ui::PageTransitionCoreTypeIs(transition_type,
ui::PAGE_TRANSITION_TYPED) ||
ui::PageTransitionCoreTypeIs(transition_type,
ui::PAGE_TRANSITION_GENERATED)) {
return gDirectNavigationEngagement;
} else {
return gIndirectNavigationEnagagement;
}
}
// Queries variations for the number of days which dismissing and ignoring the
// banner should prevent a banner from showing.
void UpdateDaysBetweenShowing() {
std::string dismiss_param = variations::GetVariationParamValue(
kBannerParamsKey, kBannerParamsDaysAfterBannerDismissedKey);
std::string ignore_param = variations::GetVariationParamValue(
kBannerParamsKey, kBannerParamsDaysAfterBannerIgnoredKey);
if (!dismiss_param.empty() && !ignore_param.empty()) {
unsigned int dismiss_days = 0;
unsigned int ignore_days = 0;
if (base::StringToUint(dismiss_param, &dismiss_days) &&
base::StringToUint(ignore_param, &ignore_days)) {
AppBannerSettingsHelper::SetDaysAfterDismissAndIgnoreToTrigger(
dismiss_days, ignore_days);
}
}
}
// Queries variations for the maximum site engagement score required to trigger
// the banner showing.
void UpdateSiteEngagementToTrigger() {
std::string total_param = variations::GetVariationParamValue(
kBannerParamsKey, kBannerParamsEngagementTotalKey);
if (!total_param.empty()) {
double total_engagement = -1;
if (base::StringToDouble(total_param, &total_engagement) &&
total_engagement >= 0) {
AppBannerSettingsHelper::SetTotalEngagementToTrigger(total_engagement);
}
}
}
// Queries variations for updates to the default engagement values assigned
// to direct and indirect navigations.
void UpdateEngagementWeights() {
std::string direct_param = variations::GetVariationParamValue(
kBannerParamsKey, kBannerParamsDirectKey);
std::string indirect_param = variations::GetVariationParamValue(
kBannerParamsKey, kBannerParamsIndirectKey);
std::string total_param = variations::GetVariationParamValue(
kBannerParamsKey, kBannerParamsTotalKey);
if (!direct_param.empty() && !indirect_param.empty() &&
!total_param.empty()) {
double direct_engagement = -1;
double indirect_engagement = -1;
double total_engagement = -1;
// Ensure that we get valid doubles from the field trial, and that both
// values are greater than or equal to zero and less than or equal to the
// total engagement required to trigger the banner.
if (base::StringToDouble(direct_param, &direct_engagement) &&
base::StringToDouble(indirect_param, &indirect_engagement) &&
base::StringToDouble(total_param, &total_engagement) &&
direct_engagement >= 0 && indirect_engagement >= 0 &&
total_engagement > 0 && direct_engagement <= total_engagement &&
indirect_engagement <= total_engagement) {
AppBannerSettingsHelper::SetEngagementWeights(direct_engagement,
indirect_engagement);
AppBannerSettingsHelper::SetTotalEngagementToTrigger(total_engagement);
}
}
}
// Queries variation for updates to the default number of minutes between
// site visits counted for the purposes of displaying a banner.
void UpdateMinutesBetweenVisits() {
std::string param = variations::GetVariationParamValue(
kBannerParamsKey, kBannerParamsMinutesKey);
if (!param.empty()) {
int minimum_minutes = 0;
if (base::StringToInt(param, &minimum_minutes))
AppBannerSettingsHelper::SetMinimumMinutesBetweenVisits(minimum_minutes);
}
}
} // namespace
// Key to store instant apps events.
const char AppBannerSettingsHelper::kInstantAppsKey[] = "instantapps";
void AppBannerSettingsHelper::ClearHistoryForURLs(
Profile* profile,
const std::set<GURL>& origin_urls) {
HostContentSettingsMap* settings =
HostContentSettingsMapFactory::GetForProfile(profile);
for (const GURL& origin_url : origin_urls) {
settings->SetWebsiteSettingDefaultScope(origin_url, GURL(),
CONTENT_SETTINGS_TYPE_APP_BANNER,
std::string(), nullptr);
settings->FlushLossyWebsiteSettings();
}
}
void AppBannerSettingsHelper::RecordBannerInstallEvent(
content::WebContents* web_contents,
const std::string& package_name_or_start_url,
AppBannerRapporMetric rappor_metric) {
banners::TrackInstallEvent(banners::INSTALL_EVENT_WEB_APP_INSTALLED);
AppBannerSettingsHelper::RecordBannerEvent(
web_contents, web_contents->GetURL(), package_name_or_start_url,
AppBannerSettingsHelper::APP_BANNER_EVENT_DID_ADD_TO_HOMESCREEN,
banners::AppBannerManager::GetCurrentTime());
rappor::SampleDomainAndRegistryFromGURL(
g_browser_process->rappor_service(),
(rappor_metric == WEB ? "AppBanner.WebApp.Installed"
: "AppBanner.NativeApp.Installed"),
web_contents->GetURL());
}
void AppBannerSettingsHelper::RecordBannerDismissEvent(
content::WebContents* web_contents,
const std::string& package_name_or_start_url,
AppBannerRapporMetric rappor_metric) {
banners::TrackDismissEvent(banners::DISMISS_EVENT_CLOSE_BUTTON);
AppBannerSettingsHelper::RecordBannerEvent(
web_contents, web_contents->GetURL(), package_name_or_start_url,
AppBannerSettingsHelper::APP_BANNER_EVENT_DID_BLOCK,
banners::AppBannerManager::GetCurrentTime());
rappor::SampleDomainAndRegistryFromGURL(
g_browser_process->rappor_service(),
(rappor_metric == WEB ? "AppBanner.WebApp.Dismissed"
: "AppBanner.NativeApp.Dismissed"),
web_contents->GetURL());
}
void AppBannerSettingsHelper::RecordBannerEvent(
content::WebContents* web_contents,
const GURL& origin_url,
const std::string& package_name_or_start_url,
AppBannerEvent event,
base::Time time) {
DCHECK(event != APP_BANNER_EVENT_COULD_SHOW);
Profile* profile =
Profile::FromBrowserContext(web_contents->GetBrowserContext());
if (profile->IsOffTheRecord() || package_name_or_start_url.empty())
return;
HostContentSettingsMap* settings =
HostContentSettingsMapFactory::GetForProfile(profile);
std::unique_ptr<base::DictionaryValue> origin_dict =
GetOriginDict(settings, origin_url);
if (!origin_dict)
return;
base::DictionaryValue* app_dict =
GetAppDict(origin_dict.get(), package_name_or_start_url);
if (!app_dict)
return;
// Dates are stored in their raw form (i.e. not local dates) to be resilient
// to time zone changes.
std::string event_key(kBannerEventKeys[event]);
app_dict->SetDouble(event_key, time.ToInternalValue());
settings->SetWebsiteSettingDefaultScope(
origin_url, GURL(), CONTENT_SETTINGS_TYPE_APP_BANNER, std::string(),
std::move(origin_dict));
// App banner content settings are lossy, meaning they will not cause the
// prefs to become dirty. This is fine for most events, as if they are lost it
// just means the user will have to engage a little bit more. However the
// DID_ADD_TO_HOMESCREEN event should always be recorded to prevent
// spamminess.
if (event == APP_BANNER_EVENT_DID_ADD_TO_HOMESCREEN)
settings->FlushLossyWebsiteSettings();
}
void AppBannerSettingsHelper::RecordBannerCouldShowEvent(
content::WebContents* web_contents,
const GURL& origin_url,
const std::string& package_name_or_start_url,
base::Time time,
ui::PageTransition transition_type) {
Profile* profile =
Profile::FromBrowserContext(web_contents->GetBrowserContext());
if (profile->IsOffTheRecord() || package_name_or_start_url.empty())
return;
HostContentSettingsMap* settings =
HostContentSettingsMapFactory::GetForProfile(profile);
std::unique_ptr<base::DictionaryValue> origin_dict =
GetOriginDict(settings, origin_url);
if (!origin_dict)
return;
base::DictionaryValue* app_dict =
GetAppDict(origin_dict.get(), package_name_or_start_url);
if (!app_dict)
return;
std::string event_key(kBannerEventKeys[APP_BANNER_EVENT_COULD_SHOW]);
double engagement = GetEventEngagement(transition_type);
base::ListValue* could_show_list = nullptr;
if (!app_dict->GetList(event_key, &could_show_list)) {
could_show_list = new base::ListValue();
app_dict->Set(event_key, base::WrapUnique(could_show_list));
}
// Trim any items that are older than we should care about. For comparisons
// the times are converted to local dates.
base::Time date = BucketTimeToResolution(time, gMinimumMinutesBetweenVisits);
for (auto it = could_show_list->begin(); it != could_show_list->end();) {
if ((*it)->IsType(base::Value::TYPE_DICTIONARY)) {
base::DictionaryValue* internal_value;
double internal_date;
(*it)->GetAsDictionary(&internal_value);
if (internal_value->GetDouble(kBannerTimeKey, &internal_date)) {
base::Time other_date =
BucketTimeToResolution(base::Time::FromInternalValue(internal_date),
gMinimumMinutesBetweenVisits);
if (other_date == date) {
double other_engagement = 0;
if (internal_value->GetDouble(kBannerEngagementKey,
&other_engagement) &&
other_engagement >= engagement) {
// This date has already been added, but with an equal or higher
// engagement. Don't add the date again. If the conditional fails,
// fall to the end of the loop where the existing entry is deleted.
return;
}
} else {
base::TimeDelta delta = date - other_date;
if (delta <
base::TimeDelta::FromDays(kOldestCouldShowBannerEventInDays)) {
++it;
continue;
}
}
}
}
// Either this date is older than we care about, or it isn't in the correct
// format, or it is the same as the current date but with a lower
// engagement, so remove it.
it = could_show_list->Erase(it, nullptr);
}
// Dates are stored in their raw form (i.e. not local dates) to be resilient
// to time zone changes.
std::unique_ptr<base::DictionaryValue> value(new base::DictionaryValue());
value->SetDouble(kBannerTimeKey, time.ToInternalValue());
value->SetDouble(kBannerEngagementKey, engagement);
could_show_list->Append(std::move(value));
settings->SetWebsiteSettingDefaultScope(
origin_url, GURL(), CONTENT_SETTINGS_TYPE_APP_BANNER, std::string(),
std::move(origin_dict));
}
InstallableStatusCode AppBannerSettingsHelper::ShouldShowBanner(
content::WebContents* web_contents,
const GURL& origin_url,
const std::string& package_name_or_start_url,
base::Time time) {
// Ignore all checks if the flag to do so is set.
if (base::CommandLine::ForCurrentProcess()->HasSwitch(
switches::kBypassAppBannerEngagementChecks)) {
return NO_ERROR_DETECTED;
}
// Never show a banner when the package name or URL is empty.
if (package_name_or_start_url.empty())
return PACKAGE_NAME_OR_START_URL_EMPTY;
// Don't show if it has been added to the homescreen.
base::Time added_time =
GetSingleBannerEvent(web_contents, origin_url, package_name_or_start_url,
APP_BANNER_EVENT_DID_ADD_TO_HOMESCREEN);
if (!added_time.is_null())
return ALREADY_INSTALLED;
base::Time blocked_time =
GetSingleBannerEvent(web_contents, origin_url, package_name_or_start_url,
APP_BANNER_EVENT_DID_BLOCK);
// Null times are in the distant past, so the delta between real times and
// null events will always be greater than the limits.
if (time - blocked_time <
base::TimeDelta::FromDays(gDaysAfterDismissedToShow)) {
return PREVIOUSLY_BLOCKED;
}
base::Time shown_time =
GetSingleBannerEvent(web_contents, origin_url, package_name_or_start_url,
APP_BANNER_EVENT_DID_SHOW);
if (time - shown_time < base::TimeDelta::FromDays(gDaysAfterIgnoredToShow)) {
return PREVIOUSLY_IGNORED;
}
// If we have gotten this far and want to use site engagement, the banner flow
// was triggered by the site engagement service informing the banner manager
// that sufficient engagement has been accumulated. Hence there is no need to
// check the total amount of engagement.
// TODO(dominickn): just return true here and remove all of the following code
// in this method when app banners have fully migrated to using site
// engagement as a trigger condition. See crbug.com/616322.
// Do not do engagement checks for instant app banners.
if (ShouldUseSiteEngagementScore() ||
package_name_or_start_url == kInstantAppsKey) {
return NO_ERROR_DETECTED;
}
double total_engagement = 0;
std::vector<BannerEvent> could_show_events = GetCouldShowBannerEvents(
web_contents, origin_url, package_name_or_start_url);
for (const auto& event : could_show_events)
total_engagement += event.engagement;
if (!HasSufficientEngagement(total_engagement))
return INSUFFICIENT_ENGAGEMENT;
return NO_ERROR_DETECTED;
}
std::vector<AppBannerSettingsHelper::BannerEvent>
AppBannerSettingsHelper::GetCouldShowBannerEvents(
content::WebContents* web_contents,
const GURL& origin_url,
const std::string& package_name_or_start_url) {
std::vector<BannerEvent> result;
Profile* profile =
Profile::FromBrowserContext(web_contents->GetBrowserContext());
HostContentSettingsMap* settings =
HostContentSettingsMapFactory::GetForProfile(profile);
std::unique_ptr<base::DictionaryValue> origin_dict =
GetOriginDict(settings, origin_url);
if (!origin_dict)
return result;
base::DictionaryValue* app_dict =
GetAppDict(origin_dict.get(), package_name_or_start_url);
if (!app_dict)
return result;
std::string event_key(kBannerEventKeys[APP_BANNER_EVENT_COULD_SHOW]);
base::ListValue* could_show_list = nullptr;
if (!app_dict->GetList(event_key, &could_show_list))
return result;
for (const auto& value : *could_show_list) {
if (value->IsType(base::Value::TYPE_DICTIONARY)) {
base::DictionaryValue* internal_value;
double internal_date = 0;
value->GetAsDictionary(&internal_value);
double engagement = 0;
if (internal_value->GetDouble(kBannerTimeKey, &internal_date) &&
internal_value->GetDouble(kBannerEngagementKey, &engagement)) {
base::Time date = base::Time::FromInternalValue(internal_date);
result.push_back({date, engagement});
}
}
}
return result;
}
base::Time AppBannerSettingsHelper::GetSingleBannerEvent(
content::WebContents* web_contents,
const GURL& origin_url,
const std::string& package_name_or_start_url,
AppBannerEvent event) {
DCHECK(event != APP_BANNER_EVENT_COULD_SHOW);
DCHECK(event < APP_BANNER_EVENT_NUM_EVENTS);
Profile* profile =
Profile::FromBrowserContext(web_contents->GetBrowserContext());
HostContentSettingsMap* settings =
HostContentSettingsMapFactory::GetForProfile(profile);
std::unique_ptr<base::DictionaryValue> origin_dict =
GetOriginDict(settings, origin_url);
if (!origin_dict)
return base::Time();
base::DictionaryValue* app_dict =
GetAppDict(origin_dict.get(), package_name_or_start_url);
if (!app_dict)
return base::Time();
std::string event_key(kBannerEventKeys[event]);
double internal_time;
if (!app_dict->GetDouble(event_key, &internal_time))
return base::Time();
return base::Time::FromInternalValue(internal_time);
}
bool AppBannerSettingsHelper::HasSufficientEngagement(double total_engagement) {
return (base::CommandLine::ForCurrentProcess()->HasSwitch(
switches::kBypassAppBannerEngagementChecks)) ||
(total_engagement >= gTotalEngagementToTrigger);
}
void AppBannerSettingsHelper::RecordMinutesFromFirstVisitToShow(
content::WebContents* web_contents,
const GURL& origin_url,
const std::string& package_name_or_start_url,
base::Time time) {
std::vector<BannerEvent> could_show_events = GetCouldShowBannerEvents(
web_contents, origin_url, package_name_or_start_url);
int minutes = 0;
if (could_show_events.size())
minutes = (time - could_show_events[0].time).InMinutes();
banners::TrackMinutesFromFirstVisitToBannerShown(minutes);
}
bool AppBannerSettingsHelper::WasLaunchedRecently(Profile* profile,
const GURL& origin_url,
base::Time now) {
HostContentSettingsMap* settings =
HostContentSettingsMapFactory::GetForProfile(profile);
std::unique_ptr<base::DictionaryValue> origin_dict =
GetOriginDict(settings, origin_url);
if (!origin_dict)
return false;
// Iterate over everything in the content setting, which should be a set of
// dictionaries per app path. If we find one that has been added to
// homescreen recently, return true.
for (base::DictionaryValue::Iterator it(*origin_dict); !it.IsAtEnd();
it.Advance()) {
if (it.value().IsType(base::Value::TYPE_DICTIONARY)) {
const base::DictionaryValue* value;
it.value().GetAsDictionary(&value);
std::string event_key(
kBannerEventKeys[APP_BANNER_EVENT_DID_ADD_TO_HOMESCREEN]);
double internal_time;
if (it.key() == kInstantAppsKey ||
!value->GetDouble(event_key, &internal_time)) {
continue;
}
base::Time added_time = base::Time::FromInternalValue(internal_time);
if ((now - added_time) <=
base::TimeDelta::FromDays(kRecentLastLaunchInDays)) {
return true;
}
}
}
return false;
}
void AppBannerSettingsHelper::SetDaysAfterDismissAndIgnoreToTrigger(
unsigned int dismiss_days,
unsigned int ignore_days) {
gDaysAfterDismissedToShow = dismiss_days;
gDaysAfterIgnoredToShow = ignore_days;
}
void AppBannerSettingsHelper::SetEngagementWeights(double direct_engagement,
double indirect_engagement) {
gDirectNavigationEngagement = direct_engagement;
gIndirectNavigationEnagagement = indirect_engagement;
}
void AppBannerSettingsHelper::SetMinimumMinutesBetweenVisits(
unsigned int minutes) {
gMinimumMinutesBetweenVisits = minutes;
}
void AppBannerSettingsHelper::SetTotalEngagementToTrigger(
double total_engagement) {
gTotalEngagementToTrigger = total_engagement;
}
void AppBannerSettingsHelper::SetDefaultParameters() {
SetDaysAfterDismissAndIgnoreToTrigger(kMinimumBannerBlockedToBannerShown,
kMinimumDaysBetweenBannerShows);
SetEngagementWeights(kDefaultDirectNavigationEngagement,
kDefaultIndirectNavigationEngagement);
SetMinimumMinutesBetweenVisits(kNumberOfMinutesInADay);
SetTotalEngagementToTrigger(kDefaultTotalEngagementToTrigger);
}
// Given a time, returns that time scoped to the nearest minute resolution
// locally. For example, if the resolution is one hour, this function will
// return the time to the closest (previous) hour in the local time zone.
base::Time AppBannerSettingsHelper::BucketTimeToResolution(
base::Time time,
unsigned int minutes) {
// Only support resolutions smaller than or equal to one day. Enforce
// that resolutions divide evenly into one day. Otherwise, default to a
// day resolution (each time converted to midnight local time).
if (minutes == 0 || minutes >= kNumberOfMinutesInADay ||
kNumberOfMinutesInADay % minutes != 0) {
return time.LocalMidnight();
}
// Extract the number of minutes past midnight in local time. Divide that
// number by the resolution size, and return the time converted to local
// midnight with the resulting truncated number added.
base::Time::Exploded exploded;
time.LocalExplode(&exploded);
int total_minutes = exploded.hour * 60 + exploded.minute;
// Use truncating integer division here.
return time.LocalMidnight() +
base::TimeDelta::FromMinutes((total_minutes / minutes) * minutes);
}
void AppBannerSettingsHelper::UpdateFromFieldTrial() {
// If we are using the site engagement score, only extract the total
// engagement to trigger from the params variations.
UpdateDaysBetweenShowing();
if (ShouldUseSiteEngagementScore()) {
UpdateSiteEngagementToTrigger();
} else {
UpdateEngagementWeights();
UpdateMinutesBetweenVisits();
}
}
AppBannerSettingsHelper::LanguageOption
AppBannerSettingsHelper::GetHomescreenLanguageOption() {
std::string param = variations::GetVariationParamValue(
kBannerParamsKey, kBannerParamsLanguageKey);
unsigned int language_option = 0;
if (param.empty() || !base::StringToUint(param, &language_option) ||
language_option < LANGUAGE_OPTION_MIN ||
language_option > LANGUAGE_OPTION_MAX) {
return LANGUAGE_OPTION_DEFAULT;
}
return static_cast<LanguageOption>(language_option);
}
bool AppBannerSettingsHelper::ShouldUseSiteEngagementScore() {
if (base::CommandLine::ForCurrentProcess()->HasSwitch(
switches::kEnableSiteEngagementAppBanner)) {
return true;
}
// Assume any value which is not "0" or "false" indicates that we should use
// site engagement.
std::string param = variations::GetVariationParamValue(
kBannerParamsKey, kBannerSiteEngagementParamsKey);
return (!param.empty() && param != "0" && param != "false");
}