Extract code handling PrinterProviderAPI from PrintPreviewHandler
[chromium-blink-merge.git] / chrome / browser / resources / options / cookies_list.js
blob27845585256b93839f5053e9ece4d75c7805ec59
1 // Copyright (c) 2012 The Chromium Authors. All rights reserved.
2 // Use of this source code is governed by a BSD-style license that can be
3 // found in the LICENSE file.
5 cr.define('options', function() {
6   /** @const */ var DeletableItemList = options.DeletableItemList;
7   /** @const */ var DeletableItem = options.DeletableItem;
8   /** @const */ var ArrayDataModel = cr.ui.ArrayDataModel;
9   /** @const */ var ListSingleSelectionModel = cr.ui.ListSingleSelectionModel;
11   // This structure maps the various cookie type names from C++ (hence the
12   // underscores) to arrays of the different types of data each has, along with
13   // the i18n name for the description of that data type.
14   /** @const */ var cookieInfo = {
15     'cookie': [['name', 'label_cookie_name'],
16                ['content', 'label_cookie_content'],
17                ['domain', 'label_cookie_domain'],
18                ['path', 'label_cookie_path'],
19                ['sendfor', 'label_cookie_send_for'],
20                ['accessibleToScript', 'label_cookie_accessible_to_script'],
21                ['created', 'label_cookie_created'],
22                ['expires', 'label_cookie_expires']],
23     'app_cache': [['manifest', 'label_app_cache_manifest'],
24                   ['size', 'label_local_storage_size'],
25                   ['created', 'label_cookie_created'],
26                   ['accessed', 'label_cookie_last_accessed']],
27     'database': [['name', 'label_cookie_name'],
28                  ['desc', 'label_webdb_desc'],
29                  ['size', 'label_local_storage_size'],
30                  ['modified', 'label_local_storage_last_modified']],
31     'local_storage': [['origin', 'label_local_storage_origin'],
32                       ['size', 'label_local_storage_size'],
33                       ['modified', 'label_local_storage_last_modified']],
34     'indexed_db': [['origin', 'label_indexed_db_origin'],
35                    ['size', 'label_indexed_db_size'],
36                    ['modified', 'label_indexed_db_last_modified']],
37     'file_system': [['origin', 'label_file_system_origin'],
38                     ['persistent', 'label_file_system_persistent_usage'],
39                     ['temporary', 'label_file_system_temporary_usage']],
40     'channel_id': [['serverId', 'label_channel_id_server_id'],
41                           ['certType', 'label_channel_id_type'],
42                           ['created', 'label_channel_id_created']],
43     'service_worker': [['origin', 'label_service_worker_origin'],
44                        ['size', 'label_service_worker_size'],
45                        ['scopes', 'label_service_worker_scopes']],
46     'flash_lso': [['domain', 'label_cookie_domain']],
47   };
49   /**
50    * Returns the item's height, like offsetHeight but such that it works better
51    * when the page is zoomed. See the similar calculation in @{code cr.ui.List}.
52    * This version also accounts for the animation done in this file.
53    * @param {Element} item The item to get the height of.
54    * @return {number} The height of the item, calculated with zooming in mind.
55    */
56   function getItemHeight(item) {
57     var height = item.style.height;
58     // Use the fixed animation target height if set, in case the element is
59     // currently being animated and we'd get an intermediate height below.
60     if (height && height.substr(-2) == 'px')
61       return parseInt(height.substr(0, height.length - 2), 10);
62     return item.getBoundingClientRect().height;
63   }
65   /**
66    * Create tree nodes for the objects in the data array, and insert them all
67    * into the given list using its @{code splice} method at the given index.
68    * @param {Array.<Object>} data The data objects for the nodes to add.
69    * @param {number} start The index at which to start inserting the nodes.
70    * @return {Array.<options.CookieTreeNode>} An array of CookieTreeNodes added.
71    */
72   function spliceTreeNodes(data, start, list) {
73     var nodes = data.map(function(x) { return new CookieTreeNode(x); });
74     // Insert [start, 0] at the beginning of the array of nodes, making it
75     // into the arguments we want to pass to @{code list.splice} below.
76     nodes.splice(0, 0, start, 0);
77     list.splice.apply(list, nodes);
78     // Remove the [start, 0] prefix and return the array of nodes.
79     nodes.splice(0, 2);
80     return nodes;
81   }
83   /**
84    * Adds information about an app that protects this data item to the
85    * |element|.
86    * @param {Element} element The DOM element the information should be
87          appended to.
88    * @param {{id: string, name: string}} appInfo Information about an app.
89    */
90   function addAppInfo(element, appInfo) {
91     var img = element.ownerDocument.createElement('img');
92     img.src = 'chrome://extension-icon/' + appInfo.id + '/16/1';
93     element.title = loadTimeData.getString('label_protected_by_apps') +
94                     ' ' + appInfo.name;
95     img.className = 'protecting-app';
96     element.appendChild(img);
97   }
99   var parentLookup = {};
100   var lookupRequests = {};
102   /**
103    * Creates a new list item for sites data. Note that these are created and
104    * destroyed lazily as they scroll into and out of view, so they must be
105    * stateless. We cache the expanded item in @{code CookiesList} though, so it
106    * can keep state. (Mostly just which item is selected.)
107    * @param {Object} origin Data used to create a cookie list item.
108    * @param {options.CookiesList} list The list that will contain this item.
109    * @constructor
110    * @extends {options.DeletableItem}
111    */
112   function CookieListItem(origin, list) {
113     var listItem = new DeletableItem();
114     listItem.__proto__ = CookieListItem.prototype;
116     listItem.origin = origin;
117     listItem.list = list;
118     listItem.decorate();
120     // This hooks up updateOrigin() to the list item, makes the top-level
121     // tree nodes (i.e., origins) register their IDs in parentLookup, and
122     // causes them to request their children if they have none. Note that we
123     // have special logic in the setter for the parent property to make sure
124     // that we can still garbage collect list items when they scroll out of
125     // view, even though it appears that we keep a direct reference.
126     if (origin) {
127       origin.parent = listItem;
128       origin.updateOrigin();
129     }
131     return listItem;
132   }
134   CookieListItem.prototype = {
135     __proto__: DeletableItem.prototype,
137     /** @override */
138     decorate: function() {
139       this.siteChild = this.ownerDocument.createElement('div');
140       this.siteChild.className = 'cookie-site';
141       this.dataChild = this.ownerDocument.createElement('div');
142       this.dataChild.className = 'cookie-data';
143       this.sizeChild = this.ownerDocument.createElement('div');
144       this.sizeChild.className = 'cookie-size';
145       this.itemsChild = this.ownerDocument.createElement('div');
146       this.itemsChild.className = 'cookie-items';
147       this.infoChild = this.ownerDocument.createElement('div');
148       this.infoChild.className = 'cookie-details';
149       this.infoChild.hidden = true;
151       var remove = this.ownerDocument.createElement('button');
152       remove.textContent = loadTimeData.getString('remove_cookie');
153       remove.onclick = this.removeCookie_.bind(this);
154       this.infoChild.appendChild(remove);
155       var content = this.contentElement;
156       content.appendChild(this.siteChild);
157       content.appendChild(this.dataChild);
158       content.appendChild(this.sizeChild);
159       content.appendChild(this.itemsChild);
160       this.itemsChild.appendChild(this.infoChild);
161       if (this.origin && this.origin.data) {
162         this.siteChild.textContent = this.origin.data.title;
163         this.siteChild.setAttribute('title', this.origin.data.title);
164       }
165       this.itemList_ = [];
166     },
168     /** @type {boolean} */
169     get expanded() {
170       return this.expanded_;
171     },
172     set expanded(expanded) {
173       if (this.expanded_ == expanded)
174         return;
175       this.expanded_ = expanded;
176       if (expanded) {
177         this.classList.add('show-items');
178         var oldExpanded = this.list.expandedItem;
179         this.list.expandedItem = this;
180         this.updateItems_();
181         if (oldExpanded)
182           oldExpanded.expanded = false;
183       } else {
184         if (this.list.expandedItem == this) {
185           this.list.expandedItem = null;
186         }
187         this.style.height = '';
188         this.itemsChild.style.height = '';
189         this.classList.remove('show-items');
190       }
191     },
193     /**
194      * The callback for the "remove" button shown when an item is selected.
195      * Requests that the currently selected cookie be removed.
196      * @private
197      */
198     removeCookie_: function() {
199       if (this.selectedIndex_ >= 0) {
200         var item = this.itemList_[this.selectedIndex_];
201         if (item && item.node)
202           chrome.send('removeCookie', [item.node.pathId]);
203       }
204     },
206     /**
207      * Disable animation within this cookie list item, in preparation for making
208      * changes that will need to be animated. Makes it possible to measure the
209      * contents without displaying them, to set animation targets.
210      * @private
211      */
212     disableAnimation_: function() {
213       this.itemsHeight_ = getItemHeight(this.itemsChild);
214       this.classList.add('measure-items');
215     },
217     /**
218      * Enable animation after changing the contents of this cookie list item.
219      * See @{code disableAnimation_}.
220      * @private
221      */
222     enableAnimation_: function() {
223       if (!this.classList.contains('measure-items'))
224         this.disableAnimation_();
225       this.itemsChild.style.height = '';
226       // This will force relayout in order to calculate the new heights.
227       var itemsHeight = getItemHeight(this.itemsChild);
228       var fixedHeight = getItemHeight(this) + itemsHeight - this.itemsHeight_;
229       this.itemsChild.style.height = this.itemsHeight_ + 'px';
230       // Force relayout before enabling animation, so that if we have
231       // changed things since the last layout, they will not be animated
232       // during subsequent layouts.
233       /** @suppress {suspiciousCode} */
234       this.itemsChild.offsetHeight;
235       this.classList.remove('measure-items');
236       this.itemsChild.style.height = itemsHeight + 'px';
237       this.style.height = fixedHeight + 'px';
238     },
240     /**
241      * Updates the origin summary to reflect changes in its items.
242      * Both CookieListItem and CookieTreeNode implement this API.
243      * This implementation scans the descendants to update the text.
244      */
245     updateOrigin: function() {
246       var info = {
247         cookies: 0,
248         database: false,
249         localStorage: false,
250         appCache: false,
251         indexedDb: false,
252         fileSystem: false,
253         channelIDs: 0,
254         serviceWorker: false,
255       };
256       if (this.origin)
257         this.origin.collectSummaryInfo(info);
259       var list = [];
260       if (info.cookies > 1)
261         list.push(loadTimeData.getStringF('cookie_plural', info.cookies));
262       else if (info.cookies > 0)
263         list.push(loadTimeData.getString('cookie_singular'));
264       if (info.database || info.indexedDb)
265         list.push(loadTimeData.getString('cookie_database_storage'));
266       if (info.localStorage)
267         list.push(loadTimeData.getString('cookie_local_storage'));
268       if (info.appCache)
269         list.push(loadTimeData.getString('cookie_app_cache'));
270       if (info.fileSystem)
271         list.push(loadTimeData.getString('cookie_file_system'));
272       if (info.channelIDs)
273         list.push(loadTimeData.getString('cookie_channel_id'));
274       if (info.serviceWorker)
275         list.push(loadTimeData.getString('cookie_service_worker'));
276       if (info.flashLSO)
277         list.push(loadTimeData.getString('cookie_flash_lso'));
279       var text = '';
280       for (var i = 0; i < list.length; ++i) {
281         if (text.length > 0)
282           text += ', ' + list[i];
283         else
284           text = list[i];
285       }
286       this.dataChild.textContent = text;
288       var apps = info.appsProtectingThis;
289       for (var key in apps) {
290         addAppInfo(this.dataChild, apps[key]);
291       }
293       if (info.quota && info.quota.totalUsage)
294         this.sizeChild.textContent = info.quota.totalUsage;
296       if (this.expanded)
297         this.updateItems_();
298     },
300     /**
301      * Updates the items section to reflect changes, animating to the new state.
302      * Removes existing contents and calls @{code CookieTreeNode.createItems}.
303      * @private
304      */
305     updateItems_: function() {
306       this.disableAnimation_();
307       this.itemsChild.textContent = '';
308       this.infoChild.hidden = true;
309       this.selectedIndex_ = -1;
310       this.itemList_ = [];
311       if (this.origin)
312         this.origin.createItems(this);
313       this.itemsChild.appendChild(this.infoChild);
314       this.enableAnimation_();
315     },
317     /**
318      * Append a new cookie node "bubble" to this list item.
319      * @param {options.CookieTreeNode} node The cookie node to add a bubble for.
320      * @param {Element} div The DOM element for the bubble itself.
321      * @return {number} The index the bubble was added at.
322      */
323     appendItem: function(node, div) {
324       this.itemList_.push({node: node, div: div});
325       this.itemsChild.appendChild(div);
326       return this.itemList_.length - 1;
327     },
329     /**
330      * The currently selected cookie node ("cookie bubble") index.
331      * @type {number}
332      * @private
333      */
334     selectedIndex_: -1,
336     /**
337      * Get the currently selected cookie node ("cookie bubble") index.
338      * @type {number}
339      */
340     get selectedIndex() {
341       return this.selectedIndex_;
342     },
344     /**
345      * Set the currently selected cookie node ("cookie bubble") index to
346      * |itemIndex|, unselecting any previously selected node first.
347      * @param {number} itemIndex The index to set as the selected index.
348      */
349     set selectedIndex(itemIndex) {
350       // Get the list index up front before we change anything.
351       var index = this.list.getIndexOfListItem(this);
352       // Unselect any previously selected item.
353       if (this.selectedIndex_ >= 0) {
354         var item = this.itemList_[this.selectedIndex_];
355         if (item && item.div)
356           item.div.removeAttribute('selected');
357       }
358       // Special case: decrementing -1 wraps around to the end of the list.
359       if (itemIndex == -2)
360         itemIndex = this.itemList_.length - 1;
361       // Check if we're going out of bounds and hide the item details.
362       if (itemIndex < 0 || itemIndex >= this.itemList_.length) {
363         this.selectedIndex_ = -1;
364         this.disableAnimation_();
365         this.infoChild.hidden = true;
366         this.enableAnimation_();
367         return;
368       }
369       // Set the new selected item and show the item details for it.
370       this.selectedIndex_ = itemIndex;
371       this.itemList_[itemIndex].div.setAttribute('selected', '');
372       this.disableAnimation_();
373       this.itemList_[itemIndex].node.setDetailText(this.infoChild,
374                                                    this.list.infoNodes);
375       this.infoChild.hidden = false;
376       this.enableAnimation_();
377       // If we're near the bottom of the list this may cause the list item to go
378       // beyond the end of the visible area. Fix it after the animation is done.
379       var list = this.list;
380       window.setTimeout(function() { list.scrollIndexIntoView(index); }, 150);
381     },
382   };
384   /**
385    * {@code CookieTreeNode}s mirror the structure of the cookie tree lazily, and
386    * contain all the actual data used to generate the {@code CookieListItem}s.
387    * @param {Object} data The data object for this node.
388    * @constructor
389    */
390   function CookieTreeNode(data) {
391     this.data = data;
392     this.children = [];
393   }
395   CookieTreeNode.prototype = {
396     /**
397      * Insert the given list of cookie tree nodes at the given index.
398      * Both CookiesList and CookieTreeNode implement this API.
399      * @param {Array.<Object>} data The data objects for the nodes to add.
400      * @param {number} start The index at which to start inserting the nodes.
401      */
402     insertAt: function(data, start) {
403       var nodes = spliceTreeNodes(data, start, this.children);
404       for (var i = 0; i < nodes.length; i++)
405         nodes[i].parent = this;
406       this.updateOrigin();
407     },
409     /**
410      * Remove a cookie tree node from the given index.
411      * Both CookiesList and CookieTreeNode implement this API.
412      * @param {number} index The index of the tree node to remove.
413      */
414     remove: function(index) {
415       if (index < this.children.length) {
416         this.children.splice(index, 1);
417         this.updateOrigin();
418       }
419     },
421     /**
422      * Clears all children.
423      * Both CookiesList and CookieTreeNode implement this API.
424      * It is used by CookiesList.loadChildren().
425      */
426     clear: function() {
427       // We might leave some garbage in parentLookup for removed children.
428       // But that should be OK because parentLookup is cleared when we
429       // reload the tree.
430       this.children = [];
431       this.updateOrigin();
432     },
434     /**
435      * The counter used by startBatchUpdates() and endBatchUpdates().
436      * @type {number}
437      */
438     batchCount_: 0,
440     /**
441      * See cr.ui.List.startBatchUpdates().
442      * Both CookiesList (via List) and CookieTreeNode implement this API.
443      */
444     startBatchUpdates: function() {
445       this.batchCount_++;
446     },
448     /**
449      * See cr.ui.List.endBatchUpdates().
450      * Both CookiesList (via List) and CookieTreeNode implement this API.
451      */
452     endBatchUpdates: function() {
453       if (!--this.batchCount_)
454         this.updateOrigin();
455     },
457     /**
458      * Requests updating the origin summary to reflect changes in this item.
459      * Both CookieListItem and CookieTreeNode implement this API.
460      */
461     updateOrigin: function() {
462       if (!this.batchCount_ && this.parent)
463         this.parent.updateOrigin();
464     },
466     /**
467      * Summarize the information in this node and update @{code info}.
468      * This will recurse into child nodes to summarize all descendants.
469      * @param {Object} info The info object from @{code updateOrigin}.
470      */
471     collectSummaryInfo: function(info) {
472       if (this.children.length > 0) {
473         for (var i = 0; i < this.children.length; ++i)
474           this.children[i].collectSummaryInfo(info);
475       } else if (this.data && !this.data.hasChildren) {
476         if (this.data.type == 'cookie') {
477           info.cookies++;
478         } else if (this.data.type == 'database') {
479           info.database = true;
480         } else if (this.data.type == 'local_storage') {
481           info.localStorage = true;
482         } else if (this.data.type == 'app_cache') {
483           info.appCache = true;
484         } else if (this.data.type == 'indexed_db') {
485           info.indexedDb = true;
486         } else if (this.data.type == 'file_system') {
487           info.fileSystem = true;
488         } else if (this.data.type == 'quota') {
489           info.quota = this.data;
490         } else if (this.data.type == 'channel_id') {
491           info.channelIDs++;
492         } else if (this.data.type == 'service_worker') {
493           info.serviceWorker = true;
494         } else if (this.data.type == 'flash_lso') {
495           info.flashLSO = true;
496         }
498         var apps = this.data.appsProtectingThis;
499         if (apps) {
500           if (!info.appsProtectingThis)
501             info.appsProtectingThis = {};
502           apps.forEach(function(appInfo) {
503             info.appsProtectingThis[appInfo.id] = appInfo;
504           });
505         }
506       }
507     },
509     /**
510      * Create the cookie "bubbles" for this node, recursing into children
511      * if there are any. Append the cookie bubbles to @{code item}.
512      * @param {options.CookieListItem} item The cookie list item to create items
513      *     in.
514      */
515     createItems: function(item) {
516       if (this.children.length > 0) {
517         for (var i = 0; i < this.children.length; ++i)
518           this.children[i].createItems(item);
519         return;
520       }
522       if (!this.data || this.data.hasChildren)
523         return;
525       var text = '';
526       switch (this.data.type) {
527         case 'cookie':
528         case 'database':
529           text = this.data.name;
530           break;
531         default:
532           text = loadTimeData.getString('cookie_' + this.data.type);
533       }
534       if (!text)
535         return;
537       var div = item.ownerDocument.createElement('div');
538       div.className = 'cookie-item';
539       // Help out screen readers and such: this is a clickable thing.
540       div.setAttribute('role', 'button');
541       div.textContent = text;
542       var apps = this.data.appsProtectingThis;
543       if (apps)
544         apps.forEach(addAppInfo.bind(null, div));
546       var index = item.appendItem(this, div);
547       div.onclick = function() {
548         item.selectedIndex = (item.selectedIndex == index) ? -1 : index;
549       };
550     },
552     /**
553      * Set the detail text to be displayed to that of this cookie tree node.
554      * Uses preallocated DOM elements for each cookie node type from @{code
555      * infoNodes}, and inserts the appropriate elements to @{code element}.
556      * @param {Element} element The DOM element to insert elements to.
557      * @param {Object.<string, {table: Element, info: Object.<string,
558      *     Element>}>} infoNodes The map from cookie node types to maps from
559      *     cookie attribute names to DOM elements to display cookie attribute
560      *     values, created by @{code CookiesList.decorate}.
561      */
562     setDetailText: function(element, infoNodes) {
563       var table;
564       if (this.data && !this.data.hasChildren && cookieInfo[this.data.type]) {
565         var info = cookieInfo[this.data.type];
566         var nodes = infoNodes[this.data.type].info;
567         for (var i = 0; i < info.length; ++i) {
568           var name = info[i][0];
569           if (name != 'id' && this.data[name])
570             nodes[name].textContent = this.data[name];
571           else
572             nodes[name].textContent = '';
573         }
574         table = infoNodes[this.data.type].table;
575       }
577       while (element.childNodes.length > 1)
578         element.removeChild(element.firstChild);
580       if (table)
581         element.insertBefore(table, element.firstChild);
582     },
584     /**
585      * The parent of this cookie tree node.
586      * @type {?(options.CookieTreeNode|options.CookieListItem)}
587      */
588     get parent() {
589       // See below for an explanation of this special case.
590       if (typeof this.parent_ == 'number')
591         return this.list_.getListItemByIndex(this.parent_);
592       return this.parent_;
593     },
594     set parent(parent) {
595       if (parent == this.parent)
596         return;
598       if (parent instanceof CookieListItem) {
599         // If the parent is to be a CookieListItem, then we keep the reference
600         // to it by its containing list and list index, rather than directly.
601         // This allows the list items to be garbage collected when they scroll
602         // out of view (except the expanded item, which we cache). This is
603         // transparent except in the setter and getter, where we handle it.
604         if (this.parent_ == undefined || parent.listIndex != -1) {
605           // Setting the parent is somewhat tricky because the CookieListItem
606           // constructor has side-effects on the |origin| that it wraps. Every
607           // time a CookieListItem is created for an |origin|, it registers
608           // itself as the parent of the |origin|.
609           // The List implementation may create a temporary CookieListItem item
610           // that wraps the |origin| of the very first entry of the CokiesList,
611           // when the List is redrawn the first time. This temporary
612           // CookieListItem is fresh (has listIndex = -1) and is never inserted
613           // into the List. Therefore it gets never updated. This destroys the
614           // chain of parent pointers.
615           // This is the stack trace:
616           //     CookieListItem
617           //     CookiesList.createItem
618           //     List.measureItem
619           //     List.getDefaultItemSize_
620           //     List.getDefaultItemHeight_
621           //     List.getIndexForListOffset_
622           //     List.getItemsInViewPort
623           //     List.redraw
624           //     List.endBatchUpdates
625           //     CookiesList.loadChildren
626           this.parent_ = parent.listIndex;
627         }
628         this.list_ = parent.list;
629         parent.addEventListener('listIndexChange',
630                                 this.parentIndexChanged_.bind(this));
631       } else {
632         this.parent_ = parent;
633       }
635       if (this.data && this.data.id) {
636         if (parent)
637           parentLookup[this.data.id] = this;
638         else
639           delete parentLookup[this.data.id];
640       }
642       if (this.data && this.data.hasChildren &&
643           !this.children.length && !lookupRequests[this.data.id]) {
644         lookupRequests[this.data.id] = true;
645         chrome.send('loadCookie', [this.pathId]);
646       }
647     },
649     /**
650      * Called when the parent is a CookieListItem whose index has changed.
651      * See the code above that avoids keeping a direct reference to
652      * CookieListItem parents, to allow them to be garbage collected.
653      * @private
654      */
655     parentIndexChanged_: function(event) {
656       if (typeof this.parent_ == 'number') {
657         this.parent_ = event.newValue;
658         // We set a timeout to update the origin, rather than doing it right
659         // away, because this callback may occur while the list items are
660         // being repopulated following a scroll event. Calling updateOrigin()
661         // immediately could trigger relayout that would reset the scroll
662         // position within the list, among other things.
663         window.setTimeout(this.updateOrigin.bind(this), 0);
664       }
665     },
667     /**
668      * The cookie tree path id.
669      * @type {string}
670      */
671     get pathId() {
672       var parent = this.parent;
673       if (parent && parent instanceof CookieTreeNode)
674         return parent.pathId + ',' + this.data.id;
675       return this.data.id;
676     },
677   };
679   /**
680    * Creates a new cookies list.
681    * @param {Object=} opt_propertyBag Optional properties.
682    * @constructor
683    * @extends {options.DeletableItemList}
684    */
685   var CookiesList = cr.ui.define('list');
687   CookiesList.prototype = {
688     __proto__: DeletableItemList.prototype,
690     /** @override */
691     decorate: function() {
692       DeletableItemList.prototype.decorate.call(this);
693       this.classList.add('cookie-list');
694       this.dataModel = new ArrayDataModel([]);
695       this.addEventListener('keydown', this.handleKeyLeftRight_.bind(this));
696       var sm = new ListSingleSelectionModel();
697       sm.addEventListener('change', this.cookieSelectionChange_.bind(this));
698       sm.addEventListener('leadIndexChange', this.cookieLeadChange_.bind(this));
699       this.selectionModel = sm;
700       this.infoNodes = {};
701       this.fixedHeight = false;
702       var doc = this.ownerDocument;
703       // Create a table for each type of site data (e.g. cookies, databases,
704       // etc.) and save it so that we can reuse it for all origins.
705       for (var type in cookieInfo) {
706         var table = doc.createElement('table');
707         table.className = 'cookie-details-table';
708         var tbody = doc.createElement('tbody');
709         table.appendChild(tbody);
710         var info = {};
711         for (var i = 0; i < cookieInfo[type].length; i++) {
712           var tr = doc.createElement('tr');
713           var name = doc.createElement('td');
714           var data = doc.createElement('td');
715           var pair = cookieInfo[type][i];
716           name.className = 'cookie-details-label';
717           name.textContent = loadTimeData.getString(pair[1]);
718           data.className = 'cookie-details-value';
719           data.textContent = '';
720           tr.appendChild(name);
721           tr.appendChild(data);
722           tbody.appendChild(tr);
723           info[pair[0]] = data;
724         }
725         this.infoNodes[type] = {table: table, info: info};
726       }
727     },
729     /**
730      * Handles key down events and looks for left and right arrows, then
731      * dispatches to the currently expanded item, if any.
732      * @param {Event} e The keydown event.
733      * @private
734      */
735     handleKeyLeftRight_: function(e) {
736       var id = e.keyIdentifier;
737       if ((id == 'Left' || id == 'Right') && this.expandedItem) {
738         var cs = this.ownerDocument.defaultView.getComputedStyle(this);
739         var rtl = cs.direction == 'rtl';
740         if ((!rtl && id == 'Left') || (rtl && id == 'Right'))
741           this.expandedItem.selectedIndex--;
742         else
743           this.expandedItem.selectedIndex++;
744         this.scrollIndexIntoView(this.expandedItem.listIndex);
745         // Prevent the page itself from scrolling.
746         e.preventDefault();
747       }
748     },
750     /**
751      * Called on selection model selection changes.
752      * @param {Event} ce The selection change event.
753      * @private
754      */
755     cookieSelectionChange_: function(ce) {
756       ce.changes.forEach(function(change) {
757           var listItem = this.getListItemByIndex(change.index);
758           if (listItem) {
759             if (!change.selected) {
760               // We set a timeout here, rather than setting the item unexpanded
761               // immediately, so that if another item gets set expanded right
762               // away, it will be expanded before this item is unexpanded. It
763               // will notice that, and unexpand this item in sync with its own
764               // expansion. Later, this callback will end up having no effect.
765               window.setTimeout(function() {
766                 if (!listItem.selected || !listItem.lead)
767                   listItem.expanded = false;
768               }, 0);
769             } else if (listItem.lead) {
770               listItem.expanded = true;
771             }
772           }
773         }, this);
774     },
776     /**
777      * Called on selection model lead changes.
778      * @param {Event} pe The lead change event.
779      * @private
780      */
781     cookieLeadChange_: function(pe) {
782       if (pe.oldValue != -1) {
783         var listItem = this.getListItemByIndex(pe.oldValue);
784         if (listItem) {
785           // See cookieSelectionChange_ above for why we use a timeout here.
786           window.setTimeout(function() {
787             if (!listItem.lead || !listItem.selected)
788               listItem.expanded = false;
789           }, 0);
790         }
791       }
792       if (pe.newValue != -1) {
793         var listItem = this.getListItemByIndex(pe.newValue);
794         if (listItem && listItem.selected)
795           listItem.expanded = true;
796       }
797     },
799     /**
800      * The currently expanded item. Used by CookieListItem above.
801      * @type {?options.CookieListItem}
802      */
803     expandedItem: null,
805     // from cr.ui.List
806     /**
807      * @override
808      * @param {Object} data
809      */
810     createItem: function(data) {
811       // We use the cached expanded item in order to allow it to maintain some
812       // state (like its fixed height, and which bubble is selected).
813       if (this.expandedItem && this.expandedItem.origin == data)
814         return this.expandedItem;
815       return new CookieListItem(data, this);
816     },
818     // from options.DeletableItemList
819     /** @override */
820     deleteItemAtIndex: function(index) {
821       var item = this.dataModel.item(index);
822       if (item) {
823         var pathId = item.pathId;
824         if (pathId)
825           chrome.send('removeCookie', [pathId]);
826       }
827     },
829     /**
830      * Insert the given list of cookie tree nodes at the given index.
831      * Both CookiesList and CookieTreeNode implement this API.
832      * @param {Array.<Object>} data The data objects for the nodes to add.
833      * @param {number} start The index at which to start inserting the nodes.
834      */
835     insertAt: function(data, start) {
836       spliceTreeNodes(data, start, this.dataModel);
837     },
839     /**
840      * Remove a cookie tree node from the given index.
841      * Both CookiesList and CookieTreeNode implement this API.
842      * @param {number} index The index of the tree node to remove.
843      */
844     remove: function(index) {
845       if (index < this.dataModel.length)
846         this.dataModel.splice(index, 1);
847     },
849     /**
850      * Clears the list.
851      * Both CookiesList and CookieTreeNode implement this API.
852      * It is used by CookiesList.loadChildren().
853      */
854     clear: function() {
855       parentLookup = {};
856       this.dataModel.splice(0, this.dataModel.length);
857       this.redraw();
858     },
860     /**
861      * Add tree nodes by given parent.
862      * @param {Object} parent The parent node.
863      * @param {number} start The index at which to start inserting the nodes.
864      * @param {Array} nodesData Nodes data array.
865      * @private
866      */
867     addByParent_: function(parent, start, nodesData) {
868       if (!parent)
869         return;
871       parent.startBatchUpdates();
872       parent.insertAt(nodesData, start);
873       parent.endBatchUpdates();
875       cr.dispatchSimpleEvent(this, 'change');
876     },
878     /**
879      * Add tree nodes by parent id.
880      * This is used by cookies_view.js.
881      * @param {string} parentId Id of the parent node.
882      * @param {number} start The index at which to start inserting the nodes.
883      * @param {Array} nodesData Nodes data array.
884      */
885     addByParentId: function(parentId, start, nodesData) {
886       var parent = parentId ? parentLookup[parentId] : this;
887       this.addByParent_(parent, start, nodesData);
888     },
890     /**
891      * Removes tree nodes by parent id.
892      * This is used by cookies_view.js.
893      * @param {string} parentId Id of the parent node.
894      * @param {number} start The index at which to start removing the nodes.
895      * @param {number} count Number of nodes to remove.
896      */
897     removeByParentId: function(parentId, start, count) {
898       var parent = parentId ? parentLookup[parentId] : this;
899       if (!parent)
900         return;
902       parent.startBatchUpdates();
903       while (count-- > 0)
904         parent.remove(start);
905       parent.endBatchUpdates();
907       cr.dispatchSimpleEvent(this, 'change');
908     },
910     /**
911      * Loads the immediate children of given parent node.
912      * This is used by cookies_view.js.
913      * @param {string} parentId Id of the parent node.
914      * @param {Array} children The immediate children of parent node.
915      */
916     loadChildren: function(parentId, children) {
917       if (parentId)
918         delete lookupRequests[parentId];
919       var parent = parentId ? parentLookup[parentId] : this;
920       if (!parent)
921         return;
923       parent.startBatchUpdates();
924       parent.clear();
925       this.addByParent_(parent, 0, children);
926       parent.endBatchUpdates();
927     },
928   };
930   return {
931     CookiesList: CookiesList,
932     CookieListItem: CookieListItem,
933     CookieTreeNode: CookieTreeNode,
934   };