autofill_manager.cc revision 6e8cce623b6e4fe0c9e4af605d675dd9d0338c38
1// Copyright 2013 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.
4
5#include "components/autofill/core/browser/autofill_manager.h"
6
7#include <stddef.h>
8
9#include <limits>
10#include <map>
11#include <set>
12#include <utility>
13
14#include "base/bind.h"
15#include "base/command_line.h"
16#include "base/guid.h"
17#include "base/logging.h"
18#include "base/prefs/pref_service.h"
19#include "base/strings/string16.h"
20#include "base/strings/string_util.h"
21#include "base/strings/utf_string_conversions.h"
22#include "base/threading/sequenced_worker_pool.h"
23#include "components/autofill/core/browser/autocomplete_history_manager.h"
24#include "components/autofill/core/browser/autofill_client.h"
25#include "components/autofill/core/browser/autofill_data_model.h"
26#include "components/autofill/core/browser/autofill_external_delegate.h"
27#include "components/autofill/core/browser/autofill_field.h"
28#include "components/autofill/core/browser/autofill_manager_test_delegate.h"
29#include "components/autofill/core/browser/autofill_metrics.h"
30#include "components/autofill/core/browser/autofill_profile.h"
31#include "components/autofill/core/browser/autofill_type.h"
32#include "components/autofill/core/browser/credit_card.h"
33#include "components/autofill/core/browser/form_structure.h"
34#include "components/autofill/core/browser/personal_data_manager.h"
35#include "components/autofill/core/browser/phone_number.h"
36#include "components/autofill/core/browser/phone_number_i18n.h"
37#include "components/autofill/core/browser/popup_item_ids.h"
38#include "components/autofill/core/common/autofill_data_validation.h"
39#include "components/autofill/core/common/autofill_pref_names.h"
40#include "components/autofill/core/common/autofill_switches.h"
41#include "components/autofill/core/common/form_data.h"
42#include "components/autofill/core/common/form_data_predictions.h"
43#include "components/autofill/core/common/form_field_data.h"
44#include "components/autofill/core/common/password_form_fill_data.h"
45#include "components/pref_registry/pref_registry_syncable.h"
46#include "grit/components_strings.h"
47#include "ui/base/l10n/l10n_util.h"
48#include "ui/gfx/rect.h"
49#include "url/gurl.h"
50
51namespace autofill {
52
53typedef PersonalDataManager::GUIDPair GUIDPair;
54
55using base::TimeTicks;
56
57namespace {
58
59// We only send a fraction of the forms to upload server.
60// The rate for positive/negative matches potentially could be different.
61const double kAutofillPositiveUploadRateDefaultValue = 0.20;
62const double kAutofillNegativeUploadRateDefaultValue = 0.20;
63
64const size_t kMaxRecentFormSignaturesToRemember = 3;
65
66// Set a conservative upper bound on the number of forms we are willing to
67// cache, simply to prevent unbounded memory consumption.
68const size_t kMaxFormCacheSize = 100;
69
70// Removes duplicate suggestions whilst preserving their original order.
71void RemoveDuplicateSuggestions(std::vector<base::string16>* values,
72                                std::vector<base::string16>* labels,
73                                std::vector<base::string16>* icons,
74                                std::vector<int>* unique_ids) {
75  DCHECK_EQ(values->size(), labels->size());
76  DCHECK_EQ(values->size(), icons->size());
77  DCHECK_EQ(values->size(), unique_ids->size());
78
79  std::set<std::pair<base::string16, base::string16> > seen_suggestions;
80  std::vector<base::string16> values_copy;
81  std::vector<base::string16> labels_copy;
82  std::vector<base::string16> icons_copy;
83  std::vector<int> unique_ids_copy;
84
85  for (size_t i = 0; i < values->size(); ++i) {
86    const std::pair<base::string16, base::string16> suggestion(
87        (*values)[i], (*labels)[i]);
88    if (seen_suggestions.insert(suggestion).second) {
89      values_copy.push_back((*values)[i]);
90      labels_copy.push_back((*labels)[i]);
91      icons_copy.push_back((*icons)[i]);
92      unique_ids_copy.push_back((*unique_ids)[i]);
93    }
94  }
95
96  values->swap(values_copy);
97  labels->swap(labels_copy);
98  icons->swap(icons_copy);
99  unique_ids->swap(unique_ids_copy);
100}
101
102// Precondition: |form_structure| and |form| should correspond to the same
103// logical form.  Returns true if any field in the given |section| within |form|
104// is auto-filled.
105bool SectionIsAutofilled(const FormStructure& form_structure,
106                         const FormData& form,
107                         const std::string& section) {
108  DCHECK_EQ(form_structure.field_count(), form.fields.size());
109  for (size_t i = 0; i < form_structure.field_count(); ++i) {
110    if (form_structure.field(i)->section() == section &&
111        form.fields[i].is_autofilled) {
112      return true;
113    }
114  }
115
116  return false;
117}
118
119bool FormIsHTTPS(const FormStructure& form) {
120  // TODO(blundell): Change this to use a constant once crbug.com/306258 is
121  // fixed.
122  return form.source_url().SchemeIs("https");
123}
124
125// Uses the existing personal data in |profiles| and |credit_cards| to determine
126// possible field types for the |submitted_form|.  This is potentially
127// expensive -- on the order of 50ms even for a small set of |stored_data|.
128// Hence, it should not run on the UI thread -- to avoid locking up the UI --
129// nor on the IO thread -- to avoid blocking IPC calls.
130void DeterminePossibleFieldTypesForUpload(
131    const std::vector<AutofillProfile>& profiles,
132    const std::vector<CreditCard>& credit_cards,
133    const std::string& app_locale,
134    FormStructure* submitted_form) {
135  // For each field in the |submitted_form|, extract the value.  Then for each
136  // profile or credit card, identify any stored types that match the value.
137  for (size_t i = 0; i < submitted_form->field_count(); ++i) {
138    AutofillField* field = submitted_form->field(i);
139    ServerFieldTypeSet matching_types;
140
141    // If it's a password field, set the type directly.
142    if (field->form_control_type == "password") {
143      matching_types.insert(PASSWORD);
144    } else {
145      base::string16 value;
146      base::TrimWhitespace(field->value, base::TRIM_ALL, &value);
147      for (std::vector<AutofillProfile>::const_iterator it = profiles.begin();
148           it != profiles.end(); ++it) {
149        it->GetMatchingTypes(value, app_locale, &matching_types);
150      }
151      for (std::vector<CreditCard>::const_iterator it = credit_cards.begin();
152            it != credit_cards.end(); ++it) {
153        it->GetMatchingTypes(value, app_locale, &matching_types);
154      }
155    }
156
157    if (matching_types.empty())
158      matching_types.insert(UNKNOWN_TYPE);
159
160    field->set_possible_types(matching_types);
161  }
162}
163
164}  // namespace
165
166AutofillManager::AutofillManager(
167    AutofillDriver* driver,
168    AutofillClient* client,
169    const std::string& app_locale,
170    AutofillDownloadManagerState enable_download_manager)
171    : driver_(driver),
172      client_(client),
173      app_locale_(app_locale),
174      personal_data_(client->GetPersonalDataManager()),
175      autocomplete_history_manager_(
176          new AutocompleteHistoryManager(driver, client)),
177      metric_logger_(new AutofillMetrics),
178      has_logged_autofill_enabled_(false),
179      has_logged_address_suggestions_count_(false),
180      did_show_suggestions_(false),
181      user_did_type_(false),
182      user_did_autofill_(false),
183      user_did_edit_autofilled_field_(false),
184      external_delegate_(NULL),
185      test_delegate_(NULL),
186      weak_ptr_factory_(this) {
187  if (enable_download_manager == ENABLE_AUTOFILL_DOWNLOAD_MANAGER) {
188    download_manager_.reset(
189        new AutofillDownloadManager(driver, client_->GetPrefs(), this));
190  }
191}
192
193AutofillManager::~AutofillManager() {}
194
195// static
196void AutofillManager::RegisterProfilePrefs(
197    user_prefs::PrefRegistrySyncable* registry) {
198  registry->RegisterBooleanPref(
199      prefs::kAutofillEnabled,
200      true,
201      user_prefs::PrefRegistrySyncable::SYNCABLE_PREF);
202#if defined(OS_MACOSX)
203  registry->RegisterBooleanPref(
204      prefs::kAutofillAuxiliaryProfilesEnabled,
205      true,
206      user_prefs::PrefRegistrySyncable::SYNCABLE_PREF);
207#else  // defined(OS_MACOSX)
208  registry->RegisterBooleanPref(
209      prefs::kAutofillAuxiliaryProfilesEnabled,
210      false,
211      user_prefs::PrefRegistrySyncable::UNSYNCABLE_PREF);
212#endif  // defined(OS_MACOSX)
213#if defined(OS_MACOSX)
214  registry->RegisterBooleanPref(
215      prefs::kAutofillMacAddressBookQueried,
216      false,
217      user_prefs::PrefRegistrySyncable::UNSYNCABLE_PREF);
218#endif  // defined(OS_MACOSX)
219  registry->RegisterDoublePref(
220      prefs::kAutofillPositiveUploadRate,
221      kAutofillPositiveUploadRateDefaultValue,
222      user_prefs::PrefRegistrySyncable::UNSYNCABLE_PREF);
223  registry->RegisterDoublePref(
224      prefs::kAutofillNegativeUploadRate,
225      kAutofillNegativeUploadRateDefaultValue,
226      user_prefs::PrefRegistrySyncable::UNSYNCABLE_PREF);
227
228#if defined(OS_MACOSX) && !defined(OS_IOS)
229  registry->RegisterBooleanPref(
230      prefs::kAutofillUseMacAddressBook,
231      false,
232      user_prefs::PrefRegistrySyncable::UNSYNCABLE_PREF);
233#endif  // defined(OS_MACOSX) && !defined(OS_IOS)
234}
235
236#if defined(OS_MACOSX) && !defined(OS_IOS)
237void AutofillManager::MigrateUserPrefs(PrefService* prefs) {
238  const PrefService::Preference* pref =
239      prefs->FindPreference(prefs::kAutofillUseMacAddressBook);
240
241  // If the pref is not its default value, then the migration has already been
242  // performed.
243  if (!pref->IsDefaultValue())
244    return;
245
246  // Whether Chrome has already tried to access the user's Address Book.
247  const PrefService::Preference* pref_accessed =
248      prefs->FindPreference(prefs::kAutofillMacAddressBookQueried);
249  // Whether the user wants to use the Address Book to populate Autofill.
250  const PrefService::Preference* pref_enabled =
251      prefs->FindPreference(prefs::kAutofillAuxiliaryProfilesEnabled);
252
253  if (pref_accessed->IsDefaultValue() && pref_enabled->IsDefaultValue()) {
254    // This is likely a new user. Reset the default value to prevent the
255    // migration from happening again.
256    prefs->SetBoolean(prefs::kAutofillUseMacAddressBook,
257                      prefs->GetBoolean(prefs::kAutofillUseMacAddressBook));
258    return;
259  }
260
261  bool accessed;
262  bool enabled;
263  bool success = pref_accessed->GetValue()->GetAsBoolean(&accessed);
264  DCHECK(success);
265  success = pref_enabled->GetValue()->GetAsBoolean(&enabled);
266  DCHECK(success);
267
268  prefs->SetBoolean(prefs::kAutofillUseMacAddressBook, accessed && enabled);
269}
270#endif  // defined(OS_MACOSX) && !defined(OS_IOS)
271
272void AutofillManager::SetExternalDelegate(AutofillExternalDelegate* delegate) {
273  // TODO(jrg): consider passing delegate into the ctor.  That won't
274  // work if the delegate has a pointer to the AutofillManager, but
275  // future directions may not need such a pointer.
276  external_delegate_ = delegate;
277  autocomplete_history_manager_->SetExternalDelegate(delegate);
278}
279
280void AutofillManager::ShowAutofillSettings() {
281  client_->ShowAutofillSettings();
282}
283
284#if defined(OS_MACOSX) && !defined(OS_IOS)
285bool AutofillManager::ShouldShowAccessAddressBookSuggestion(
286    const FormData& form,
287    const FormFieldData& field) {
288  if (!personal_data_)
289    return false;
290  FormStructure* form_structure = NULL;
291  AutofillField* autofill_field = NULL;
292  if (!GetCachedFormAndField(form, field, &form_structure, &autofill_field))
293    return false;
294
295  return personal_data_->ShouldShowAccessAddressBookSuggestion(
296      autofill_field->Type());
297}
298
299bool AutofillManager::AccessAddressBook() {
300  if (!personal_data_)
301    return false;
302  return personal_data_->AccessAddressBook();
303}
304#endif  // defined(OS_MACOSX) && !defined(OS_IOS)
305
306bool AutofillManager::OnFormSubmitted(const FormData& form,
307                                      const TimeTicks& timestamp) {
308  if (!IsValidFormData(form))
309    return false;
310
311  // Let Autocomplete know as well.
312  autocomplete_history_manager_->OnFormSubmitted(form);
313
314  // Grab a copy of the form data.
315  scoped_ptr<FormStructure> submitted_form(new FormStructure(form));
316
317  if (!ShouldUploadForm(*submitted_form))
318    return false;
319
320  // Don't save data that was submitted through JavaScript.
321  if (!form.user_submitted)
322    return false;
323
324  // Ignore forms not present in our cache.  These are typically forms with
325  // wonky JavaScript that also makes them not auto-fillable.
326  FormStructure* cached_submitted_form;
327  if (!FindCachedForm(form, &cached_submitted_form))
328    return false;
329
330  submitted_form->UpdateFromCache(*cached_submitted_form);
331  if (submitted_form->IsAutofillable())
332    ImportFormData(*submitted_form);
333
334  // Only upload server statistics and UMA metrics if at least some local data
335  // is available to use as a baseline.
336  const std::vector<AutofillProfile*>& profiles = personal_data_->GetProfiles();
337  const std::vector<CreditCard*>& credit_cards =
338      personal_data_->GetCreditCards();
339  if (!profiles.empty() || !credit_cards.empty()) {
340    // Copy the profile and credit card data, so that it can be accessed on a
341    // separate thread.
342    std::vector<AutofillProfile> copied_profiles;
343    copied_profiles.reserve(profiles.size());
344    for (std::vector<AutofillProfile*>::const_iterator it = profiles.begin();
345         it != profiles.end(); ++it) {
346      copied_profiles.push_back(**it);
347    }
348
349    std::vector<CreditCard> copied_credit_cards;
350    copied_credit_cards.reserve(credit_cards.size());
351    for (std::vector<CreditCard*>::const_iterator it = credit_cards.begin();
352         it != credit_cards.end(); ++it) {
353      copied_credit_cards.push_back(**it);
354    }
355
356    // Note that ownership of |submitted_form| is passed to the second task,
357    // using |base::Owned|.
358    FormStructure* raw_submitted_form = submitted_form.get();
359    driver_->GetBlockingPool()->PostTaskAndReply(
360        FROM_HERE,
361        base::Bind(&DeterminePossibleFieldTypesForUpload,
362                   copied_profiles,
363                   copied_credit_cards,
364                   app_locale_,
365                   raw_submitted_form),
366        base::Bind(&AutofillManager::UploadFormDataAsyncCallback,
367                   weak_ptr_factory_.GetWeakPtr(),
368                   base::Owned(submitted_form.release()),
369                   forms_loaded_timestamps_[form],
370                   initial_interaction_timestamp_,
371                   timestamp));
372  }
373
374  return true;
375}
376
377void AutofillManager::OnFormsSeen(const std::vector<FormData>& forms,
378                                  const TimeTicks& timestamp) {
379  if (!IsValidFormDataVector(forms))
380    return;
381
382  if (!driver_->RendererIsAvailable())
383    return;
384
385  bool enabled = IsAutofillEnabled();
386  if (!has_logged_autofill_enabled_) {
387    metric_logger_->LogIsAutofillEnabledAtPageLoad(enabled);
388    has_logged_autofill_enabled_ = true;
389  }
390
391  if (!enabled)
392    return;
393
394  for (size_t i = 0; i < forms.size(); ++i) {
395    forms_loaded_timestamps_[forms[i]] = timestamp;
396  }
397
398  ParseForms(forms);
399}
400
401void AutofillManager::OnTextFieldDidChange(const FormData& form,
402                                           const FormFieldData& field,
403                                           const TimeTicks& timestamp) {
404  if (!IsValidFormData(form) || !IsValidFormFieldData(field))
405    return;
406
407  FormStructure* form_structure = NULL;
408  AutofillField* autofill_field = NULL;
409  if (!GetCachedFormAndField(form, field, &form_structure, &autofill_field))
410    return;
411
412  if (!user_did_type_) {
413    user_did_type_ = true;
414    metric_logger_->LogUserHappinessMetric(AutofillMetrics::USER_DID_TYPE);
415  }
416
417  if (autofill_field->is_autofilled) {
418    autofill_field->is_autofilled = false;
419    metric_logger_->LogUserHappinessMetric(
420        AutofillMetrics::USER_DID_EDIT_AUTOFILLED_FIELD);
421
422    if (!user_did_edit_autofilled_field_) {
423      user_did_edit_autofilled_field_ = true;
424      metric_logger_->LogUserHappinessMetric(
425          AutofillMetrics::USER_DID_EDIT_AUTOFILLED_FIELD_ONCE);
426    }
427  }
428
429  UpdateInitialInteractionTimestamp(timestamp);
430}
431
432void AutofillManager::OnQueryFormFieldAutofill(int query_id,
433                                               const FormData& form,
434                                               const FormFieldData& field,
435                                               const gfx::RectF& bounding_box,
436                                               bool display_warning) {
437  if (!IsValidFormData(form) || !IsValidFormFieldData(field))
438    return;
439
440  std::vector<base::string16> values;
441  std::vector<base::string16> labels;
442  std::vector<base::string16> icons;
443  std::vector<int> unique_ids;
444
445  external_delegate_->OnQuery(query_id,
446                              form,
447                              field,
448                              bounding_box,
449                              display_warning);
450  FormStructure* form_structure = NULL;
451  AutofillField* autofill_field = NULL;
452  if (RefreshDataModels() &&
453      driver_->RendererIsAvailable() &&
454      GetCachedFormAndField(form, field, &form_structure, &autofill_field) &&
455      // Don't send suggestions for forms that aren't auto-fillable.
456      form_structure->IsAutofillable()) {
457    AutofillType type = autofill_field->Type();
458    bool is_filling_credit_card = (type.group() == CREDIT_CARD);
459    if (is_filling_credit_card) {
460      GetCreditCardSuggestions(
461          field, type, &values, &labels, &icons, &unique_ids);
462    } else {
463      GetProfileSuggestions(
464          form_structure, field, type, &values, &labels, &icons, &unique_ids);
465    }
466
467    DCHECK_EQ(values.size(), labels.size());
468    DCHECK_EQ(values.size(), icons.size());
469    DCHECK_EQ(values.size(), unique_ids.size());
470
471    if (!values.empty()) {
472      // Don't provide Autofill suggestions when Autofill is disabled, and don't
473      // provide credit card suggestions for non-HTTPS pages. However, provide a
474      // warning to the user in these cases.
475      int warning = 0;
476      if (!form_structure->IsAutofillable())
477        warning = IDS_AUTOFILL_WARNING_FORM_DISABLED;
478      else if (is_filling_credit_card && !FormIsHTTPS(*form_structure))
479        warning = IDS_AUTOFILL_WARNING_INSECURE_CONNECTION;
480      if (warning) {
481        values.assign(1, l10n_util::GetStringUTF16(warning));
482        labels.assign(1, base::string16());
483        icons.assign(1, base::string16());
484        unique_ids.assign(1, POPUP_ITEM_ID_WARNING_MESSAGE);
485      } else {
486        bool section_is_autofilled =
487            SectionIsAutofilled(*form_structure, form,
488                                autofill_field->section());
489        if (section_is_autofilled) {
490          // If the relevant section is auto-filled and the renderer is querying
491          // for suggestions, then the user is editing the value of a field.
492          // In this case, mimic autocomplete: don't display labels or icons,
493          // as that information is redundant.
494          labels.assign(labels.size(), base::string16());
495          icons.assign(icons.size(), base::string16());
496        }
497
498        // When filling credit card suggestions, the values and labels are
499        // typically obfuscated, which makes detecting duplicates hard.  Since
500        // duplicates only tend to be a problem when filling address forms
501        // anyway, only don't de-dup credit card suggestions.
502        if (!is_filling_credit_card)
503          RemoveDuplicateSuggestions(&values, &labels, &icons, &unique_ids);
504
505        // The first time we show suggestions on this page, log the number of
506        // suggestions shown.
507        if (!has_logged_address_suggestions_count_ && !section_is_autofilled) {
508          metric_logger_->LogAddressSuggestionsCount(values.size());
509          has_logged_address_suggestions_count_ = true;
510        }
511      }
512    }
513  }
514
515  // Add the results from AutoComplete.  They come back asynchronously, so we
516  // hand off what we generated and they will send the results back to the
517  // renderer.
518  autocomplete_history_manager_->OnGetAutocompleteSuggestions(
519      query_id, field.name, field.value, field.form_control_type, values,
520      labels, icons, unique_ids);
521}
522
523void AutofillManager::FillOrPreviewForm(
524    AutofillDriver::RendererFormDataAction action,
525    int query_id,
526    const FormData& form,
527    const FormFieldData& field,
528    int unique_id) {
529  if (!IsValidFormData(form) || !IsValidFormFieldData(field))
530    return;
531
532  const AutofillDataModel* data_model = NULL;
533  size_t variant = 0;
534  FormStructure* form_structure = NULL;
535  AutofillField* autofill_field = NULL;
536  bool is_credit_card = false;
537  // NOTE: RefreshDataModels may invalidate |data_model| because it causes the
538  // PersonalDataManager to reload Mac address book entries. Thus it must come
539  // before GetProfileOrCreditCard.
540  if (!RefreshDataModels() ||
541      !driver_->RendererIsAvailable() ||
542      !GetProfileOrCreditCard(
543          unique_id, &data_model, &variant, &is_credit_card) ||
544      !GetCachedFormAndField(form, field, &form_structure, &autofill_field))
545    return;
546
547  DCHECK(form_structure);
548  DCHECK(autofill_field);
549
550  FormData result = form;
551
552  base::string16 profile_full_name;
553  std::string profile_language_code;
554  if (!is_credit_card) {
555    profile_full_name = data_model->GetInfo(
556        AutofillType(NAME_FULL), app_locale_);
557    profile_language_code =
558        static_cast<const AutofillProfile*>(data_model)->language_code();
559  }
560
561  // If the relevant section is auto-filled, we should fill |field| but not the
562  // rest of the form.
563  if (SectionIsAutofilled(*form_structure, form, autofill_field->section())) {
564    for (std::vector<FormFieldData>::iterator iter = result.fields.begin();
565         iter != result.fields.end(); ++iter) {
566      if ((*iter) == field) {
567        base::string16 value = data_model->GetInfoForVariant(
568            autofill_field->Type(), variant, app_locale_);
569        if (AutofillField::FillFormField(*autofill_field,
570                                         value,
571                                         profile_language_code,
572                                         app_locale_,
573                                         &(*iter))) {
574          // Mark the cached field as autofilled, so that we can detect when a
575          // user edits an autofilled field (for metrics).
576          autofill_field->is_autofilled = true;
577
578          // Mark the field as autofilled when a non-empty value is assigned to
579          // it. This allows the renderer to distinguish autofilled fields from
580          // fields with non-empty values, such as select-one fields.
581          iter->is_autofilled = true;
582
583          if (!is_credit_card && !value.empty())
584            client_->DidFillOrPreviewField(value, profile_full_name);
585        }
586        break;
587      }
588    }
589
590    driver_->SendFormDataToRenderer(query_id, action, result);
591    return;
592  }
593
594  // Cache the field type for the field from which the user initiated autofill.
595  FieldTypeGroup initiating_group_type = autofill_field->Type().group();
596  DCHECK_EQ(form_structure->field_count(), form.fields.size());
597  for (size_t i = 0; i < form_structure->field_count(); ++i) {
598    if (form_structure->field(i)->section() != autofill_field->section())
599      continue;
600
601    DCHECK_EQ(*form_structure->field(i), result.fields[i]);
602
603    const AutofillField* cached_field = form_structure->field(i);
604    FieldTypeGroup field_group_type = cached_field->Type().group();
605    if (field_group_type != NO_GROUP) {
606      // If the field being filled is either
607      //   (a) the field that the user initiated the fill from, or
608      //   (b) part of the same logical unit, e.g. name or phone number,
609      // then take the multi-profile "variant" into account.
610      // Otherwise fill with the default (zeroth) variant.
611      size_t use_variant = 0;
612      if (result.fields[i] == field ||
613          field_group_type == initiating_group_type) {
614        use_variant = variant;
615      }
616      base::string16 value = data_model->GetInfoForVariant(
617          cached_field->Type(), use_variant, app_locale_);
618
619      // Must match ForEachMatchingFormField() in form_autofill_util.cc.
620      // Only notify autofilling of empty fields and the field that initiated
621      // the filling (note that "select-one" controls may not be empty but will
622      // still be autofilled).
623      bool should_notify =
624          !is_credit_card &&
625          !value.empty() &&
626          (result.fields[i] == field ||
627           result.fields[i].form_control_type == "select-one" ||
628           result.fields[i].value.empty());
629      if (AutofillField::FillFormField(*cached_field,
630                                       value,
631                                       profile_language_code,
632                                       app_locale_,
633                                       &result.fields[i])) {
634        // Mark the cached field as autofilled, so that we can detect when a
635        // user edits an autofilled field (for metrics).
636        form_structure->field(i)->is_autofilled = true;
637
638        // Mark the field as autofilled when a non-empty value is assigned to
639        // it. This allows the renderer to distinguish autofilled fields from
640        // fields with non-empty values, such as select-one fields.
641        result.fields[i].is_autofilled = true;
642
643        if (should_notify)
644          client_->DidFillOrPreviewField(value, profile_full_name);
645      }
646    }
647  }
648
649  autofilled_form_signatures_.push_front(form_structure->FormSignature());
650  // Only remember the last few forms that we've seen, both to avoid false
651  // positives and to avoid wasting memory.
652  if (autofilled_form_signatures_.size() > kMaxRecentFormSignaturesToRemember)
653    autofilled_form_signatures_.pop_back();
654
655  driver_->SendFormDataToRenderer(query_id, action, result);
656}
657
658void AutofillManager::OnDidPreviewAutofillFormData() {
659  if (test_delegate_)
660    test_delegate_->DidPreviewFormData();
661}
662
663void AutofillManager::OnDidFillAutofillFormData(const TimeTicks& timestamp) {
664  if (test_delegate_)
665    test_delegate_->DidFillFormData();
666
667  metric_logger_->LogUserHappinessMetric(AutofillMetrics::USER_DID_AUTOFILL);
668  if (!user_did_autofill_) {
669    user_did_autofill_ = true;
670    metric_logger_->LogUserHappinessMetric(
671        AutofillMetrics::USER_DID_AUTOFILL_ONCE);
672  }
673
674  UpdateInitialInteractionTimestamp(timestamp);
675}
676
677void AutofillManager::DidShowSuggestions(bool is_new_popup) {
678  if (test_delegate_)
679    test_delegate_->DidShowSuggestions();
680
681  if (is_new_popup) {
682    metric_logger_->LogUserHappinessMetric(AutofillMetrics::SUGGESTIONS_SHOWN);
683
684    if (!did_show_suggestions_) {
685      did_show_suggestions_ = true;
686      metric_logger_->LogUserHappinessMetric(
687          AutofillMetrics::SUGGESTIONS_SHOWN_ONCE);
688    }
689  }
690}
691
692void AutofillManager::OnHidePopup() {
693  if (!IsAutofillEnabled())
694    return;
695
696  client_->HideAutofillPopup();
697}
698
699void AutofillManager::RemoveAutofillProfileOrCreditCard(int unique_id) {
700  const AutofillDataModel* data_model = NULL;
701  size_t variant = 0;
702  bool unused_is_credit_card = false;
703  if (!GetProfileOrCreditCard(
704          unique_id, &data_model, &variant, &unused_is_credit_card)) {
705    NOTREACHED();
706    return;
707  }
708
709  // TODO(csharp): If we are dealing with a variant only the variant should
710  // be deleted, instead of doing nothing.
711  // http://crbug.com/124211
712  if (variant != 0)
713    return;
714
715  personal_data_->RemoveByGUID(data_model->guid());
716}
717
718void AutofillManager::RemoveAutocompleteEntry(const base::string16& name,
719                                              const base::string16& value) {
720  autocomplete_history_manager_->OnRemoveAutocompleteEntry(name, value);
721}
722
723const std::vector<FormStructure*>& AutofillManager::GetFormStructures() {
724  return form_structures_.get();
725}
726
727void AutofillManager::SetTestDelegate(AutofillManagerTestDelegate* delegate) {
728  test_delegate_ = delegate;
729}
730
731void AutofillManager::OnSetDataList(const std::vector<base::string16>& values,
732                                    const std::vector<base::string16>& labels) {
733  if (!IsValidString16Vector(values) ||
734      !IsValidString16Vector(labels) ||
735      values.size() != labels.size())
736    return;
737
738  external_delegate_->SetCurrentDataListValues(values, labels);
739}
740
741void AutofillManager::OnLoadedServerPredictions(
742    const std::string& response_xml) {
743  // Parse and store the server predictions.
744  FormStructure::ParseQueryResponse(response_xml,
745                                    form_structures_.get(),
746                                    *metric_logger_);
747
748  // Forward form structures to the password generation manager to detect
749  // account creation forms.
750  client_->DetectAccountCreationForms(form_structures_.get());
751
752  // If the corresponding flag is set, annotate forms with the predicted types.
753  driver_->SendAutofillTypePredictionsToRenderer(form_structures_.get());
754}
755
756void AutofillManager::OnDidEndTextFieldEditing() {
757  external_delegate_->DidEndTextFieldEditing();
758}
759
760bool AutofillManager::IsAutofillEnabled() const {
761  return client_->GetPrefs()->GetBoolean(prefs::kAutofillEnabled);
762}
763
764void AutofillManager::ImportFormData(const FormStructure& submitted_form) {
765  scoped_ptr<CreditCard> imported_credit_card;
766  if (!personal_data_->ImportFormData(submitted_form, &imported_credit_card))
767    return;
768
769  // If credit card information was submitted, we need to confirm whether to
770  // save it.
771  if (imported_credit_card) {
772    client_->ConfirmSaveCreditCard(
773        *metric_logger_,
774        base::Bind(
775            base::IgnoreResult(&PersonalDataManager::SaveImportedCreditCard),
776            base::Unretained(personal_data_),
777            *imported_credit_card));
778  }
779}
780
781// Note that |submitted_form| is passed as a pointer rather than as a reference
782// so that we can get memory management right across threads.  Note also that we
783// explicitly pass in all the time stamps of interest, as the cached ones might
784// get reset before this method executes.
785void AutofillManager::UploadFormDataAsyncCallback(
786    const FormStructure* submitted_form,
787    const TimeTicks& load_time,
788    const TimeTicks& interaction_time,
789    const TimeTicks& submission_time) {
790  submitted_form->LogQualityMetrics(*metric_logger_,
791                                    load_time,
792                                    interaction_time,
793                                    submission_time);
794
795  if (submitted_form->ShouldBeCrowdsourced())
796    UploadFormData(*submitted_form);
797}
798
799void AutofillManager::UploadFormData(const FormStructure& submitted_form) {
800  if (!download_manager_)
801    return;
802
803  // Check if the form is among the forms that were recently auto-filled.
804  bool was_autofilled = false;
805  std::string form_signature = submitted_form.FormSignature();
806  for (std::list<std::string>::const_iterator it =
807           autofilled_form_signatures_.begin();
808       it != autofilled_form_signatures_.end() && !was_autofilled;
809       ++it) {
810    if (*it == form_signature)
811      was_autofilled = true;
812  }
813
814  ServerFieldTypeSet non_empty_types;
815  personal_data_->GetNonEmptyTypes(&non_empty_types);
816  // Always add PASSWORD to |non_empty_types| so that if |submitted_form|
817  // contains a password field it will be uploaded to the server. If
818  // |submitted_form| doesn't contain a password field, there is no side
819  // effect from adding PASSWORD to |non_empty_types|.
820  non_empty_types.insert(PASSWORD);
821
822  download_manager_->StartUploadRequest(submitted_form, was_autofilled,
823                                        non_empty_types);
824}
825
826bool AutofillManager::UploadPasswordGenerationForm(const FormData& form) {
827  FormStructure form_structure(form);
828
829  if (!ShouldUploadForm(form_structure))
830    return false;
831
832  if (!form_structure.ShouldBeCrowdsourced())
833    return false;
834
835  // TODO(gcasto): Check that PasswordGeneration is enabled?
836
837  // Find the first password field to label. We don't try to label anything
838  // else.
839  bool found_password_field = false;
840  for (size_t i = 0; i < form_structure.field_count(); ++i) {
841    AutofillField* field = form_structure.field(i);
842
843    ServerFieldTypeSet types;
844    if (!found_password_field && field->form_control_type == "password") {
845      types.insert(ACCOUNT_CREATION_PASSWORD);
846      found_password_field = true;
847    } else {
848      types.insert(UNKNOWN_TYPE);
849    }
850    field->set_possible_types(types);
851  }
852  DCHECK(found_password_field);
853
854  // Only one field type should be present.
855  ServerFieldTypeSet available_field_types;
856  available_field_types.insert(ACCOUNT_CREATION_PASSWORD);
857
858  // Force uploading as these events are relatively rare and we want to make
859  // sure to receive them. It also makes testing easier if these requests
860  // always pass.
861  form_structure.set_upload_required(UPLOAD_REQUIRED);
862
863  if (!download_manager_)
864    return false;
865
866  return download_manager_->StartUploadRequest(form_structure,
867                                               false /* was_autofilled */,
868                                               available_field_types);
869}
870
871void AutofillManager::Reset() {
872  form_structures_.clear();
873  has_logged_autofill_enabled_ = false;
874  has_logged_address_suggestions_count_ = false;
875  did_show_suggestions_ = false;
876  user_did_type_ = false;
877  user_did_autofill_ = false;
878  user_did_edit_autofilled_field_ = false;
879  forms_loaded_timestamps_.clear();
880  initial_interaction_timestamp_ = TimeTicks();
881  external_delegate_->Reset();
882}
883
884AutofillManager::AutofillManager(AutofillDriver* driver,
885                                 AutofillClient* client,
886                                 PersonalDataManager* personal_data)
887    : driver_(driver),
888      client_(client),
889      app_locale_("en-US"),
890      personal_data_(personal_data),
891      autocomplete_history_manager_(
892          new AutocompleteHistoryManager(driver, client)),
893      metric_logger_(new AutofillMetrics),
894      has_logged_autofill_enabled_(false),
895      has_logged_address_suggestions_count_(false),
896      did_show_suggestions_(false),
897      user_did_type_(false),
898      user_did_autofill_(false),
899      user_did_edit_autofilled_field_(false),
900      external_delegate_(NULL),
901      test_delegate_(NULL),
902      weak_ptr_factory_(this) {
903  DCHECK(driver_);
904  DCHECK(client_);
905}
906
907void AutofillManager::set_metric_logger(const AutofillMetrics* metric_logger) {
908  metric_logger_.reset(metric_logger);
909}
910
911bool AutofillManager::RefreshDataModels() const {
912  if (!IsAutofillEnabled())
913    return false;
914
915  // No autofill data to return if the profiles are empty.
916  if (personal_data_->GetProfiles().empty() &&
917      personal_data_->GetCreditCards().empty()) {
918    return false;
919  }
920
921  return true;
922}
923
924bool AutofillManager::GetProfileOrCreditCard(
925    int unique_id,
926    const AutofillDataModel** data_model,
927    size_t* variant,
928    bool* is_credit_card) const {
929  // Unpack the |unique_id| into component parts.
930  GUIDPair credit_card_guid;
931  GUIDPair profile_guid;
932  UnpackGUIDs(unique_id, &credit_card_guid, &profile_guid);
933  DCHECK(!base::IsValidGUID(credit_card_guid.first) ||
934         !base::IsValidGUID(profile_guid.first));
935  *is_credit_card = false;
936
937  // Find the profile that matches the |profile_guid|, if one is specified.
938  // Otherwise find the credit card that matches the |credit_card_guid|,
939  // if specified.
940  if (base::IsValidGUID(profile_guid.first)) {
941    *data_model = personal_data_->GetProfileByGUID(profile_guid.first);
942    *variant = profile_guid.second;
943  } else if (base::IsValidGUID(credit_card_guid.first)) {
944    *data_model = personal_data_->GetCreditCardByGUID(credit_card_guid.first);
945    *variant = credit_card_guid.second;
946    *is_credit_card = true;
947  }
948
949  return !!*data_model;
950}
951
952bool AutofillManager::FindCachedForm(const FormData& form,
953                                     FormStructure** form_structure) const {
954  // Find the FormStructure that corresponds to |form|.
955  // Scan backward through the cached |form_structures_|, as updated versions of
956  // forms are added to the back of the list, whereas original versions of these
957  // forms might appear toward the beginning of the list.  The communication
958  // protocol with the crowdsourcing server does not permit us to discard the
959  // original versions of the forms.
960  *form_structure = NULL;
961  for (std::vector<FormStructure*>::const_reverse_iterator iter =
962           form_structures_.rbegin();
963       iter != form_structures_.rend(); ++iter) {
964    if (**iter == form) {
965      *form_structure = *iter;
966
967      // The same form might be cached with multiple field counts: in some
968      // cases, non-autofillable fields are filtered out, whereas in other cases
969      // they are not.  To avoid thrashing the cache, keep scanning until we
970      // find a cached version with the same number of fields, if there is one.
971      if ((*iter)->field_count() == form.fields.size())
972        break;
973    }
974  }
975
976  if (!(*form_structure))
977    return false;
978
979  return true;
980}
981
982bool AutofillManager::GetCachedFormAndField(const FormData& form,
983                                            const FormFieldData& field,
984                                            FormStructure** form_structure,
985                                            AutofillField** autofill_field) {
986  // Find the FormStructure that corresponds to |form|.
987  // If we do not have this form in our cache but it is parseable, we'll add it
988  // in the call to |UpdateCachedForm()|.
989  if (!FindCachedForm(form, form_structure) &&
990      !FormStructure(form).ShouldBeParsed()) {
991    return false;
992  }
993
994  // Update the cached form to reflect any dynamic changes to the form data, if
995  // necessary.
996  if (!UpdateCachedForm(form, *form_structure, form_structure))
997    return false;
998
999  // No data to return if there are no auto-fillable fields.
1000  if (!(*form_structure)->autofill_count())
1001    return false;
1002
1003  // Find the AutofillField that corresponds to |field|.
1004  *autofill_field = NULL;
1005  for (std::vector<AutofillField*>::const_iterator iter =
1006           (*form_structure)->begin();
1007       iter != (*form_structure)->end(); ++iter) {
1008    if ((**iter) == field) {
1009      *autofill_field = *iter;
1010      break;
1011    }
1012  }
1013
1014  // Even though we always update the cache, the field might not exist if the
1015  // website disables autocomplete while the user is interacting with the form.
1016  // See http://crbug.com/160476
1017  return *autofill_field != NULL;
1018}
1019
1020bool AutofillManager::UpdateCachedForm(const FormData& live_form,
1021                                       const FormStructure* cached_form,
1022                                       FormStructure** updated_form) {
1023  bool needs_update =
1024      (!cached_form ||
1025       live_form.fields.size() != cached_form->field_count());
1026  for (size_t i = 0; !needs_update && i < cached_form->field_count(); ++i) {
1027    needs_update = *cached_form->field(i) != live_form.fields[i];
1028  }
1029
1030  if (!needs_update)
1031    return true;
1032
1033  if (form_structures_.size() >= kMaxFormCacheSize)
1034    return false;
1035
1036  // Add the new or updated form to our cache.
1037  form_structures_.push_back(new FormStructure(live_form));
1038  *updated_form = *form_structures_.rbegin();
1039  (*updated_form)->DetermineHeuristicTypes(*metric_logger_);
1040
1041  // If we have cached data, propagate it to the updated form.
1042  if (cached_form) {
1043    std::map<base::string16, const AutofillField*> cached_fields;
1044    for (size_t i = 0; i < cached_form->field_count(); ++i) {
1045      const AutofillField* field = cached_form->field(i);
1046      cached_fields[field->unique_name()] = field;
1047    }
1048
1049    for (size_t i = 0; i < (*updated_form)->field_count(); ++i) {
1050      AutofillField* field = (*updated_form)->field(i);
1051      std::map<base::string16, const AutofillField*>::iterator cached_field =
1052          cached_fields.find(field->unique_name());
1053      if (cached_field != cached_fields.end()) {
1054        field->set_server_type(cached_field->second->server_type());
1055        field->is_autofilled = cached_field->second->is_autofilled;
1056      }
1057    }
1058
1059    // Note: We _must not_ remove the original version of the cached form from
1060    // the list of |form_structures_|.  Otherwise, we break parsing of the
1061    // crowdsourcing server's response to our query.
1062  }
1063
1064  // Annotate the updated form with its predicted types.
1065  std::vector<FormStructure*> forms(1, *updated_form);
1066  driver_->SendAutofillTypePredictionsToRenderer(forms);
1067
1068  return true;
1069}
1070
1071void AutofillManager::GetProfileSuggestions(
1072    FormStructure* form,
1073    const FormFieldData& field,
1074    const AutofillType& type,
1075    std::vector<base::string16>* values,
1076    std::vector<base::string16>* labels,
1077    std::vector<base::string16>* icons,
1078    std::vector<int>* unique_ids) const {
1079  std::vector<ServerFieldType> field_types(form->field_count());
1080  for (size_t i = 0; i < form->field_count(); ++i) {
1081    field_types.push_back(form->field(i)->Type().GetStorableType());
1082  }
1083  std::vector<GUIDPair> guid_pairs;
1084
1085  personal_data_->GetProfileSuggestions(
1086      type, field.value, field.is_autofilled, field_types,
1087      base::Callback<bool(const AutofillProfile&)>(),
1088      values, labels, icons, &guid_pairs);
1089
1090  for (size_t i = 0; i < guid_pairs.size(); ++i) {
1091    unique_ids->push_back(PackGUIDs(GUIDPair(std::string(), 0),
1092                                    guid_pairs[i]));
1093  }
1094}
1095
1096void AutofillManager::GetCreditCardSuggestions(
1097    const FormFieldData& field,
1098    const AutofillType& type,
1099    std::vector<base::string16>* values,
1100    std::vector<base::string16>* labels,
1101    std::vector<base::string16>* icons,
1102    std::vector<int>* unique_ids) const {
1103  std::vector<GUIDPair> guid_pairs;
1104  personal_data_->GetCreditCardSuggestions(
1105      type, field.value, values, labels, icons, &guid_pairs);
1106
1107  for (size_t i = 0; i < guid_pairs.size(); ++i) {
1108    unique_ids->push_back(PackGUIDs(guid_pairs[i], GUIDPair(std::string(), 0)));
1109  }
1110}
1111
1112void AutofillManager::ParseForms(const std::vector<FormData>& forms) {
1113  std::vector<FormStructure*> non_queryable_forms;
1114  for (std::vector<FormData>::const_iterator iter = forms.begin();
1115       iter != forms.end(); ++iter) {
1116    scoped_ptr<FormStructure> form_structure(new FormStructure(*iter));
1117    if (!form_structure->ShouldBeParsed())
1118      continue;
1119
1120    form_structure->DetermineHeuristicTypes(*metric_logger_);
1121
1122    // Set aside forms with method GET or author-specified types, so that they
1123    // are not included in the query to the server.
1124    if (form_structure->ShouldBeCrowdsourced())
1125      form_structures_.push_back(form_structure.release());
1126    else
1127      non_queryable_forms.push_back(form_structure.release());
1128  }
1129
1130  if (!form_structures_.empty() && download_manager_) {
1131    // Query the server if we have at least one of the forms were parsed.
1132    download_manager_->StartQueryRequest(form_structures_.get(),
1133                                        *metric_logger_);
1134  }
1135
1136  for (std::vector<FormStructure*>::const_iterator iter =
1137           non_queryable_forms.begin();
1138       iter != non_queryable_forms.end(); ++iter) {
1139    form_structures_.push_back(*iter);
1140  }
1141
1142  if (!form_structures_.empty())
1143    metric_logger_->LogUserHappinessMetric(AutofillMetrics::FORMS_LOADED);
1144
1145  // For the |non_queryable_forms|, we have all the field type info we're ever
1146  // going to get about them.  For the other forms, we'll wait until we get a
1147  // response from the server.
1148  driver_->SendAutofillTypePredictionsToRenderer(non_queryable_forms);
1149}
1150
1151int AutofillManager::GUIDToID(const GUIDPair& guid) const {
1152  if (!base::IsValidGUID(guid.first))
1153    return 0;
1154
1155  std::map<GUIDPair, int>::const_iterator iter = guid_id_map_.find(guid);
1156  if (iter == guid_id_map_.end()) {
1157    int id = guid_id_map_.size() + 1;
1158    guid_id_map_[guid] = id;
1159    id_guid_map_[id] = guid;
1160    return id;
1161  } else {
1162    return iter->second;
1163  }
1164}
1165
1166const GUIDPair AutofillManager::IDToGUID(int id) const {
1167  if (id == 0)
1168    return GUIDPair(std::string(), 0);
1169
1170  std::map<int, GUIDPair>::const_iterator iter = id_guid_map_.find(id);
1171  if (iter == id_guid_map_.end()) {
1172    NOTREACHED();
1173    return GUIDPair(std::string(), 0);
1174  }
1175
1176  return iter->second;
1177}
1178
1179// When sending IDs (across processes) to the renderer we pack credit card and
1180// profile IDs into a single integer.  Credit card IDs are sent in the high
1181// word and profile IDs are sent in the low word.
1182int AutofillManager::PackGUIDs(const GUIDPair& cc_guid,
1183                               const GUIDPair& profile_guid) const {
1184  int cc_id = GUIDToID(cc_guid);
1185  int profile_id = GUIDToID(profile_guid);
1186
1187  DCHECK(cc_id <= std::numeric_limits<unsigned short>::max());
1188  DCHECK(profile_id <= std::numeric_limits<unsigned short>::max());
1189
1190  return cc_id << std::numeric_limits<unsigned short>::digits | profile_id;
1191}
1192
1193// When receiving IDs (across processes) from the renderer we unpack credit card
1194// and profile IDs from a single integer.  Credit card IDs are stored in the
1195// high word and profile IDs are stored in the low word.
1196void AutofillManager::UnpackGUIDs(int id,
1197                                  GUIDPair* cc_guid,
1198                                  GUIDPair* profile_guid) const {
1199  int cc_id = id >> std::numeric_limits<unsigned short>::digits &
1200      std::numeric_limits<unsigned short>::max();
1201  int profile_id = id & std::numeric_limits<unsigned short>::max();
1202
1203  *cc_guid = IDToGUID(cc_id);
1204  *profile_guid = IDToGUID(profile_id);
1205}
1206
1207void AutofillManager::UpdateInitialInteractionTimestamp(
1208    const TimeTicks& interaction_timestamp) {
1209  if (initial_interaction_timestamp_.is_null() ||
1210      interaction_timestamp < initial_interaction_timestamp_) {
1211    initial_interaction_timestamp_ = interaction_timestamp;
1212  }
1213}
1214
1215bool AutofillManager::ShouldUploadForm(const FormStructure& form) {
1216  if (!IsAutofillEnabled())
1217    return false;
1218
1219  if (driver_->IsOffTheRecord())
1220    return false;
1221
1222  // Disregard forms that we wouldn't ever autofill in the first place.
1223  if (!form.ShouldBeParsed())
1224    return false;
1225
1226  return true;
1227}
1228
1229}  // namespace autofill
1230