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

Side by Side Diff: chrome/browser/resources/md_history/lazy_load.crisper.js

Issue 2264983002: MD History: Lazily load element files which are not needed for first paint (Closed) Base URL: https://chromium.googlesource.com/chromium/src.git@master
Patch Set: Remove flattenhtml, rebase Created 4 years, 3 months ago
Use n/p to move between diff chunks; N/P to move between comments. Draft comments are only viewable by you.
Jump to:
View unified diff | Download patch
OLDNEW
(Empty)
1 Polymer({
2 is: 'iron-collapse',
3 behaviors: [ Polymer.IronResizableBehavior ],
4 properties: {
5 horizontal: {
6 type: Boolean,
7 value: false,
8 observer: '_horizontalChanged'
9 },
10 opened: {
11 type: Boolean,
12 value: false,
13 notify: true,
14 observer: '_openedChanged'
15 },
16 noAnimation: {
17 type: Boolean
18 },
19 _desiredSize: {
20 type: String,
21 value: ''
22 }
23 },
24 get dimension() {
25 return this.horizontal ? 'width' : 'height';
26 },
27 get _dimensionMax() {
28 return this.horizontal ? 'maxWidth' : 'maxHeight';
29 },
30 get _dimensionMaxCss() {
31 return this.horizontal ? 'max-width' : 'max-height';
32 },
33 hostAttributes: {
34 role: 'group',
35 'aria-hidden': 'true',
36 'aria-expanded': 'false'
37 },
38 listeners: {
39 transitionend: '_transitionEnd'
40 },
41 attached: function() {
42 this._transitionEnd();
43 },
44 toggle: function() {
45 this.opened = !this.opened;
46 },
47 show: function() {
48 this.opened = true;
49 },
50 hide: function() {
51 this.opened = false;
52 },
53 updateSize: function(size, animated) {
54 size = size === 'auto' ? '' : size;
55 if (this._desiredSize === size) {
56 return;
57 }
58 this._desiredSize = size;
59 this._updateTransition(false);
60 var willAnimate = animated && !this.noAnimation && this._isDisplayed;
61 if (willAnimate) {
62 var startSize = this._calcSize();
63 if (size === '') {
64 this.style[this._dimensionMax] = '';
65 size = this._calcSize();
66 }
67 this.style[this._dimensionMax] = startSize;
68 this.scrollTop = this.scrollTop;
69 this._updateTransition(true);
70 willAnimate = size !== startSize;
71 }
72 this.style[this._dimensionMax] = size;
73 if (!willAnimate) {
74 this._transitionEnd();
75 }
76 },
77 enableTransition: function(enabled) {
78 Polymer.Base._warn('`enableTransition()` is deprecated, use `noAnimation` in stead.');
79 this.noAnimation = !enabled;
80 },
81 _updateTransition: function(enabled) {
82 this.style.transitionDuration = enabled && !this.noAnimation ? '' : '0s';
83 },
84 _horizontalChanged: function() {
85 this.style.transitionProperty = this._dimensionMaxCss;
86 var otherDimension = this._dimensionMax === 'maxWidth' ? 'maxHeight' : 'maxW idth';
87 this.style[otherDimension] = '';
88 this.updateSize(this.opened ? 'auto' : '0px', false);
89 },
90 _openedChanged: function() {
91 this.setAttribute('aria-expanded', this.opened);
92 this.setAttribute('aria-hidden', !this.opened);
93 this.toggleClass('iron-collapse-closed', false);
94 this.toggleClass('iron-collapse-opened', false);
95 this.updateSize(this.opened ? 'auto' : '0px', true);
96 if (this.opened) {
97 this.focus();
98 }
99 },
100 _transitionEnd: function() {
101 this.style[this._dimensionMax] = this._desiredSize;
102 this.toggleClass('iron-collapse-closed', !this.opened);
103 this.toggleClass('iron-collapse-opened', this.opened);
104 this._updateTransition(false);
105 this.notifyResize();
106 },
107 get _isDisplayed() {
108 var rect = this.getBoundingClientRect();
109 for (var prop in rect) {
110 if (rect[prop] !== 0) return true;
111 }
112 return false;
113 },
114 _calcSize: function() {
115 return this.getBoundingClientRect()[this.dimension] + 'px';
116 }
117 });
118
119 // Copyright 2016 The Chromium Authors. All rights reserved.
120 // Use of this source code is governed by a BSD-style license that can be
121 // found in the LICENSE file.
122 var HistoryDomain;
123
124 var HistoryGroup;
125
126 Polymer({
127 is: 'history-grouped-list',
128 behaviors: [ HistoryListBehavior ],
129 properties: {
130 historyData: {
131 type: Array
132 },
133 groupedHistoryData_: {
134 type: Array
135 },
136 searchedTerm: {
137 type: String,
138 value: ''
139 },
140 range: {
141 type: Number
142 },
143 queryStartTime: String,
144 queryEndTime: String
145 },
146 observers: [ 'updateGroupedHistoryData_(range, historyData)' ],
147 createHistoryDomains_: function(visits) {
148 var domainIndexes = {};
149 var domains = [];
150 for (var i = 0, visit; visit = visits[i]; i++) {
151 var domain = visit.domain;
152 if (domainIndexes[domain] == undefined) {
153 domainIndexes[domain] = domains.length;
154 domains.push({
155 domain: domain,
156 visits: [],
157 expanded: false,
158 rendered: false
159 });
160 }
161 domains[domainIndexes[domain]].visits.push(visit);
162 }
163 var sortByVisits = function(a, b) {
164 return b.visits.length - a.visits.length;
165 };
166 domains.sort(sortByVisits);
167 return domains;
168 },
169 updateGroupedHistoryData_: function() {
170 if (this.historyData.length == 0) {
171 this.groupedHistoryData_ = [];
172 return;
173 }
174 if (this.range == HistoryRange.WEEK) {
175 var days = [];
176 var currentDayVisits = [ this.historyData[0] ];
177 var pushCurrentDay = function() {
178 days.push({
179 title: this.searchedTerm ? currentDayVisits[0].dateShort : currentDayV isits[0].dateRelativeDay,
180 domains: this.createHistoryDomains_(currentDayVisits)
181 });
182 }.bind(this);
183 var visitsSameDay = function(a, b) {
184 if (this.searchedTerm) return a.dateShort == b.dateShort;
185 return a.dateRelativeDay == b.dateRelativeDay;
186 }.bind(this);
187 for (var i = 1; i < this.historyData.length; i++) {
188 var visit = this.historyData[i];
189 if (!visitsSameDay(visit, currentDayVisits[0])) {
190 pushCurrentDay();
191 currentDayVisits = [];
192 }
193 currentDayVisits.push(visit);
194 }
195 pushCurrentDay();
196 this.groupedHistoryData_ = days;
197 } else if (this.range == HistoryRange.MONTH) {
198 this.groupedHistoryData_ = [ {
199 title: this.queryStartTime + ' – ' + this.queryEndTime,
200 domains: this.createHistoryDomains_(this.historyData)
201 } ];
202 }
203 },
204 toggleDomainExpanded_: function(e) {
205 var collapse = e.currentTarget.parentNode.querySelector('iron-collapse');
206 e.model.set('domain.rendered', true);
207 setTimeout(function() {
208 collapse.toggle();
209 }, 0);
210 },
211 needsTimeGap_: function(groupIndex, domainIndex, itemIndex) {
212 var visits = this.groupedHistoryData_[groupIndex].domains[domainIndex].visit s;
213 return md_history.HistoryItem.needsTimeGap(visits, itemIndex, this.searchedT erm);
214 },
215 pathForItem_: function(groupIndex, domainIndex, itemIndex) {
216 return [ 'groupedHistoryData_', groupIndex, 'domains', domainIndex, 'visits' , itemIndex ].join('.');
217 },
218 getWebsiteIconStyle_: function(domain) {
219 return 'background-image: ' + cr.icon.getFavicon(domain.visits[0].url);
220 },
221 getDropdownIcon_: function(expanded) {
222 return expanded ? 'cr:expand-less' : 'cr:expand-more';
223 }
224 });
225
226 Polymer.PaperButtonBehaviorImpl = {
227 properties: {
228 elevation: {
229 type: Number,
230 reflectToAttribute: true,
231 readOnly: true
232 }
233 },
234 observers: [ '_calculateElevation(focused, disabled, active, pressed, received FocusFromKeyboard)', '_computeKeyboardClass(receivedFocusFromKeyboard)' ],
235 hostAttributes: {
236 role: 'button',
237 tabindex: '0',
238 animated: true
239 },
240 _calculateElevation: function() {
241 var e = 1;
242 if (this.disabled) {
243 e = 0;
244 } else if (this.active || this.pressed) {
245 e = 4;
246 } else if (this.receivedFocusFromKeyboard) {
247 e = 3;
248 }
249 this._setElevation(e);
250 },
251 _computeKeyboardClass: function(receivedFocusFromKeyboard) {
252 this.toggleClass('keyboard-focus', receivedFocusFromKeyboard);
253 },
254 _spaceKeyDownHandler: function(event) {
255 Polymer.IronButtonStateImpl._spaceKeyDownHandler.call(this, event);
256 if (this.hasRipple() && this.getRipple().ripples.length < 1) {
257 this._ripple.uiDownAction();
258 }
259 },
260 _spaceKeyUpHandler: function(event) {
261 Polymer.IronButtonStateImpl._spaceKeyUpHandler.call(this, event);
262 if (this.hasRipple()) {
263 this._ripple.uiUpAction();
264 }
265 }
266 };
267
268 Polymer.PaperButtonBehavior = [ Polymer.IronButtonState, Polymer.IronControlStat e, Polymer.PaperRippleBehavior, Polymer.PaperButtonBehaviorImpl ];
269
270 Polymer({
271 is: 'paper-button',
272 behaviors: [ Polymer.PaperButtonBehavior ],
273 properties: {
274 raised: {
275 type: Boolean,
276 reflectToAttribute: true,
277 value: false,
278 observer: '_calculateElevation'
279 }
280 },
281 _calculateElevation: function() {
282 if (!this.raised) {
283 this._setElevation(0);
284 } else {
285 Polymer.PaperButtonBehaviorImpl._calculateElevation.apply(this);
286 }
287 }
288 });
289
290 Polymer.PaperItemBehaviorImpl = {
291 hostAttributes: {
292 role: 'option',
293 tabindex: '0'
294 }
295 };
296
297 Polymer.PaperItemBehavior = [ Polymer.IronButtonState, Polymer.IronControlState, Polymer.PaperItemBehaviorImpl ];
298
299 Polymer({
300 is: 'paper-item',
301 behaviors: [ Polymer.PaperItemBehavior ]
302 });
303
304 Polymer.IronFitBehavior = {
305 properties: {
306 sizingTarget: {
307 type: Object,
308 value: function() {
309 return this;
310 }
311 },
312 fitInto: {
313 type: Object,
314 value: window
315 },
316 noOverlap: {
317 type: Boolean
318 },
319 positionTarget: {
320 type: Element
321 },
322 horizontalAlign: {
323 type: String
324 },
325 verticalAlign: {
326 type: String
327 },
328 dynamicAlign: {
329 type: Boolean
330 },
331 horizontalOffset: {
332 type: Number,
333 value: 0,
334 notify: true
335 },
336 verticalOffset: {
337 type: Number,
338 value: 0,
339 notify: true
340 },
341 autoFitOnAttach: {
342 type: Boolean,
343 value: false
344 },
345 _fitInfo: {
346 type: Object
347 }
348 },
349 get _fitWidth() {
350 var fitWidth;
351 if (this.fitInto === window) {
352 fitWidth = this.fitInto.innerWidth;
353 } else {
354 fitWidth = this.fitInto.getBoundingClientRect().width;
355 }
356 return fitWidth;
357 },
358 get _fitHeight() {
359 var fitHeight;
360 if (this.fitInto === window) {
361 fitHeight = this.fitInto.innerHeight;
362 } else {
363 fitHeight = this.fitInto.getBoundingClientRect().height;
364 }
365 return fitHeight;
366 },
367 get _fitLeft() {
368 var fitLeft;
369 if (this.fitInto === window) {
370 fitLeft = 0;
371 } else {
372 fitLeft = this.fitInto.getBoundingClientRect().left;
373 }
374 return fitLeft;
375 },
376 get _fitTop() {
377 var fitTop;
378 if (this.fitInto === window) {
379 fitTop = 0;
380 } else {
381 fitTop = this.fitInto.getBoundingClientRect().top;
382 }
383 return fitTop;
384 },
385 get _defaultPositionTarget() {
386 var parent = Polymer.dom(this).parentNode;
387 if (parent && parent.nodeType === Node.DOCUMENT_FRAGMENT_NODE) {
388 parent = parent.host;
389 }
390 return parent;
391 },
392 get _localeHorizontalAlign() {
393 if (this._isRTL) {
394 if (this.horizontalAlign === 'right') {
395 return 'left';
396 }
397 if (this.horizontalAlign === 'left') {
398 return 'right';
399 }
400 }
401 return this.horizontalAlign;
402 },
403 attached: function() {
404 this._isRTL = window.getComputedStyle(this).direction == 'rtl';
405 this.positionTarget = this.positionTarget || this._defaultPositionTarget;
406 if (this.autoFitOnAttach) {
407 if (window.getComputedStyle(this).display === 'none') {
408 setTimeout(function() {
409 this.fit();
410 }.bind(this));
411 } else {
412 this.fit();
413 }
414 }
415 },
416 fit: function() {
417 this.position();
418 this.constrain();
419 this.center();
420 },
421 _discoverInfo: function() {
422 if (this._fitInfo) {
423 return;
424 }
425 var target = window.getComputedStyle(this);
426 var sizer = window.getComputedStyle(this.sizingTarget);
427 this._fitInfo = {
428 inlineStyle: {
429 top: this.style.top || '',
430 left: this.style.left || '',
431 position: this.style.position || ''
432 },
433 sizerInlineStyle: {
434 maxWidth: this.sizingTarget.style.maxWidth || '',
435 maxHeight: this.sizingTarget.style.maxHeight || '',
436 boxSizing: this.sizingTarget.style.boxSizing || ''
437 },
438 positionedBy: {
439 vertically: target.top !== 'auto' ? 'top' : target.bottom !== 'auto' ? ' bottom' : null,
440 horizontally: target.left !== 'auto' ? 'left' : target.right !== 'auto' ? 'right' : null
441 },
442 sizedBy: {
443 height: sizer.maxHeight !== 'none',
444 width: sizer.maxWidth !== 'none',
445 minWidth: parseInt(sizer.minWidth, 10) || 0,
446 minHeight: parseInt(sizer.minHeight, 10) || 0
447 },
448 margin: {
449 top: parseInt(target.marginTop, 10) || 0,
450 right: parseInt(target.marginRight, 10) || 0,
451 bottom: parseInt(target.marginBottom, 10) || 0,
452 left: parseInt(target.marginLeft, 10) || 0
453 }
454 };
455 if (this.verticalOffset) {
456 this._fitInfo.margin.top = this._fitInfo.margin.bottom = this.verticalOffs et;
457 this._fitInfo.inlineStyle.marginTop = this.style.marginTop || '';
458 this._fitInfo.inlineStyle.marginBottom = this.style.marginBottom || '';
459 this.style.marginTop = this.style.marginBottom = this.verticalOffset + 'px ';
460 }
461 if (this.horizontalOffset) {
462 this._fitInfo.margin.left = this._fitInfo.margin.right = this.horizontalOf fset;
463 this._fitInfo.inlineStyle.marginLeft = this.style.marginLeft || '';
464 this._fitInfo.inlineStyle.marginRight = this.style.marginRight || '';
465 this.style.marginLeft = this.style.marginRight = this.horizontalOffset + ' px';
466 }
467 },
468 resetFit: function() {
469 var info = this._fitInfo || {};
470 for (var property in info.sizerInlineStyle) {
471 this.sizingTarget.style[property] = info.sizerInlineStyle[property];
472 }
473 for (var property in info.inlineStyle) {
474 this.style[property] = info.inlineStyle[property];
475 }
476 this._fitInfo = null;
477 },
478 refit: function() {
479 var scrollLeft = this.sizingTarget.scrollLeft;
480 var scrollTop = this.sizingTarget.scrollTop;
481 this.resetFit();
482 this.fit();
483 this.sizingTarget.scrollLeft = scrollLeft;
484 this.sizingTarget.scrollTop = scrollTop;
485 },
486 position: function() {
487 if (!this.horizontalAlign && !this.verticalAlign) {
488 return;
489 }
490 this._discoverInfo();
491 this.style.position = 'fixed';
492 this.sizingTarget.style.boxSizing = 'border-box';
493 this.style.left = '0px';
494 this.style.top = '0px';
495 var rect = this.getBoundingClientRect();
496 var positionRect = this.__getNormalizedRect(this.positionTarget);
497 var fitRect = this.__getNormalizedRect(this.fitInto);
498 var margin = this._fitInfo.margin;
499 var size = {
500 width: rect.width + margin.left + margin.right,
501 height: rect.height + margin.top + margin.bottom
502 };
503 var position = this.__getPosition(this._localeHorizontalAlign, this.vertical Align, size, positionRect, fitRect);
504 var left = position.left + margin.left;
505 var top = position.top + margin.top;
506 var right = Math.min(fitRect.right - margin.right, left + rect.width);
507 var bottom = Math.min(fitRect.bottom - margin.bottom, top + rect.height);
508 var minWidth = this._fitInfo.sizedBy.minWidth;
509 var minHeight = this._fitInfo.sizedBy.minHeight;
510 if (left < margin.left) {
511 left = margin.left;
512 if (right - left < minWidth) {
513 left = right - minWidth;
514 }
515 }
516 if (top < margin.top) {
517 top = margin.top;
518 if (bottom - top < minHeight) {
519 top = bottom - minHeight;
520 }
521 }
522 this.sizingTarget.style.maxWidth = right - left + 'px';
523 this.sizingTarget.style.maxHeight = bottom - top + 'px';
524 this.style.left = left - rect.left + 'px';
525 this.style.top = top - rect.top + 'px';
526 },
527 constrain: function() {
528 if (this.horizontalAlign || this.verticalAlign) {
529 return;
530 }
531 this._discoverInfo();
532 var info = this._fitInfo;
533 if (!info.positionedBy.vertically) {
534 this.style.position = 'fixed';
535 this.style.top = '0px';
536 }
537 if (!info.positionedBy.horizontally) {
538 this.style.position = 'fixed';
539 this.style.left = '0px';
540 }
541 this.sizingTarget.style.boxSizing = 'border-box';
542 var rect = this.getBoundingClientRect();
543 if (!info.sizedBy.height) {
544 this.__sizeDimension(rect, info.positionedBy.vertically, 'top', 'bottom', 'Height');
545 }
546 if (!info.sizedBy.width) {
547 this.__sizeDimension(rect, info.positionedBy.horizontally, 'left', 'right' , 'Width');
548 }
549 },
550 _sizeDimension: function(rect, positionedBy, start, end, extent) {
551 this.__sizeDimension(rect, positionedBy, start, end, extent);
552 },
553 __sizeDimension: function(rect, positionedBy, start, end, extent) {
554 var info = this._fitInfo;
555 var fitRect = this.__getNormalizedRect(this.fitInto);
556 var max = extent === 'Width' ? fitRect.width : fitRect.height;
557 var flip = positionedBy === end;
558 var offset = flip ? max - rect[end] : rect[start];
559 var margin = info.margin[flip ? start : end];
560 var offsetExtent = 'offset' + extent;
561 var sizingOffset = this[offsetExtent] - this.sizingTarget[offsetExtent];
562 this.sizingTarget.style['max' + extent] = max - margin - offset - sizingOffs et + 'px';
563 },
564 center: function() {
565 if (this.horizontalAlign || this.verticalAlign) {
566 return;
567 }
568 this._discoverInfo();
569 var positionedBy = this._fitInfo.positionedBy;
570 if (positionedBy.vertically && positionedBy.horizontally) {
571 return;
572 }
573 this.style.position = 'fixed';
574 if (!positionedBy.vertically) {
575 this.style.top = '0px';
576 }
577 if (!positionedBy.horizontally) {
578 this.style.left = '0px';
579 }
580 var rect = this.getBoundingClientRect();
581 var fitRect = this.__getNormalizedRect(this.fitInto);
582 if (!positionedBy.vertically) {
583 var top = fitRect.top - rect.top + (fitRect.height - rect.height) / 2;
584 this.style.top = top + 'px';
585 }
586 if (!positionedBy.horizontally) {
587 var left = fitRect.left - rect.left + (fitRect.width - rect.width) / 2;
588 this.style.left = left + 'px';
589 }
590 },
591 __getNormalizedRect: function(target) {
592 if (target === document.documentElement || target === window) {
593 return {
594 top: 0,
595 left: 0,
596 width: window.innerWidth,
597 height: window.innerHeight,
598 right: window.innerWidth,
599 bottom: window.innerHeight
600 };
601 }
602 return target.getBoundingClientRect();
603 },
604 __getCroppedArea: function(position, size, fitRect) {
605 var verticalCrop = Math.min(0, position.top) + Math.min(0, fitRect.bottom - (position.top + size.height));
606 var horizontalCrop = Math.min(0, position.left) + Math.min(0, fitRect.right - (position.left + size.width));
607 return Math.abs(verticalCrop) * size.width + Math.abs(horizontalCrop) * size .height;
608 },
609 __getPosition: function(hAlign, vAlign, size, positionRect, fitRect) {
610 var positions = [ {
611 verticalAlign: 'top',
612 horizontalAlign: 'left',
613 top: positionRect.top,
614 left: positionRect.left
615 }, {
616 verticalAlign: 'top',
617 horizontalAlign: 'right',
618 top: positionRect.top,
619 left: positionRect.right - size.width
620 }, {
621 verticalAlign: 'bottom',
622 horizontalAlign: 'left',
623 top: positionRect.bottom - size.height,
624 left: positionRect.left
625 }, {
626 verticalAlign: 'bottom',
627 horizontalAlign: 'right',
628 top: positionRect.bottom - size.height,
629 left: positionRect.right - size.width
630 } ];
631 if (this.noOverlap) {
632 for (var i = 0, l = positions.length; i < l; i++) {
633 var copy = {};
634 for (var key in positions[i]) {
635 copy[key] = positions[i][key];
636 }
637 positions.push(copy);
638 }
639 positions[0].top = positions[1].top += positionRect.height;
640 positions[2].top = positions[3].top -= positionRect.height;
641 positions[4].left = positions[6].left += positionRect.width;
642 positions[5].left = positions[7].left -= positionRect.width;
643 }
644 vAlign = vAlign === 'auto' ? null : vAlign;
645 hAlign = hAlign === 'auto' ? null : hAlign;
646 var position;
647 for (var i = 0; i < positions.length; i++) {
648 var pos = positions[i];
649 if (!this.dynamicAlign && !this.noOverlap && pos.verticalAlign === vAlign && pos.horizontalAlign === hAlign) {
650 position = pos;
651 break;
652 }
653 var alignOk = (!vAlign || pos.verticalAlign === vAlign) && (!hAlign || pos .horizontalAlign === hAlign);
654 if (!this.dynamicAlign && !alignOk) {
655 continue;
656 }
657 position = position || pos;
658 pos.croppedArea = this.__getCroppedArea(pos, size, fitRect);
659 var diff = pos.croppedArea - position.croppedArea;
660 if (diff < 0 || diff === 0 && alignOk) {
661 position = pos;
662 }
663 if (position.croppedArea === 0 && alignOk) {
664 break;
665 }
666 }
667 return position;
668 }
669 };
670
671 (function() {
672 'use strict';
673 Polymer({
674 is: 'iron-overlay-backdrop',
675 properties: {
676 opened: {
677 reflectToAttribute: true,
678 type: Boolean,
679 value: false,
680 observer: '_openedChanged'
681 }
682 },
683 listeners: {
684 transitionend: '_onTransitionend'
685 },
686 created: function() {
687 this.__openedRaf = null;
688 },
689 attached: function() {
690 this.opened && this._openedChanged(this.opened);
691 },
692 prepare: function() {
693 if (this.opened && !this.parentNode) {
694 Polymer.dom(document.body).appendChild(this);
695 }
696 },
697 open: function() {
698 this.opened = true;
699 },
700 close: function() {
701 this.opened = false;
702 },
703 complete: function() {
704 if (!this.opened && this.parentNode === document.body) {
705 Polymer.dom(this.parentNode).removeChild(this);
706 }
707 },
708 _onTransitionend: function(event) {
709 if (event && event.target === this) {
710 this.complete();
711 }
712 },
713 _openedChanged: function(opened) {
714 if (opened) {
715 this.prepare();
716 } else {
717 var cs = window.getComputedStyle(this);
718 if (cs.transitionDuration === '0s' || cs.opacity == 0) {
719 this.complete();
720 }
721 }
722 if (!this.isAttached) {
723 return;
724 }
725 if (this.__openedRaf) {
726 window.cancelAnimationFrame(this.__openedRaf);
727 this.__openedRaf = null;
728 }
729 this.scrollTop = this.scrollTop;
730 this.__openedRaf = window.requestAnimationFrame(function() {
731 this.__openedRaf = null;
732 this.toggleClass('opened', this.opened);
733 }.bind(this));
734 }
735 });
736 })();
737
738 Polymer.IronOverlayManagerClass = function() {
739 this._overlays = [];
740 this._minimumZ = 101;
741 this._backdropElement = null;
742 Polymer.Gestures.add(document, 'tap', this._onCaptureClick.bind(this));
743 document.addEventListener('focus', this._onCaptureFocus.bind(this), true);
744 document.addEventListener('keydown', this._onCaptureKeyDown.bind(this), true);
745 };
746
747 Polymer.IronOverlayManagerClass.prototype = {
748 constructor: Polymer.IronOverlayManagerClass,
749 get backdropElement() {
750 if (!this._backdropElement) {
751 this._backdropElement = document.createElement('iron-overlay-backdrop');
752 }
753 return this._backdropElement;
754 },
755 get deepActiveElement() {
756 var active = document.activeElement || document.body;
757 while (active.root && Polymer.dom(active.root).activeElement) {
758 active = Polymer.dom(active.root).activeElement;
759 }
760 return active;
761 },
762 _bringOverlayAtIndexToFront: function(i) {
763 var overlay = this._overlays[i];
764 if (!overlay) {
765 return;
766 }
767 var lastI = this._overlays.length - 1;
768 var currentOverlay = this._overlays[lastI];
769 if (currentOverlay && this._shouldBeBehindOverlay(overlay, currentOverlay)) {
770 lastI--;
771 }
772 if (i >= lastI) {
773 return;
774 }
775 var minimumZ = Math.max(this.currentOverlayZ(), this._minimumZ);
776 if (this._getZ(overlay) <= minimumZ) {
777 this._applyOverlayZ(overlay, minimumZ);
778 }
779 while (i < lastI) {
780 this._overlays[i] = this._overlays[i + 1];
781 i++;
782 }
783 this._overlays[lastI] = overlay;
784 },
785 addOrRemoveOverlay: function(overlay) {
786 if (overlay.opened) {
787 this.addOverlay(overlay);
788 } else {
789 this.removeOverlay(overlay);
790 }
791 },
792 addOverlay: function(overlay) {
793 var i = this._overlays.indexOf(overlay);
794 if (i >= 0) {
795 this._bringOverlayAtIndexToFront(i);
796 this.trackBackdrop();
797 return;
798 }
799 var insertionIndex = this._overlays.length;
800 var currentOverlay = this._overlays[insertionIndex - 1];
801 var minimumZ = Math.max(this._getZ(currentOverlay), this._minimumZ);
802 var newZ = this._getZ(overlay);
803 if (currentOverlay && this._shouldBeBehindOverlay(overlay, currentOverlay)) {
804 this._applyOverlayZ(currentOverlay, minimumZ);
805 insertionIndex--;
806 var previousOverlay = this._overlays[insertionIndex - 1];
807 minimumZ = Math.max(this._getZ(previousOverlay), this._minimumZ);
808 }
809 if (newZ <= minimumZ) {
810 this._applyOverlayZ(overlay, minimumZ);
811 }
812 this._overlays.splice(insertionIndex, 0, overlay);
813 this.trackBackdrop();
814 },
815 removeOverlay: function(overlay) {
816 var i = this._overlays.indexOf(overlay);
817 if (i === -1) {
818 return;
819 }
820 this._overlays.splice(i, 1);
821 this.trackBackdrop();
822 },
823 currentOverlay: function() {
824 var i = this._overlays.length - 1;
825 return this._overlays[i];
826 },
827 currentOverlayZ: function() {
828 return this._getZ(this.currentOverlay());
829 },
830 ensureMinimumZ: function(minimumZ) {
831 this._minimumZ = Math.max(this._minimumZ, minimumZ);
832 },
833 focusOverlay: function() {
834 var current = this.currentOverlay();
835 if (current) {
836 current._applyFocus();
837 }
838 },
839 trackBackdrop: function() {
840 var overlay = this._overlayWithBackdrop();
841 if (!overlay && !this._backdropElement) {
842 return;
843 }
844 this.backdropElement.style.zIndex = this._getZ(overlay) - 1;
845 this.backdropElement.opened = !!overlay;
846 },
847 getBackdrops: function() {
848 var backdrops = [];
849 for (var i = 0; i < this._overlays.length; i++) {
850 if (this._overlays[i].withBackdrop) {
851 backdrops.push(this._overlays[i]);
852 }
853 }
854 return backdrops;
855 },
856 backdropZ: function() {
857 return this._getZ(this._overlayWithBackdrop()) - 1;
858 },
859 _overlayWithBackdrop: function() {
860 for (var i = 0; i < this._overlays.length; i++) {
861 if (this._overlays[i].withBackdrop) {
862 return this._overlays[i];
863 }
864 }
865 },
866 _getZ: function(overlay) {
867 var z = this._minimumZ;
868 if (overlay) {
869 var z1 = Number(overlay.style.zIndex || window.getComputedStyle(overlay).z Index);
870 if (z1 === z1) {
871 z = z1;
872 }
873 }
874 return z;
875 },
876 _setZ: function(element, z) {
877 element.style.zIndex = z;
878 },
879 _applyOverlayZ: function(overlay, aboveZ) {
880 this._setZ(overlay, aboveZ + 2);
881 },
882 _overlayInPath: function(path) {
883 path = path || [];
884 for (var i = 0; i < path.length; i++) {
885 if (path[i]._manager === this) {
886 return path[i];
887 }
888 }
889 },
890 _onCaptureClick: function(event) {
891 var overlay = this.currentOverlay();
892 if (overlay && this._overlayInPath(Polymer.dom(event).path) !== overlay) {
893 overlay._onCaptureClick(event);
894 }
895 },
896 _onCaptureFocus: function(event) {
897 var overlay = this.currentOverlay();
898 if (overlay) {
899 overlay._onCaptureFocus(event);
900 }
901 },
902 _onCaptureKeyDown: function(event) {
903 var overlay = this.currentOverlay();
904 if (overlay) {
905 if (Polymer.IronA11yKeysBehavior.keyboardEventMatchesKeys(event, 'esc')) {
906 overlay._onCaptureEsc(event);
907 } else if (Polymer.IronA11yKeysBehavior.keyboardEventMatchesKeys(event, 't ab')) {
908 overlay._onCaptureTab(event);
909 }
910 }
911 },
912 _shouldBeBehindOverlay: function(overlay1, overlay2) {
913 return !overlay1.alwaysOnTop && overlay2.alwaysOnTop;
914 }
915 };
916
917 Polymer.IronOverlayManager = new Polymer.IronOverlayManagerClass();
918
919 (function() {
920 'use strict';
921 Polymer.IronOverlayBehaviorImpl = {
922 properties: {
923 opened: {
924 observer: '_openedChanged',
925 type: Boolean,
926 value: false,
927 notify: true
928 },
929 canceled: {
930 observer: '_canceledChanged',
931 readOnly: true,
932 type: Boolean,
933 value: false
934 },
935 withBackdrop: {
936 observer: '_withBackdropChanged',
937 type: Boolean
938 },
939 noAutoFocus: {
940 type: Boolean,
941 value: false
942 },
943 noCancelOnEscKey: {
944 type: Boolean,
945 value: false
946 },
947 noCancelOnOutsideClick: {
948 type: Boolean,
949 value: false
950 },
951 closingReason: {
952 type: Object
953 },
954 restoreFocusOnClose: {
955 type: Boolean,
956 value: false
957 },
958 alwaysOnTop: {
959 type: Boolean
960 },
961 _manager: {
962 type: Object,
963 value: Polymer.IronOverlayManager
964 },
965 _focusedChild: {
966 type: Object
967 }
968 },
969 listeners: {
970 'iron-resize': '_onIronResize'
971 },
972 get backdropElement() {
973 return this._manager.backdropElement;
974 },
975 get _focusNode() {
976 return this._focusedChild || Polymer.dom(this).querySelector('[autofocus]' ) || this;
977 },
978 get _focusableNodes() {
979 var FOCUSABLE_WITH_DISABLED = [ 'a[href]', 'area[href]', 'iframe', '[tabin dex]', '[contentEditable=true]' ];
980 var FOCUSABLE_WITHOUT_DISABLED = [ 'input', 'select', 'textarea', 'button' ];
981 var selector = FOCUSABLE_WITH_DISABLED.join(':not([tabindex="-1"]),') + ': not([tabindex="-1"]),' + FOCUSABLE_WITHOUT_DISABLED.join(':not([disabled]):not([ tabindex="-1"]),') + ':not([disabled]):not([tabindex="-1"])';
982 var focusables = Polymer.dom(this).querySelectorAll(selector);
983 if (this.tabIndex >= 0) {
984 focusables.splice(0, 0, this);
985 }
986 return focusables.sort(function(a, b) {
987 if (a.tabIndex === b.tabIndex) {
988 return 0;
989 }
990 if (a.tabIndex === 0 || a.tabIndex > b.tabIndex) {
991 return 1;
992 }
993 return -1;
994 });
995 },
996 ready: function() {
997 this.__isAnimating = false;
998 this.__shouldRemoveTabIndex = false;
999 this.__firstFocusableNode = this.__lastFocusableNode = null;
1000 this.__raf = null;
1001 this.__restoreFocusNode = null;
1002 this._ensureSetup();
1003 },
1004 attached: function() {
1005 if (this.opened) {
1006 this._openedChanged(this.opened);
1007 }
1008 this._observer = Polymer.dom(this).observeNodes(this._onNodesChange);
1009 },
1010 detached: function() {
1011 Polymer.dom(this).unobserveNodes(this._observer);
1012 this._observer = null;
1013 if (this.__raf) {
1014 window.cancelAnimationFrame(this.__raf);
1015 this.__raf = null;
1016 }
1017 this._manager.removeOverlay(this);
1018 },
1019 toggle: function() {
1020 this._setCanceled(false);
1021 this.opened = !this.opened;
1022 },
1023 open: function() {
1024 this._setCanceled(false);
1025 this.opened = true;
1026 },
1027 close: function() {
1028 this._setCanceled(false);
1029 this.opened = false;
1030 },
1031 cancel: function(event) {
1032 var cancelEvent = this.fire('iron-overlay-canceled', event, {
1033 cancelable: true
1034 });
1035 if (cancelEvent.defaultPrevented) {
1036 return;
1037 }
1038 this._setCanceled(true);
1039 this.opened = false;
1040 },
1041 _ensureSetup: function() {
1042 if (this._overlaySetup) {
1043 return;
1044 }
1045 this._overlaySetup = true;
1046 this.style.outline = 'none';
1047 this.style.display = 'none';
1048 },
1049 _openedChanged: function(opened) {
1050 if (opened) {
1051 this.removeAttribute('aria-hidden');
1052 } else {
1053 this.setAttribute('aria-hidden', 'true');
1054 }
1055 if (!this.isAttached) {
1056 return;
1057 }
1058 this.__isAnimating = true;
1059 this.__onNextAnimationFrame(this.__openedChanged);
1060 },
1061 _canceledChanged: function() {
1062 this.closingReason = this.closingReason || {};
1063 this.closingReason.canceled = this.canceled;
1064 },
1065 _withBackdropChanged: function() {
1066 if (this.withBackdrop && !this.hasAttribute('tabindex')) {
1067 this.setAttribute('tabindex', '-1');
1068 this.__shouldRemoveTabIndex = true;
1069 } else if (this.__shouldRemoveTabIndex) {
1070 this.removeAttribute('tabindex');
1071 this.__shouldRemoveTabIndex = false;
1072 }
1073 if (this.opened && this.isAttached) {
1074 this._manager.trackBackdrop();
1075 }
1076 },
1077 _prepareRenderOpened: function() {
1078 this.__restoreFocusNode = this._manager.deepActiveElement;
1079 this._preparePositioning();
1080 this.refit();
1081 this._finishPositioning();
1082 if (this.noAutoFocus && document.activeElement === this._focusNode) {
1083 this._focusNode.blur();
1084 this.__restoreFocusNode.focus();
1085 }
1086 },
1087 _renderOpened: function() {
1088 this._finishRenderOpened();
1089 },
1090 _renderClosed: function() {
1091 this._finishRenderClosed();
1092 },
1093 _finishRenderOpened: function() {
1094 this.notifyResize();
1095 this.__isAnimating = false;
1096 var focusableNodes = this._focusableNodes;
1097 this.__firstFocusableNode = focusableNodes[0];
1098 this.__lastFocusableNode = focusableNodes[focusableNodes.length - 1];
1099 this.fire('iron-overlay-opened');
1100 },
1101 _finishRenderClosed: function() {
1102 this.style.display = 'none';
1103 this.style.zIndex = '';
1104 this.notifyResize();
1105 this.__isAnimating = false;
1106 this.fire('iron-overlay-closed', this.closingReason);
1107 },
1108 _preparePositioning: function() {
1109 this.style.transition = this.style.webkitTransition = 'none';
1110 this.style.transform = this.style.webkitTransform = 'none';
1111 this.style.display = '';
1112 },
1113 _finishPositioning: function() {
1114 this.style.display = 'none';
1115 this.scrollTop = this.scrollTop;
1116 this.style.transition = this.style.webkitTransition = '';
1117 this.style.transform = this.style.webkitTransform = '';
1118 this.style.display = '';
1119 this.scrollTop = this.scrollTop;
1120 },
1121 _applyFocus: function() {
1122 if (this.opened) {
1123 if (!this.noAutoFocus) {
1124 this._focusNode.focus();
1125 }
1126 } else {
1127 this._focusNode.blur();
1128 this._focusedChild = null;
1129 if (this.restoreFocusOnClose && this.__restoreFocusNode) {
1130 this.__restoreFocusNode.focus();
1131 }
1132 this.__restoreFocusNode = null;
1133 var currentOverlay = this._manager.currentOverlay();
1134 if (currentOverlay && this !== currentOverlay) {
1135 currentOverlay._applyFocus();
1136 }
1137 }
1138 },
1139 _onCaptureClick: function(event) {
1140 if (!this.noCancelOnOutsideClick) {
1141 this.cancel(event);
1142 }
1143 },
1144 _onCaptureFocus: function(event) {
1145 if (!this.withBackdrop) {
1146 return;
1147 }
1148 var path = Polymer.dom(event).path;
1149 if (path.indexOf(this) === -1) {
1150 event.stopPropagation();
1151 this._applyFocus();
1152 } else {
1153 this._focusedChild = path[0];
1154 }
1155 },
1156 _onCaptureEsc: function(event) {
1157 if (!this.noCancelOnEscKey) {
1158 this.cancel(event);
1159 }
1160 },
1161 _onCaptureTab: function(event) {
1162 if (!this.withBackdrop) {
1163 return;
1164 }
1165 var shift = event.shiftKey;
1166 var nodeToCheck = shift ? this.__firstFocusableNode : this.__lastFocusable Node;
1167 var nodeToSet = shift ? this.__lastFocusableNode : this.__firstFocusableNo de;
1168 var shouldWrap = false;
1169 if (nodeToCheck === nodeToSet) {
1170 shouldWrap = true;
1171 } else {
1172 var focusedNode = this._manager.deepActiveElement;
1173 shouldWrap = focusedNode === nodeToCheck || focusedNode === this;
1174 }
1175 if (shouldWrap) {
1176 event.preventDefault();
1177 this._focusedChild = nodeToSet;
1178 this._applyFocus();
1179 }
1180 },
1181 _onIronResize: function() {
1182 if (this.opened && !this.__isAnimating) {
1183 this.__onNextAnimationFrame(this.refit);
1184 }
1185 },
1186 _onNodesChange: function() {
1187 if (this.opened && !this.__isAnimating) {
1188 this.notifyResize();
1189 }
1190 },
1191 __openedChanged: function() {
1192 if (this.opened) {
1193 this._prepareRenderOpened();
1194 this._manager.addOverlay(this);
1195 this._applyFocus();
1196 this._renderOpened();
1197 } else {
1198 this._manager.removeOverlay(this);
1199 this._applyFocus();
1200 this._renderClosed();
1201 }
1202 },
1203 __onNextAnimationFrame: function(callback) {
1204 if (this.__raf) {
1205 window.cancelAnimationFrame(this.__raf);
1206 }
1207 var self = this;
1208 this.__raf = window.requestAnimationFrame(function nextAnimationFrame() {
1209 self.__raf = null;
1210 callback.call(self);
1211 });
1212 }
1213 };
1214 Polymer.IronOverlayBehavior = [ Polymer.IronFitBehavior, Polymer.IronResizable Behavior, Polymer.IronOverlayBehaviorImpl ];
1215 })();
1216
1217 Polymer.NeonAnimatableBehavior = {
1218 properties: {
1219 animationConfig: {
1220 type: Object
1221 },
1222 entryAnimation: {
1223 observer: '_entryAnimationChanged',
1224 type: String
1225 },
1226 exitAnimation: {
1227 observer: '_exitAnimationChanged',
1228 type: String
1229 }
1230 },
1231 _entryAnimationChanged: function() {
1232 this.animationConfig = this.animationConfig || {};
1233 this.animationConfig['entry'] = [ {
1234 name: this.entryAnimation,
1235 node: this
1236 } ];
1237 },
1238 _exitAnimationChanged: function() {
1239 this.animationConfig = this.animationConfig || {};
1240 this.animationConfig['exit'] = [ {
1241 name: this.exitAnimation,
1242 node: this
1243 } ];
1244 },
1245 _copyProperties: function(config1, config2) {
1246 for (var property in config2) {
1247 config1[property] = config2[property];
1248 }
1249 },
1250 _cloneConfig: function(config) {
1251 var clone = {
1252 isClone: true
1253 };
1254 this._copyProperties(clone, config);
1255 return clone;
1256 },
1257 _getAnimationConfigRecursive: function(type, map, allConfigs) {
1258 if (!this.animationConfig) {
1259 return;
1260 }
1261 if (this.animationConfig.value && typeof this.animationConfig.value === 'fun ction') {
1262 this._warn(this._logf('playAnimation', "Please put 'animationConfig' insid e of your components 'properties' object instead of outside of it."));
1263 return;
1264 }
1265 var thisConfig;
1266 if (type) {
1267 thisConfig = this.animationConfig[type];
1268 } else {
1269 thisConfig = this.animationConfig;
1270 }
1271 if (!Array.isArray(thisConfig)) {
1272 thisConfig = [ thisConfig ];
1273 }
1274 if (thisConfig) {
1275 for (var config, index = 0; config = thisConfig[index]; index++) {
1276 if (config.animatable) {
1277 config.animatable._getAnimationConfigRecursive(config.type || type, ma p, allConfigs);
1278 } else {
1279 if (config.id) {
1280 var cachedConfig = map[config.id];
1281 if (cachedConfig) {
1282 if (!cachedConfig.isClone) {
1283 map[config.id] = this._cloneConfig(cachedConfig);
1284 cachedConfig = map[config.id];
1285 }
1286 this._copyProperties(cachedConfig, config);
1287 } else {
1288 map[config.id] = config;
1289 }
1290 } else {
1291 allConfigs.push(config);
1292 }
1293 }
1294 }
1295 }
1296 },
1297 getAnimationConfig: function(type) {
1298 var map = {};
1299 var allConfigs = [];
1300 this._getAnimationConfigRecursive(type, map, allConfigs);
1301 for (var key in map) {
1302 allConfigs.push(map[key]);
1303 }
1304 return allConfigs;
1305 }
1306 };
1307
1308 Polymer.NeonAnimationRunnerBehaviorImpl = {
1309 _configureAnimations: function(configs) {
1310 var results = [];
1311 if (configs.length > 0) {
1312 for (var config, index = 0; config = configs[index]; index++) {
1313 var neonAnimation = document.createElement(config.name);
1314 if (neonAnimation.isNeonAnimation) {
1315 var result = null;
1316 try {
1317 result = neonAnimation.configure(config);
1318 if (typeof result.cancel != 'function') {
1319 result = document.timeline.play(result);
1320 }
1321 } catch (e) {
1322 result = null;
1323 console.warn('Couldnt play', '(', config.name, ').', e);
1324 }
1325 if (result) {
1326 results.push({
1327 neonAnimation: neonAnimation,
1328 config: config,
1329 animation: result
1330 });
1331 }
1332 } else {
1333 console.warn(this.is + ':', config.name, 'not found!');
1334 }
1335 }
1336 }
1337 return results;
1338 },
1339 _shouldComplete: function(activeEntries) {
1340 var finished = true;
1341 for (var i = 0; i < activeEntries.length; i++) {
1342 if (activeEntries[i].animation.playState != 'finished') {
1343 finished = false;
1344 break;
1345 }
1346 }
1347 return finished;
1348 },
1349 _complete: function(activeEntries) {
1350 for (var i = 0; i < activeEntries.length; i++) {
1351 activeEntries[i].neonAnimation.complete(activeEntries[i].config);
1352 }
1353 for (var i = 0; i < activeEntries.length; i++) {
1354 activeEntries[i].animation.cancel();
1355 }
1356 },
1357 playAnimation: function(type, cookie) {
1358 var configs = this.getAnimationConfig(type);
1359 if (!configs) {
1360 return;
1361 }
1362 this._active = this._active || {};
1363 if (this._active[type]) {
1364 this._complete(this._active[type]);
1365 delete this._active[type];
1366 }
1367 var activeEntries = this._configureAnimations(configs);
1368 if (activeEntries.length == 0) {
1369 this.fire('neon-animation-finish', cookie, {
1370 bubbles: false
1371 });
1372 return;
1373 }
1374 this._active[type] = activeEntries;
1375 for (var i = 0; i < activeEntries.length; i++) {
1376 activeEntries[i].animation.onfinish = function() {
1377 if (this._shouldComplete(activeEntries)) {
1378 this._complete(activeEntries);
1379 delete this._active[type];
1380 this.fire('neon-animation-finish', cookie, {
1381 bubbles: false
1382 });
1383 }
1384 }.bind(this);
1385 }
1386 },
1387 cancelAnimation: function() {
1388 for (var k in this._animations) {
1389 this._animations[k].cancel();
1390 }
1391 this._animations = {};
1392 }
1393 };
1394
1395 Polymer.NeonAnimationRunnerBehavior = [ Polymer.NeonAnimatableBehavior, Polymer. NeonAnimationRunnerBehaviorImpl ];
1396
1397 Polymer.NeonAnimationBehavior = {
1398 properties: {
1399 animationTiming: {
1400 type: Object,
1401 value: function() {
1402 return {
1403 duration: 500,
1404 easing: 'cubic-bezier(0.4, 0, 0.2, 1)',
1405 fill: 'both'
1406 };
1407 }
1408 }
1409 },
1410 isNeonAnimation: true,
1411 timingFromConfig: function(config) {
1412 if (config.timing) {
1413 for (var property in config.timing) {
1414 this.animationTiming[property] = config.timing[property];
1415 }
1416 }
1417 return this.animationTiming;
1418 },
1419 setPrefixedProperty: function(node, property, value) {
1420 var map = {
1421 transform: [ 'webkitTransform' ],
1422 transformOrigin: [ 'mozTransformOrigin', 'webkitTransformOrigin' ]
1423 };
1424 var prefixes = map[property];
1425 for (var prefix, index = 0; prefix = prefixes[index]; index++) {
1426 node.style[prefix] = value;
1427 }
1428 node.style[property] = value;
1429 },
1430 complete: function() {}
1431 };
1432
1433 Polymer({
1434 is: 'opaque-animation',
1435 behaviors: [ Polymer.NeonAnimationBehavior ],
1436 configure: function(config) {
1437 var node = config.node;
1438 this._effect = new KeyframeEffect(node, [ {
1439 opacity: '1'
1440 }, {
1441 opacity: '1'
1442 } ], this.timingFromConfig(config));
1443 node.style.opacity = '0';
1444 return this._effect;
1445 },
1446 complete: function(config) {
1447 config.node.style.opacity = '';
1448 }
1449 });
1450
1451 (function() {
1452 'use strict';
1453 var LAST_TOUCH_POSITION = {
1454 pageX: 0,
1455 pageY: 0
1456 };
1457 var ROOT_TARGET = null;
1458 var SCROLLABLE_NODES = [];
1459 Polymer.IronDropdownScrollManager = {
1460 get currentLockingElement() {
1461 return this._lockingElements[this._lockingElements.length - 1];
1462 },
1463 elementIsScrollLocked: function(element) {
1464 var currentLockingElement = this.currentLockingElement;
1465 if (currentLockingElement === undefined) return false;
1466 var scrollLocked;
1467 if (this._hasCachedLockedElement(element)) {
1468 return true;
1469 }
1470 if (this._hasCachedUnlockedElement(element)) {
1471 return false;
1472 }
1473 scrollLocked = !!currentLockingElement && currentLockingElement !== elemen t && !this._composedTreeContains(currentLockingElement, element);
1474 if (scrollLocked) {
1475 this._lockedElementCache.push(element);
1476 } else {
1477 this._unlockedElementCache.push(element);
1478 }
1479 return scrollLocked;
1480 },
1481 pushScrollLock: function(element) {
1482 if (this._lockingElements.indexOf(element) >= 0) {
1483 return;
1484 }
1485 if (this._lockingElements.length === 0) {
1486 this._lockScrollInteractions();
1487 }
1488 this._lockingElements.push(element);
1489 this._lockedElementCache = [];
1490 this._unlockedElementCache = [];
1491 },
1492 removeScrollLock: function(element) {
1493 var index = this._lockingElements.indexOf(element);
1494 if (index === -1) {
1495 return;
1496 }
1497 this._lockingElements.splice(index, 1);
1498 this._lockedElementCache = [];
1499 this._unlockedElementCache = [];
1500 if (this._lockingElements.length === 0) {
1501 this._unlockScrollInteractions();
1502 }
1503 },
1504 _lockingElements: [],
1505 _lockedElementCache: null,
1506 _unlockedElementCache: null,
1507 _hasCachedLockedElement: function(element) {
1508 return this._lockedElementCache.indexOf(element) > -1;
1509 },
1510 _hasCachedUnlockedElement: function(element) {
1511 return this._unlockedElementCache.indexOf(element) > -1;
1512 },
1513 _composedTreeContains: function(element, child) {
1514 var contentElements;
1515 var distributedNodes;
1516 var contentIndex;
1517 var nodeIndex;
1518 if (element.contains(child)) {
1519 return true;
1520 }
1521 contentElements = Polymer.dom(element).querySelectorAll('content');
1522 for (contentIndex = 0; contentIndex < contentElements.length; ++contentInd ex) {
1523 distributedNodes = Polymer.dom(contentElements[contentIndex]).getDistrib utedNodes();
1524 for (nodeIndex = 0; nodeIndex < distributedNodes.length; ++nodeIndex) {
1525 if (this._composedTreeContains(distributedNodes[nodeIndex], child)) {
1526 return true;
1527 }
1528 }
1529 }
1530 return false;
1531 },
1532 _scrollInteractionHandler: function(event) {
1533 if (event.cancelable && this._shouldPreventScrolling(event)) {
1534 event.preventDefault();
1535 }
1536 if (event.targetTouches) {
1537 var touch = event.targetTouches[0];
1538 LAST_TOUCH_POSITION.pageX = touch.pageX;
1539 LAST_TOUCH_POSITION.pageY = touch.pageY;
1540 }
1541 },
1542 _lockScrollInteractions: function() {
1543 this._boundScrollHandler = this._boundScrollHandler || this._scrollInterac tionHandler.bind(this);
1544 document.addEventListener('wheel', this._boundScrollHandler, true);
1545 document.addEventListener('mousewheel', this._boundScrollHandler, true);
1546 document.addEventListener('DOMMouseScroll', this._boundScrollHandler, true );
1547 document.addEventListener('touchstart', this._boundScrollHandler, true);
1548 document.addEventListener('touchmove', this._boundScrollHandler, true);
1549 },
1550 _unlockScrollInteractions: function() {
1551 document.removeEventListener('wheel', this._boundScrollHandler, true);
1552 document.removeEventListener('mousewheel', this._boundScrollHandler, true) ;
1553 document.removeEventListener('DOMMouseScroll', this._boundScrollHandler, t rue);
1554 document.removeEventListener('touchstart', this._boundScrollHandler, true) ;
1555 document.removeEventListener('touchmove', this._boundScrollHandler, true);
1556 },
1557 _shouldPreventScrolling: function(event) {
1558 var target = Polymer.dom(event).rootTarget;
1559 if (event.type !== 'touchmove' && ROOT_TARGET !== target) {
1560 ROOT_TARGET = target;
1561 SCROLLABLE_NODES = this._getScrollableNodes(Polymer.dom(event).path);
1562 }
1563 if (!SCROLLABLE_NODES.length) {
1564 return true;
1565 }
1566 if (event.type === 'touchstart') {
1567 return false;
1568 }
1569 var info = this._getScrollInfo(event);
1570 return !this._getScrollingNode(SCROLLABLE_NODES, info.deltaX, info.deltaY) ;
1571 },
1572 _getScrollableNodes: function(nodes) {
1573 var scrollables = [];
1574 var lockingIndex = nodes.indexOf(this.currentLockingElement);
1575 for (var i = 0; i <= lockingIndex; i++) {
1576 var node = nodes[i];
1577 if (node.nodeType === 11) {
1578 continue;
1579 }
1580 var style = node.style;
1581 if (style.overflow !== 'scroll' && style.overflow !== 'auto') {
1582 style = window.getComputedStyle(node);
1583 }
1584 if (style.overflow === 'scroll' || style.overflow === 'auto') {
1585 scrollables.push(node);
1586 }
1587 }
1588 return scrollables;
1589 },
1590 _getScrollingNode: function(nodes, deltaX, deltaY) {
1591 if (!deltaX && !deltaY) {
1592 return;
1593 }
1594 var verticalScroll = Math.abs(deltaY) >= Math.abs(deltaX);
1595 for (var i = 0; i < nodes.length; i++) {
1596 var node = nodes[i];
1597 var canScroll = false;
1598 if (verticalScroll) {
1599 canScroll = deltaY < 0 ? node.scrollTop > 0 : node.scrollTop < node.sc rollHeight - node.clientHeight;
1600 } else {
1601 canScroll = deltaX < 0 ? node.scrollLeft > 0 : node.scrollLeft < node. scrollWidth - node.clientWidth;
1602 }
1603 if (canScroll) {
1604 return node;
1605 }
1606 }
1607 },
1608 _getScrollInfo: function(event) {
1609 var info = {
1610 deltaX: event.deltaX,
1611 deltaY: event.deltaY
1612 };
1613 if ('deltaX' in event) {} else if ('wheelDeltaX' in event) {
1614 info.deltaX = -event.wheelDeltaX;
1615 info.deltaY = -event.wheelDeltaY;
1616 } else if ('axis' in event) {
1617 info.deltaX = event.axis === 1 ? event.detail : 0;
1618 info.deltaY = event.axis === 2 ? event.detail : 0;
1619 } else if (event.targetTouches) {
1620 var touch = event.targetTouches[0];
1621 info.deltaX = LAST_TOUCH_POSITION.pageX - touch.pageX;
1622 info.deltaY = LAST_TOUCH_POSITION.pageY - touch.pageY;
1623 }
1624 return info;
1625 }
1626 };
1627 })();
1628
1629 (function() {
1630 'use strict';
1631 Polymer({
1632 is: 'iron-dropdown',
1633 behaviors: [ Polymer.IronControlState, Polymer.IronA11yKeysBehavior, Polymer .IronOverlayBehavior, Polymer.NeonAnimationRunnerBehavior ],
1634 properties: {
1635 horizontalAlign: {
1636 type: String,
1637 value: 'left',
1638 reflectToAttribute: true
1639 },
1640 verticalAlign: {
1641 type: String,
1642 value: 'top',
1643 reflectToAttribute: true
1644 },
1645 openAnimationConfig: {
1646 type: Object
1647 },
1648 closeAnimationConfig: {
1649 type: Object
1650 },
1651 focusTarget: {
1652 type: Object
1653 },
1654 noAnimations: {
1655 type: Boolean,
1656 value: false
1657 },
1658 allowOutsideScroll: {
1659 type: Boolean,
1660 value: false
1661 },
1662 _boundOnCaptureScroll: {
1663 type: Function,
1664 value: function() {
1665 return this._onCaptureScroll.bind(this);
1666 }
1667 }
1668 },
1669 listeners: {
1670 'neon-animation-finish': '_onNeonAnimationFinish'
1671 },
1672 observers: [ '_updateOverlayPosition(positionTarget, verticalAlign, horizont alAlign, verticalOffset, horizontalOffset)' ],
1673 get containedElement() {
1674 return Polymer.dom(this.$.content).getDistributedNodes()[0];
1675 },
1676 get _focusTarget() {
1677 return this.focusTarget || this.containedElement;
1678 },
1679 ready: function() {
1680 this._scrollTop = 0;
1681 this._scrollLeft = 0;
1682 this._refitOnScrollRAF = null;
1683 },
1684 attached: function() {
1685 if (!this.sizingTarget || this.sizingTarget === this) {
1686 this.sizingTarget = this.containedElement;
1687 }
1688 },
1689 detached: function() {
1690 this.cancelAnimation();
1691 document.removeEventListener('scroll', this._boundOnCaptureScroll);
1692 Polymer.IronDropdownScrollManager.removeScrollLock(this);
1693 },
1694 _openedChanged: function() {
1695 if (this.opened && this.disabled) {
1696 this.cancel();
1697 } else {
1698 this.cancelAnimation();
1699 this._updateAnimationConfig();
1700 this._saveScrollPosition();
1701 if (this.opened) {
1702 document.addEventListener('scroll', this._boundOnCaptureScroll);
1703 !this.allowOutsideScroll && Polymer.IronDropdownScrollManager.pushScro llLock(this);
1704 } else {
1705 document.removeEventListener('scroll', this._boundOnCaptureScroll);
1706 Polymer.IronDropdownScrollManager.removeScrollLock(this);
1707 }
1708 Polymer.IronOverlayBehaviorImpl._openedChanged.apply(this, arguments);
1709 }
1710 },
1711 _renderOpened: function() {
1712 if (!this.noAnimations && this.animationConfig.open) {
1713 this.$.contentWrapper.classList.add('animating');
1714 this.playAnimation('open');
1715 } else {
1716 Polymer.IronOverlayBehaviorImpl._renderOpened.apply(this, arguments);
1717 }
1718 },
1719 _renderClosed: function() {
1720 if (!this.noAnimations && this.animationConfig.close) {
1721 this.$.contentWrapper.classList.add('animating');
1722 this.playAnimation('close');
1723 } else {
1724 Polymer.IronOverlayBehaviorImpl._renderClosed.apply(this, arguments);
1725 }
1726 },
1727 _onNeonAnimationFinish: function() {
1728 this.$.contentWrapper.classList.remove('animating');
1729 if (this.opened) {
1730 this._finishRenderOpened();
1731 } else {
1732 this._finishRenderClosed();
1733 }
1734 },
1735 _onCaptureScroll: function() {
1736 if (!this.allowOutsideScroll) {
1737 this._restoreScrollPosition();
1738 } else {
1739 this._refitOnScrollRAF && window.cancelAnimationFrame(this._refitOnScrol lRAF);
1740 this._refitOnScrollRAF = window.requestAnimationFrame(this.refit.bind(th is));
1741 }
1742 },
1743 _saveScrollPosition: function() {
1744 if (document.scrollingElement) {
1745 this._scrollTop = document.scrollingElement.scrollTop;
1746 this._scrollLeft = document.scrollingElement.scrollLeft;
1747 } else {
1748 this._scrollTop = Math.max(document.documentElement.scrollTop, document. body.scrollTop);
1749 this._scrollLeft = Math.max(document.documentElement.scrollLeft, documen t.body.scrollLeft);
1750 }
1751 },
1752 _restoreScrollPosition: function() {
1753 if (document.scrollingElement) {
1754 document.scrollingElement.scrollTop = this._scrollTop;
1755 document.scrollingElement.scrollLeft = this._scrollLeft;
1756 } else {
1757 document.documentElement.scrollTop = this._scrollTop;
1758 document.documentElement.scrollLeft = this._scrollLeft;
1759 document.body.scrollTop = this._scrollTop;
1760 document.body.scrollLeft = this._scrollLeft;
1761 }
1762 },
1763 _updateAnimationConfig: function() {
1764 var animations = (this.openAnimationConfig || []).concat(this.closeAnimati onConfig || []);
1765 for (var i = 0; i < animations.length; i++) {
1766 animations[i].node = this.containedElement;
1767 }
1768 this.animationConfig = {
1769 open: this.openAnimationConfig,
1770 close: this.closeAnimationConfig
1771 };
1772 },
1773 _updateOverlayPosition: function() {
1774 if (this.isAttached) {
1775 this.notifyResize();
1776 }
1777 },
1778 _applyFocus: function() {
1779 var focusTarget = this.focusTarget || this.containedElement;
1780 if (focusTarget && this.opened && !this.noAutoFocus) {
1781 focusTarget.focus();
1782 } else {
1783 Polymer.IronOverlayBehaviorImpl._applyFocus.apply(this, arguments);
1784 }
1785 }
1786 });
1787 })();
1788
1789 Polymer({
1790 is: 'fade-in-animation',
1791 behaviors: [ Polymer.NeonAnimationBehavior ],
1792 configure: function(config) {
1793 var node = config.node;
1794 this._effect = new KeyframeEffect(node, [ {
1795 opacity: '0'
1796 }, {
1797 opacity: '1'
1798 } ], this.timingFromConfig(config));
1799 return this._effect;
1800 }
1801 });
1802
1803 Polymer({
1804 is: 'fade-out-animation',
1805 behaviors: [ Polymer.NeonAnimationBehavior ],
1806 configure: function(config) {
1807 var node = config.node;
1808 this._effect = new KeyframeEffect(node, [ {
1809 opacity: '1'
1810 }, {
1811 opacity: '0'
1812 } ], this.timingFromConfig(config));
1813 return this._effect;
1814 }
1815 });
1816
1817 Polymer({
1818 is: 'paper-menu-grow-height-animation',
1819 behaviors: [ Polymer.NeonAnimationBehavior ],
1820 configure: function(config) {
1821 var node = config.node;
1822 var rect = node.getBoundingClientRect();
1823 var height = rect.height;
1824 this._effect = new KeyframeEffect(node, [ {
1825 height: height / 2 + 'px'
1826 }, {
1827 height: height + 'px'
1828 } ], this.timingFromConfig(config));
1829 return this._effect;
1830 }
1831 });
1832
1833 Polymer({
1834 is: 'paper-menu-grow-width-animation',
1835 behaviors: [ Polymer.NeonAnimationBehavior ],
1836 configure: function(config) {
1837 var node = config.node;
1838 var rect = node.getBoundingClientRect();
1839 var width = rect.width;
1840 this._effect = new KeyframeEffect(node, [ {
1841 width: width / 2 + 'px'
1842 }, {
1843 width: width + 'px'
1844 } ], this.timingFromConfig(config));
1845 return this._effect;
1846 }
1847 });
1848
1849 Polymer({
1850 is: 'paper-menu-shrink-width-animation',
1851 behaviors: [ Polymer.NeonAnimationBehavior ],
1852 configure: function(config) {
1853 var node = config.node;
1854 var rect = node.getBoundingClientRect();
1855 var width = rect.width;
1856 this._effect = new KeyframeEffect(node, [ {
1857 width: width + 'px'
1858 }, {
1859 width: width - width / 20 + 'px'
1860 } ], this.timingFromConfig(config));
1861 return this._effect;
1862 }
1863 });
1864
1865 Polymer({
1866 is: 'paper-menu-shrink-height-animation',
1867 behaviors: [ Polymer.NeonAnimationBehavior ],
1868 configure: function(config) {
1869 var node = config.node;
1870 var rect = node.getBoundingClientRect();
1871 var height = rect.height;
1872 var top = rect.top;
1873 this.setPrefixedProperty(node, 'transformOrigin', '0 0');
1874 this._effect = new KeyframeEffect(node, [ {
1875 height: height + 'px',
1876 transform: 'translateY(0)'
1877 }, {
1878 height: height / 2 + 'px',
1879 transform: 'translateY(-20px)'
1880 } ], this.timingFromConfig(config));
1881 return this._effect;
1882 }
1883 });
1884
1885 // Copyright 2016 The Chromium Authors. All rights reserved.
1886 // Use of this source code is governed by a BSD-style license that can be
1887 // found in the LICENSE file.
1888 var SLIDE_CUBIC_BEZIER = 'cubic-bezier(0.3, 0.95, 0.5, 1)';
1889
1890 Polymer({
1891 is: 'cr-shared-menu',
1892 behaviors: [ Polymer.IronA11yKeysBehavior ],
1893 properties: {
1894 menuOpen: {
1895 type: Boolean,
1896 observer: 'menuOpenChanged_',
1897 value: false,
1898 notify: true
1899 },
1900 itemData: {
1901 type: Object,
1902 value: null
1903 },
1904 keyEventTarget: {
1905 type: Object,
1906 value: function() {
1907 return this.$.menu;
1908 }
1909 },
1910 openAnimationConfig: {
1911 type: Object,
1912 value: function() {
1913 return [ {
1914 name: 'fade-in-animation',
1915 timing: {
1916 delay: 50,
1917 duration: 200
1918 }
1919 }, {
1920 name: 'paper-menu-grow-width-animation',
1921 timing: {
1922 delay: 50,
1923 duration: 150,
1924 easing: SLIDE_CUBIC_BEZIER
1925 }
1926 }, {
1927 name: 'paper-menu-grow-height-animation',
1928 timing: {
1929 delay: 100,
1930 duration: 275,
1931 easing: SLIDE_CUBIC_BEZIER
1932 }
1933 } ];
1934 }
1935 },
1936 closeAnimationConfig: {
1937 type: Object,
1938 value: function() {
1939 return [ {
1940 name: 'fade-out-animation',
1941 timing: {
1942 duration: 150
1943 }
1944 } ];
1945 }
1946 }
1947 },
1948 keyBindings: {
1949 tab: 'onTabPressed_'
1950 },
1951 listeners: {
1952 'dropdown.iron-overlay-canceled': 'onOverlayCanceled_'
1953 },
1954 lastAnchor_: null,
1955 firstFocus_: null,
1956 lastFocus_: null,
1957 attached: function() {
1958 window.addEventListener('resize', this.closeMenu.bind(this));
1959 },
1960 closeMenu: function() {
1961 if (this.root.activeElement == null) {
1962 this.$.dropdown.restoreFocusOnClose = false;
1963 }
1964 this.menuOpen = false;
1965 },
1966 openMenu: function(anchor, opt_itemData) {
1967 if (this.lastAnchor_ == anchor && this.menuOpen) return;
1968 if (this.menuOpen) this.closeMenu();
1969 this.itemData = opt_itemData || null;
1970 this.lastAnchor_ = anchor;
1971 this.$.dropdown.restoreFocusOnClose = true;
1972 var focusableChildren = Polymer.dom(this).querySelectorAll('[tabindex]:not([ disabled]):not([hidden]),' + 'button:not([disabled]):not([hidden])');
1973 if (focusableChildren.length > 0) {
1974 this.$.dropdown.focusTarget = focusableChildren[0];
1975 this.firstFocus_ = focusableChildren[0];
1976 this.lastFocus_ = focusableChildren[focusableChildren.length - 1];
1977 }
1978 this.$.dropdown.positionTarget = anchor;
1979 this.menuOpen = true;
1980 },
1981 toggleMenu: function(anchor, opt_itemData) {
1982 if (anchor == this.lastAnchor_ && this.menuOpen) this.closeMenu(); else this .openMenu(anchor, opt_itemData);
1983 },
1984 onTabPressed_: function(e) {
1985 if (!this.firstFocus_ || !this.lastFocus_) return;
1986 var toFocus;
1987 var keyEvent = e.detail.keyboardEvent;
1988 if (keyEvent.shiftKey && keyEvent.target == this.firstFocus_) toFocus = this .lastFocus_; else if (!keyEvent.shiftKey && keyEvent.target == this.lastFocus_) toFocus = this.firstFocus_;
1989 if (!toFocus) return;
1990 e.preventDefault();
1991 toFocus.focus();
1992 },
1993 menuOpenChanged_: function() {
1994 if (!this.menuOpen) {
1995 this.itemData = null;
1996 this.lastAnchor_ = null;
1997 }
1998 },
1999 onOverlayCanceled_: function(e) {
2000 if (e.detail.type == 'tap') this.$.dropdown.restoreFocusOnClose = false;
2001 }
2002 });
2003
2004 Polymer({
2005 is: 'paper-icon-button-light',
2006 "extends": 'button',
2007 behaviors: [ Polymer.PaperRippleBehavior ],
2008 listeners: {
2009 down: '_rippleDown',
2010 up: '_rippleUp',
2011 focus: '_rippleDown',
2012 blur: '_rippleUp'
2013 },
2014 _rippleDown: function() {
2015 this.getRipple().downAction();
2016 },
2017 _rippleUp: function() {
2018 this.getRipple().upAction();
2019 },
2020 ensureRipple: function(var_args) {
2021 var lastRipple = this._ripple;
2022 Polymer.PaperRippleBehavior.ensureRipple.apply(this, arguments);
2023 if (this._ripple && this._ripple !== lastRipple) {
2024 this._ripple.center = true;
2025 this._ripple.classList.add('circle');
2026 }
2027 }
2028 });
2029
2030 // Copyright 2016 The Chromium Authors. All rights reserved.
2031 // Use of this source code is governed by a BSD-style license that can be
2032 // found in the LICENSE file.
2033 Polymer({
2034 is: 'history-synced-device-card',
2035 properties: {
2036 device: String,
2037 lastUpdateTime: String,
2038 tabs: {
2039 type: Array,
2040 value: function() {
2041 return [];
2042 },
2043 observer: 'updateIcons_'
2044 },
2045 separatorIndexes: Array,
2046 opened: Boolean,
2047 searchTerm: String,
2048 sessionTag: String
2049 },
2050 openTab_: function(e) {
2051 var tab = e.model.tab;
2052 var browserService = md_history.BrowserService.getInstance();
2053 browserService.recordHistogram(SYNCED_TABS_HISTOGRAM_NAME, SyncedTabsHistogr am.LINK_CLICKED, SyncedTabsHistogram.LIMIT);
2054 browserService.openForeignSessionTab(this.sessionTag, tab.windowId, tab.sess ionId, e);
2055 e.preventDefault();
2056 },
2057 toggleTabCard: function() {
2058 var histogramValue = this.$.collapse.opened ? SyncedTabsHistogram.COLLAPSE_S ESSION : SyncedTabsHistogram.EXPAND_SESSION;
2059 md_history.BrowserService.getInstance().recordHistogram(SYNCED_TABS_HISTOGRA M_NAME, histogramValue, SyncedTabsHistogram.LIMIT);
2060 this.$.collapse.toggle();
2061 this.$['dropdown-indicator'].icon = this.$.collapse.opened ? 'cr:expand-less ' : 'cr:expand-more';
2062 },
2063 updateIcons_: function() {
2064 this.async(function() {
2065 var icons = Polymer.dom(this.root).querySelectorAll('.website-icon');
2066 for (var i = 0; i < this.tabs.length; i++) {
2067 icons[i].style.backgroundImage = cr.icon.getFavicon(this.tabs[i].url);
2068 }
2069 });
2070 },
2071 isWindowSeparatorIndex_: function(index, separatorIndexes) {
2072 return this.separatorIndexes.indexOf(index) != -1;
2073 },
2074 getCollapseIcon_: function(opened) {
2075 return opened ? 'cr:expand-less' : 'cr:expand-more';
2076 },
2077 getCollapseTitle_: function(opened) {
2078 return opened ? loadTimeData.getString('collapseSessionButton') : loadTimeDa ta.getString('expandSessionButton');
2079 },
2080 onMenuButtonTap_: function(e) {
2081 this.fire('toggle-menu', {
2082 target: Polymer.dom(e).localTarget,
2083 tag: this.sessionTag
2084 });
2085 e.stopPropagation();
2086 },
2087 onLinkRightClick_: function() {
2088 md_history.BrowserService.getInstance().recordHistogram(SYNCED_TABS_HISTOGRA M_NAME, SyncedTabsHistogram.LINK_RIGHT_CLICKED, SyncedTabsHistogram.LIMIT);
2089 }
2090 });
2091
2092 // Copyright 2016 The Chromium Authors. All rights reserved.
2093 // Use of this source code is governed by a BSD-style license that can be
2094 // found in the LICENSE file.
2095 var ForeignDeviceInternal;
2096
2097 Polymer({
2098 is: 'history-synced-device-manager',
2099 properties: {
2100 sessionList: {
2101 type: Array,
2102 observer: 'updateSyncedDevices'
2103 },
2104 searchTerm: {
2105 type: String,
2106 observer: 'searchTermChanged'
2107 },
2108 syncedDevices_: {
2109 type: Array,
2110 value: function() {
2111 return [];
2112 }
2113 },
2114 signInState: {
2115 type: Boolean,
2116 observer: 'signInStateChanged_'
2117 },
2118 guestSession_: {
2119 type: Boolean,
2120 value: loadTimeData.getBoolean('isGuestSession')
2121 },
2122 fetchingSyncedTabs_: {
2123 type: Boolean,
2124 value: false
2125 },
2126 hasSeenForeignData_: Boolean
2127 },
2128 listeners: {
2129 'toggle-menu': 'onToggleMenu_',
2130 scroll: 'onListScroll_'
2131 },
2132 attached: function() {
2133 chrome.send('otherDevicesInitialized');
2134 md_history.BrowserService.getInstance().recordHistogram(SYNCED_TABS_HISTOGRA M_NAME, SyncedTabsHistogram.INITIALIZED, SyncedTabsHistogram.LIMIT);
2135 },
2136 getContentScrollTarget: function() {
2137 return this;
2138 },
2139 createInternalDevice_: function(session) {
2140 var tabs = [];
2141 var separatorIndexes = [];
2142 for (var i = 0; i < session.windows.length; i++) {
2143 var windowId = session.windows[i].sessionId;
2144 var newTabs = session.windows[i].tabs;
2145 if (newTabs.length == 0) continue;
2146 newTabs.forEach(function(tab) {
2147 tab.windowId = windowId;
2148 });
2149 var windowAdded = false;
2150 if (!this.searchTerm) {
2151 tabs = tabs.concat(newTabs);
2152 windowAdded = true;
2153 } else {
2154 var searchText = this.searchTerm.toLowerCase();
2155 for (var j = 0; j < newTabs.length; j++) {
2156 var tab = newTabs[j];
2157 if (tab.title.toLowerCase().indexOf(searchText) != -1) {
2158 tabs.push(tab);
2159 windowAdded = true;
2160 }
2161 }
2162 }
2163 if (windowAdded && i != session.windows.length - 1) separatorIndexes.push( tabs.length - 1);
2164 }
2165 return {
2166 device: session.name,
2167 lastUpdateTime: '– ' + session.modifiedTime,
2168 opened: true,
2169 separatorIndexes: separatorIndexes,
2170 timestamp: session.timestamp,
2171 tabs: tabs,
2172 tag: session.tag
2173 };
2174 },
2175 onSignInTap_: function() {
2176 chrome.send('startSignInFlow');
2177 },
2178 onListScroll_: function() {
2179 var menu = this.$.menu.getIfExists();
2180 if (menu) menu.closeMenu();
2181 },
2182 onToggleMenu_: function(e) {
2183 var menu = this.$.menu.get();
2184 menu.toggleMenu(e.detail.target, e.detail.tag);
2185 if (menu.menuOpen) {
2186 md_history.BrowserService.getInstance().recordHistogram(SYNCED_TABS_HISTOG RAM_NAME, SyncedTabsHistogram.SHOW_SESSION_MENU, SyncedTabsHistogram.LIMIT);
2187 }
2188 },
2189 onOpenAllTap_: function() {
2190 var menu = assert(this.$.menu.getIfExists());
2191 var browserService = md_history.BrowserService.getInstance();
2192 browserService.recordHistogram(SYNCED_TABS_HISTOGRAM_NAME, SyncedTabsHistogr am.OPEN_ALL, SyncedTabsHistogram.LIMIT);
2193 browserService.openForeignSessionAllTabs(menu.itemData);
2194 menu.closeMenu();
2195 },
2196 onDeleteSessionTap_: function() {
2197 var menu = assert(this.$.menu.getIfExists());
2198 var browserService = md_history.BrowserService.getInstance();
2199 browserService.recordHistogram(SYNCED_TABS_HISTOGRAM_NAME, SyncedTabsHistogr am.HIDE_FOR_NOW, SyncedTabsHistogram.LIMIT);
2200 browserService.deleteForeignSession(menu.itemData);
2201 menu.closeMenu();
2202 },
2203 clearDisplayedSyncedDevices_: function() {
2204 this.syncedDevices_ = [];
2205 },
2206 showNoSyncedMessage: function(signInState, syncedDevicesLength, guestSession) {
2207 if (guestSession) return true;
2208 return signInState && syncedDevicesLength == 0;
2209 },
2210 showSignInGuide: function(signInState, guestSession) {
2211 var show = !signInState && !guestSession;
2212 if (show) {
2213 md_history.BrowserService.getInstance().recordAction('Signin_Impression_Fr omRecentTabs');
2214 }
2215 return show;
2216 },
2217 noSyncedTabsMessage: function(fetchingSyncedTabs) {
2218 return loadTimeData.getString(fetchingSyncedTabs ? 'loading' : 'noSyncedResu lts');
2219 },
2220 updateSyncedDevices: function(sessionList) {
2221 this.fetchingSyncedTabs_ = false;
2222 if (!sessionList) return;
2223 if (sessionList.length > 0 && !this.hasSeenForeignData_) {
2224 this.hasSeenForeignData_ = true;
2225 md_history.BrowserService.getInstance().recordHistogram(SYNCED_TABS_HISTOG RAM_NAME, SyncedTabsHistogram.HAS_FOREIGN_DATA, SyncedTabsHistogram.LIMIT);
2226 }
2227 var updateCount = Math.min(sessionList.length, this.syncedDevices_.length);
2228 for (var i = 0; i < updateCount; i++) {
2229 var oldDevice = this.syncedDevices_[i];
2230 if (oldDevice.tag != sessionList[i].tag || oldDevice.timestamp != sessionL ist[i].timestamp) {
2231 this.splice('syncedDevices_', i, 1, this.createInternalDevice_(sessionLi st[i]));
2232 }
2233 }
2234 if (sessionList.length >= this.syncedDevices_.length) {
2235 for (var i = updateCount; i < sessionList.length; i++) {
2236 this.push('syncedDevices_', this.createInternalDevice_(sessionList[i]));
2237 }
2238 } else {
2239 this.splice('syncedDevices_', updateCount, this.syncedDevices_.length - up dateCount);
2240 }
2241 },
2242 tabSyncDisabled: function() {
2243 this.fetchingSyncedTabs_ = false;
2244 this.clearDisplayedSyncedDevices_();
2245 },
2246 signInStateChanged_: function() {
2247 this.fire('history-view-changed');
2248 if (!this.signInState) {
2249 this.clearDisplayedSyncedDevices_();
2250 return;
2251 }
2252 this.fetchingSyncedTabs_ = true;
2253 },
2254 searchTermChanged: function(searchTerm) {
2255 this.clearDisplayedSyncedDevices_();
2256 this.updateSyncedDevices(this.sessionList);
2257 }
2258 });
2259
2260 // Copyright 2016 The Chromium Authors. All rights reserved.
2261 // Use of this source code is governed by a BSD-style license that can be
2262 // found in the LICENSE file.
2263 Polymer({
2264 is: 'cr-dialog',
2265 "extends": 'dialog',
2266 created: function() {
2267 window.addEventListener('popstate', function() {
2268 if (this.open) this.cancel();
2269 }.bind(this));
2270 },
2271 cancel: function() {
2272 this.fire('cancel');
2273 HTMLDialogElement.prototype.close.call(this, '');
2274 },
2275 close: function(opt_returnValue) {
2276 HTMLDialogElement.prototype.close.call(this, 'success');
2277 },
2278 getCloseButton: function() {
2279 return this.$.close;
2280 }
2281 });
2282
2283 Polymer({
2284 is: 'app-drawer',
2285 properties: {
2286 opened: {
2287 type: Boolean,
2288 value: false,
2289 notify: true,
2290 reflectToAttribute: true
2291 },
2292 persistent: {
2293 type: Boolean,
2294 value: false,
2295 reflectToAttribute: true
2296 },
2297 align: {
2298 type: String,
2299 value: 'left'
2300 },
2301 position: {
2302 type: String,
2303 readOnly: true,
2304 value: 'left',
2305 reflectToAttribute: true
2306 },
2307 swipeOpen: {
2308 type: Boolean,
2309 value: false,
2310 reflectToAttribute: true
2311 },
2312 noFocusTrap: {
2313 type: Boolean,
2314 value: false
2315 }
2316 },
2317 observers: [ 'resetLayout(position)', '_resetPosition(align, isAttached)' ],
2318 _translateOffset: 0,
2319 _trackDetails: null,
2320 _drawerState: 0,
2321 _boundEscKeydownHandler: null,
2322 _firstTabStop: null,
2323 _lastTabStop: null,
2324 ready: function() {
2325 this.setScrollDirection('y');
2326 this._setTransitionDuration('0s');
2327 },
2328 attached: function() {
2329 Polymer.RenderStatus.afterNextRender(this, function() {
2330 this._setTransitionDuration('');
2331 this._boundEscKeydownHandler = this._escKeydownHandler.bind(this);
2332 this._resetDrawerState();
2333 this.listen(this, 'track', '_track');
2334 this.addEventListener('transitionend', this._transitionend.bind(this));
2335 this.addEventListener('keydown', this._tabKeydownHandler.bind(this));
2336 });
2337 },
2338 detached: function() {
2339 document.removeEventListener('keydown', this._boundEscKeydownHandler);
2340 },
2341 open: function() {
2342 this.opened = true;
2343 },
2344 close: function() {
2345 this.opened = false;
2346 },
2347 toggle: function() {
2348 this.opened = !this.opened;
2349 },
2350 getWidth: function() {
2351 return this.$.contentContainer.offsetWidth;
2352 },
2353 resetLayout: function() {
2354 this.debounce('_resetLayout', function() {
2355 this.fire('app-drawer-reset-layout');
2356 }, 1);
2357 },
2358 _isRTL: function() {
2359 return window.getComputedStyle(this).direction === 'rtl';
2360 },
2361 _resetPosition: function() {
2362 switch (this.align) {
2363 case 'start':
2364 this._setPosition(this._isRTL() ? 'right' : 'left');
2365 return;
2366
2367 case 'end':
2368 this._setPosition(this._isRTL() ? 'left' : 'right');
2369 return;
2370 }
2371 this._setPosition(this.align);
2372 },
2373 _escKeydownHandler: function(event) {
2374 var ESC_KEYCODE = 27;
2375 if (event.keyCode === ESC_KEYCODE) {
2376 event.preventDefault();
2377 this.close();
2378 }
2379 },
2380 _track: function(event) {
2381 if (this.persistent) {
2382 return;
2383 }
2384 event.preventDefault();
2385 switch (event.detail.state) {
2386 case 'start':
2387 this._trackStart(event);
2388 break;
2389
2390 case 'track':
2391 this._trackMove(event);
2392 break;
2393
2394 case 'end':
2395 this._trackEnd(event);
2396 break;
2397 }
2398 },
2399 _trackStart: function(event) {
2400 this._drawerState = this._DRAWER_STATE.TRACKING;
2401 this._setTransitionDuration('0s');
2402 this.style.visibility = 'visible';
2403 var rect = this.$.contentContainer.getBoundingClientRect();
2404 if (this.position === 'left') {
2405 this._translateOffset = rect.left;
2406 } else {
2407 this._translateOffset = rect.right - window.innerWidth;
2408 }
2409 this._trackDetails = [];
2410 },
2411 _trackMove: function(event) {
2412 this._translateDrawer(event.detail.dx + this._translateOffset);
2413 this._trackDetails.push({
2414 dx: event.detail.dx,
2415 timeStamp: Date.now()
2416 });
2417 },
2418 _trackEnd: function(event) {
2419 var x = event.detail.dx + this._translateOffset;
2420 var drawerWidth = this.getWidth();
2421 var isPositionLeft = this.position === 'left';
2422 var isInEndState = isPositionLeft ? x >= 0 || x <= -drawerWidth : x <= 0 || x >= drawerWidth;
2423 if (!isInEndState) {
2424 var trackDetails = this._trackDetails;
2425 this._trackDetails = null;
2426 this._flingDrawer(event, trackDetails);
2427 if (this._drawerState === this._DRAWER_STATE.FLINGING) {
2428 return;
2429 }
2430 }
2431 var halfWidth = drawerWidth / 2;
2432 if (event.detail.dx < -halfWidth) {
2433 this.opened = this.position === 'right';
2434 } else if (event.detail.dx > halfWidth) {
2435 this.opened = this.position === 'left';
2436 }
2437 if (isInEndState) {
2438 this._resetDrawerState();
2439 }
2440 this._setTransitionDuration('');
2441 this._resetDrawerTranslate();
2442 this.style.visibility = '';
2443 },
2444 _calculateVelocity: function(event, trackDetails) {
2445 var now = Date.now();
2446 var timeLowerBound = now - 100;
2447 var trackDetail;
2448 var min = 0;
2449 var max = trackDetails.length - 1;
2450 while (min <= max) {
2451 var mid = min + max >> 1;
2452 var d = trackDetails[mid];
2453 if (d.timeStamp >= timeLowerBound) {
2454 trackDetail = d;
2455 max = mid - 1;
2456 } else {
2457 min = mid + 1;
2458 }
2459 }
2460 if (trackDetail) {
2461 var dx = event.detail.dx - trackDetail.dx;
2462 var dt = now - trackDetail.timeStamp || 1;
2463 return dx / dt;
2464 }
2465 return 0;
2466 },
2467 _flingDrawer: function(event, trackDetails) {
2468 var velocity = this._calculateVelocity(event, trackDetails);
2469 if (Math.abs(velocity) < this._MIN_FLING_THRESHOLD) {
2470 return;
2471 }
2472 this._drawerState = this._DRAWER_STATE.FLINGING;
2473 var x = event.detail.dx + this._translateOffset;
2474 var drawerWidth = this.getWidth();
2475 var isPositionLeft = this.position === 'left';
2476 var isVelocityPositive = velocity > 0;
2477 var isClosingLeft = !isVelocityPositive && isPositionLeft;
2478 var isClosingRight = isVelocityPositive && !isPositionLeft;
2479 var dx;
2480 if (isClosingLeft) {
2481 dx = -(x + drawerWidth);
2482 } else if (isClosingRight) {
2483 dx = drawerWidth - x;
2484 } else {
2485 dx = -x;
2486 }
2487 if (isVelocityPositive) {
2488 velocity = Math.max(velocity, this._MIN_TRANSITION_VELOCITY);
2489 this.opened = this.position === 'left';
2490 } else {
2491 velocity = Math.min(velocity, -this._MIN_TRANSITION_VELOCITY);
2492 this.opened = this.position === 'right';
2493 }
2494 this._setTransitionDuration(this._FLING_INITIAL_SLOPE * dx / velocity + 'ms' );
2495 this._setTransitionTimingFunction(this._FLING_TIMING_FUNCTION);
2496 this._resetDrawerTranslate();
2497 },
2498 _transitionend: function(event) {
2499 var target = Polymer.dom(event).rootTarget;
2500 if (target === this.$.contentContainer || target === this.$.scrim) {
2501 if (this._drawerState === this._DRAWER_STATE.FLINGING) {
2502 this._setTransitionDuration('');
2503 this._setTransitionTimingFunction('');
2504 this.style.visibility = '';
2505 }
2506 this._resetDrawerState();
2507 }
2508 },
2509 _setTransitionDuration: function(duration) {
2510 this.$.contentContainer.style.transitionDuration = duration;
2511 this.$.scrim.style.transitionDuration = duration;
2512 },
2513 _setTransitionTimingFunction: function(timingFunction) {
2514 this.$.contentContainer.style.transitionTimingFunction = timingFunction;
2515 this.$.scrim.style.transitionTimingFunction = timingFunction;
2516 },
2517 _translateDrawer: function(x) {
2518 var drawerWidth = this.getWidth();
2519 if (this.position === 'left') {
2520 x = Math.max(-drawerWidth, Math.min(x, 0));
2521 this.$.scrim.style.opacity = 1 + x / drawerWidth;
2522 } else {
2523 x = Math.max(0, Math.min(x, drawerWidth));
2524 this.$.scrim.style.opacity = 1 - x / drawerWidth;
2525 }
2526 this.translate3d(x + 'px', '0', '0', this.$.contentContainer);
2527 },
2528 _resetDrawerTranslate: function() {
2529 this.$.scrim.style.opacity = '';
2530 this.transform('', this.$.contentContainer);
2531 },
2532 _resetDrawerState: function() {
2533 var oldState = this._drawerState;
2534 if (this.opened) {
2535 this._drawerState = this.persistent ? this._DRAWER_STATE.OPENED_PERSISTENT : this._DRAWER_STATE.OPENED;
2536 } else {
2537 this._drawerState = this._DRAWER_STATE.CLOSED;
2538 }
2539 if (oldState !== this._drawerState) {
2540 if (this._drawerState === this._DRAWER_STATE.OPENED) {
2541 this._setKeyboardFocusTrap();
2542 document.addEventListener('keydown', this._boundEscKeydownHandler);
2543 document.body.style.overflow = 'hidden';
2544 } else {
2545 document.removeEventListener('keydown', this._boundEscKeydownHandler);
2546 document.body.style.overflow = '';
2547 }
2548 if (oldState !== this._DRAWER_STATE.INIT) {
2549 this.fire('app-drawer-transitioned');
2550 }
2551 }
2552 },
2553 _setKeyboardFocusTrap: function() {
2554 if (this.noFocusTrap) {
2555 return;
2556 }
2557 var focusableElementsSelector = [ 'a[href]:not([tabindex="-1"])', 'area[href ]:not([tabindex="-1"])', 'input:not([disabled]):not([tabindex="-1"])', 'select:n ot([disabled]):not([tabindex="-1"])', 'textarea:not([disabled]):not([tabindex="- 1"])', 'button:not([disabled]):not([tabindex="-1"])', 'iframe:not([tabindex="-1" ])', '[tabindex]:not([tabindex="-1"])', '[contentEditable=true]:not([tabindex="- 1"])' ].join(',');
2558 var focusableElements = Polymer.dom(this).querySelectorAll(focusableElements Selector);
2559 if (focusableElements.length > 0) {
2560 this._firstTabStop = focusableElements[0];
2561 this._lastTabStop = focusableElements[focusableElements.length - 1];
2562 } else {
2563 this._firstTabStop = null;
2564 this._lastTabStop = null;
2565 }
2566 var tabindex = this.getAttribute('tabindex');
2567 if (tabindex && parseInt(tabindex, 10) > -1) {
2568 this.focus();
2569 } else if (this._firstTabStop) {
2570 this._firstTabStop.focus();
2571 }
2572 },
2573 _tabKeydownHandler: function(event) {
2574 if (this.noFocusTrap) {
2575 return;
2576 }
2577 var TAB_KEYCODE = 9;
2578 if (this._drawerState === this._DRAWER_STATE.OPENED && event.keyCode === TAB _KEYCODE) {
2579 if (event.shiftKey) {
2580 if (this._firstTabStop && Polymer.dom(event).localTarget === this._first TabStop) {
2581 event.preventDefault();
2582 this._lastTabStop.focus();
2583 }
2584 } else {
2585 if (this._lastTabStop && Polymer.dom(event).localTarget === this._lastTa bStop) {
2586 event.preventDefault();
2587 this._firstTabStop.focus();
2588 }
2589 }
2590 }
2591 },
2592 _MIN_FLING_THRESHOLD: .2,
2593 _MIN_TRANSITION_VELOCITY: 1.2,
2594 _FLING_TIMING_FUNCTION: 'cubic-bezier(0.667, 1, 0.667, 1)',
2595 _FLING_INITIAL_SLOPE: 1.5,
2596 _DRAWER_STATE: {
2597 INIT: 0,
2598 OPENED: 1,
2599 OPENED_PERSISTENT: 2,
2600 CLOSED: 3,
2601 TRACKING: 4,
2602 FLINGING: 5
2603 }
2604 });
2605
2606 Polymer.IronFormElementBehavior = {
2607 properties: {
2608 name: {
2609 type: String
2610 },
2611 value: {
2612 notify: true,
2613 type: String
2614 },
2615 required: {
2616 type: Boolean,
2617 value: false
2618 },
2619 _parentForm: {
2620 type: Object
2621 }
2622 },
2623 attached: function() {
2624 this.fire('iron-form-element-register');
2625 },
2626 detached: function() {
2627 if (this._parentForm) {
2628 this._parentForm.fire('iron-form-element-unregister', {
2629 target: this
2630 });
2631 }
2632 }
2633 };
2634
2635 Polymer.IronCheckedElementBehaviorImpl = {
2636 properties: {
2637 checked: {
2638 type: Boolean,
2639 value: false,
2640 reflectToAttribute: true,
2641 notify: true,
2642 observer: '_checkedChanged'
2643 },
2644 toggles: {
2645 type: Boolean,
2646 value: true,
2647 reflectToAttribute: true
2648 },
2649 value: {
2650 type: String,
2651 value: 'on',
2652 observer: '_valueChanged'
2653 }
2654 },
2655 observers: [ '_requiredChanged(required)' ],
2656 created: function() {
2657 this._hasIronCheckedElementBehavior = true;
2658 },
2659 _getValidity: function(_value) {
2660 return this.disabled || !this.required || this.checked;
2661 },
2662 _requiredChanged: function() {
2663 if (this.required) {
2664 this.setAttribute('aria-required', 'true');
2665 } else {
2666 this.removeAttribute('aria-required');
2667 }
2668 },
2669 _checkedChanged: function() {
2670 this.active = this.checked;
2671 this.fire('iron-change');
2672 },
2673 _valueChanged: function() {
2674 if (this.value === undefined || this.value === null) {
2675 this.value = 'on';
2676 }
2677 }
2678 };
2679
2680 Polymer.IronCheckedElementBehavior = [ Polymer.IronFormElementBehavior, Polymer. IronValidatableBehavior, Polymer.IronCheckedElementBehaviorImpl ];
2681
2682 Polymer.PaperCheckedElementBehaviorImpl = {
2683 _checkedChanged: function() {
2684 Polymer.IronCheckedElementBehaviorImpl._checkedChanged.call(this);
2685 if (this.hasRipple()) {
2686 if (this.checked) {
2687 this._ripple.setAttribute('checked', '');
2688 } else {
2689 this._ripple.removeAttribute('checked');
2690 }
2691 }
2692 },
2693 _buttonStateChanged: function() {
2694 Polymer.PaperRippleBehavior._buttonStateChanged.call(this);
2695 if (this.disabled) {
2696 return;
2697 }
2698 if (this.isAttached) {
2699 this.checked = this.active;
2700 }
2701 }
2702 };
2703
2704 Polymer.PaperCheckedElementBehavior = [ Polymer.PaperInkyFocusBehavior, Polymer. IronCheckedElementBehavior, Polymer.PaperCheckedElementBehaviorImpl ];
2705
2706 Polymer({
2707 is: 'paper-checkbox',
2708 behaviors: [ Polymer.PaperCheckedElementBehavior ],
2709 hostAttributes: {
2710 role: 'checkbox',
2711 'aria-checked': false,
2712 tabindex: 0
2713 },
2714 properties: {
2715 ariaActiveAttribute: {
2716 type: String,
2717 value: 'aria-checked'
2718 }
2719 },
2720 attached: function() {
2721 var inkSize = this.getComputedStyleValue('--calculated-paper-checkbox-ink-si ze');
2722 if (inkSize === '-1px') {
2723 var checkboxSize = parseFloat(this.getComputedStyleValue('--calculated-pap er-checkbox-size'));
2724 var defaultInkSize = Math.floor(8 / 3 * checkboxSize);
2725 if (defaultInkSize % 2 !== checkboxSize % 2) {
2726 defaultInkSize++;
2727 }
2728 this.customStyle['--paper-checkbox-ink-size'] = defaultInkSize + 'px';
2729 this.updateStyles();
2730 }
2731 },
2732 _computeCheckboxClass: function(checked, invalid) {
2733 var className = '';
2734 if (checked) {
2735 className += 'checked ';
2736 }
2737 if (invalid) {
2738 className += 'invalid';
2739 }
2740 return className;
2741 },
2742 _computeCheckmarkClass: function(checked) {
2743 return checked ? '' : 'hidden';
2744 },
2745 _createRipple: function() {
2746 this._rippleContainer = this.$.checkboxContainer;
2747 return Polymer.PaperInkyFocusBehaviorImpl._createRipple.call(this);
2748 }
2749 });
2750
2751 Polymer({
2752 is: 'paper-tab',
2753 behaviors: [ Polymer.IronControlState, Polymer.IronButtonState, Polymer.PaperR ippleBehavior ],
2754 properties: {
2755 link: {
2756 type: Boolean,
2757 value: false,
2758 reflectToAttribute: true
2759 }
2760 },
2761 hostAttributes: {
2762 role: 'tab'
2763 },
2764 listeners: {
2765 down: '_updateNoink',
2766 tap: '_onTap'
2767 },
2768 attached: function() {
2769 this._updateNoink();
2770 },
2771 get _parentNoink() {
2772 var parent = Polymer.dom(this).parentNode;
2773 return !!parent && !!parent.noink;
2774 },
2775 _updateNoink: function() {
2776 this.noink = !!this.noink || !!this._parentNoink;
2777 },
2778 _onTap: function(event) {
2779 if (this.link) {
2780 var anchor = this.queryEffectiveChildren('a');
2781 if (!anchor) {
2782 return;
2783 }
2784 if (event.target === anchor) {
2785 return;
2786 }
2787 anchor.click();
2788 }
2789 }
2790 });
2791
2792 Polymer.IronMenuBehaviorImpl = {
2793 properties: {
2794 focusedItem: {
2795 observer: '_focusedItemChanged',
2796 readOnly: true,
2797 type: Object
2798 },
2799 attrForItemTitle: {
2800 type: String
2801 }
2802 },
2803 hostAttributes: {
2804 role: 'menu',
2805 tabindex: '0'
2806 },
2807 observers: [ '_updateMultiselectable(multi)' ],
2808 listeners: {
2809 focus: '_onFocus',
2810 keydown: '_onKeydown',
2811 'iron-items-changed': '_onIronItemsChanged'
2812 },
2813 keyBindings: {
2814 up: '_onUpKey',
2815 down: '_onDownKey',
2816 esc: '_onEscKey',
2817 'shift+tab:keydown': '_onShiftTabDown'
2818 },
2819 attached: function() {
2820 this._resetTabindices();
2821 },
2822 select: function(value) {
2823 if (this._defaultFocusAsync) {
2824 this.cancelAsync(this._defaultFocusAsync);
2825 this._defaultFocusAsync = null;
2826 }
2827 var item = this._valueToItem(value);
2828 if (item && item.hasAttribute('disabled')) return;
2829 this._setFocusedItem(item);
2830 Polymer.IronMultiSelectableBehaviorImpl.select.apply(this, arguments);
2831 },
2832 _resetTabindices: function() {
2833 var selectedItem = this.multi ? this.selectedItems && this.selectedItems[0] : this.selectedItem;
2834 this.items.forEach(function(item) {
2835 item.setAttribute('tabindex', item === selectedItem ? '0' : '-1');
2836 }, this);
2837 },
2838 _updateMultiselectable: function(multi) {
2839 if (multi) {
2840 this.setAttribute('aria-multiselectable', 'true');
2841 } else {
2842 this.removeAttribute('aria-multiselectable');
2843 }
2844 },
2845 _focusWithKeyboardEvent: function(event) {
2846 for (var i = 0, item; item = this.items[i]; i++) {
2847 var attr = this.attrForItemTitle || 'textContent';
2848 var title = item[attr] || item.getAttribute(attr);
2849 if (!item.hasAttribute('disabled') && title && title.trim().charAt(0).toLo werCase() === String.fromCharCode(event.keyCode).toLowerCase()) {
2850 this._setFocusedItem(item);
2851 break;
2852 }
2853 }
2854 },
2855 _focusPrevious: function() {
2856 var length = this.items.length;
2857 var curFocusIndex = Number(this.indexOf(this.focusedItem));
2858 for (var i = 1; i < length + 1; i++) {
2859 var item = this.items[(curFocusIndex - i + length) % length];
2860 if (!item.hasAttribute('disabled')) {
2861 var owner = Polymer.dom(item).getOwnerRoot() || document;
2862 this._setFocusedItem(item);
2863 if (Polymer.dom(owner).activeElement == item) {
2864 return;
2865 }
2866 }
2867 }
2868 },
2869 _focusNext: function() {
2870 var length = this.items.length;
2871 var curFocusIndex = Number(this.indexOf(this.focusedItem));
2872 for (var i = 1; i < length + 1; i++) {
2873 var item = this.items[(curFocusIndex + i) % length];
2874 if (!item.hasAttribute('disabled')) {
2875 var owner = Polymer.dom(item).getOwnerRoot() || document;
2876 this._setFocusedItem(item);
2877 if (Polymer.dom(owner).activeElement == item) {
2878 return;
2879 }
2880 }
2881 }
2882 },
2883 _applySelection: function(item, isSelected) {
2884 if (isSelected) {
2885 item.setAttribute('aria-selected', 'true');
2886 } else {
2887 item.removeAttribute('aria-selected');
2888 }
2889 Polymer.IronSelectableBehavior._applySelection.apply(this, arguments);
2890 },
2891 _focusedItemChanged: function(focusedItem, old) {
2892 old && old.setAttribute('tabindex', '-1');
2893 if (focusedItem) {
2894 focusedItem.setAttribute('tabindex', '0');
2895 focusedItem.focus();
2896 }
2897 },
2898 _onIronItemsChanged: function(event) {
2899 if (event.detail.addedNodes.length) {
2900 this._resetTabindices();
2901 }
2902 },
2903 _onShiftTabDown: function(event) {
2904 var oldTabIndex = this.getAttribute('tabindex');
2905 Polymer.IronMenuBehaviorImpl._shiftTabPressed = true;
2906 this._setFocusedItem(null);
2907 this.setAttribute('tabindex', '-1');
2908 this.async(function() {
2909 this.setAttribute('tabindex', oldTabIndex);
2910 Polymer.IronMenuBehaviorImpl._shiftTabPressed = false;
2911 }, 1);
2912 },
2913 _onFocus: function(event) {
2914 if (Polymer.IronMenuBehaviorImpl._shiftTabPressed) {
2915 return;
2916 }
2917 var rootTarget = Polymer.dom(event).rootTarget;
2918 if (rootTarget !== this && typeof rootTarget.tabIndex !== "undefined" && !th is.isLightDescendant(rootTarget)) {
2919 return;
2920 }
2921 this._defaultFocusAsync = this.async(function() {
2922 var selectedItem = this.multi ? this.selectedItems && this.selectedItems[0 ] : this.selectedItem;
2923 this._setFocusedItem(null);
2924 if (selectedItem) {
2925 this._setFocusedItem(selectedItem);
2926 } else if (this.items[0]) {
2927 this._focusNext();
2928 }
2929 });
2930 },
2931 _onUpKey: function(event) {
2932 this._focusPrevious();
2933 event.detail.keyboardEvent.preventDefault();
2934 },
2935 _onDownKey: function(event) {
2936 this._focusNext();
2937 event.detail.keyboardEvent.preventDefault();
2938 },
2939 _onEscKey: function(event) {
2940 this.focusedItem.blur();
2941 },
2942 _onKeydown: function(event) {
2943 if (!this.keyboardEventMatchesKeys(event, 'up down esc')) {
2944 this._focusWithKeyboardEvent(event);
2945 }
2946 event.stopPropagation();
2947 },
2948 _activateHandler: function(event) {
2949 Polymer.IronSelectableBehavior._activateHandler.call(this, event);
2950 event.stopPropagation();
2951 }
2952 };
2953
2954 Polymer.IronMenuBehaviorImpl._shiftTabPressed = false;
2955
2956 Polymer.IronMenuBehavior = [ Polymer.IronMultiSelectableBehavior, Polymer.IronA1 1yKeysBehavior, Polymer.IronMenuBehaviorImpl ];
2957
2958 Polymer.IronMenubarBehaviorImpl = {
2959 hostAttributes: {
2960 role: 'menubar'
2961 },
2962 keyBindings: {
2963 left: '_onLeftKey',
2964 right: '_onRightKey'
2965 },
2966 _onUpKey: function(event) {
2967 this.focusedItem.click();
2968 event.detail.keyboardEvent.preventDefault();
2969 },
2970 _onDownKey: function(event) {
2971 this.focusedItem.click();
2972 event.detail.keyboardEvent.preventDefault();
2973 },
2974 get _isRTL() {
2975 return window.getComputedStyle(this)['direction'] === 'rtl';
2976 },
2977 _onLeftKey: function(event) {
2978 if (this._isRTL) {
2979 this._focusNext();
2980 } else {
2981 this._focusPrevious();
2982 }
2983 event.detail.keyboardEvent.preventDefault();
2984 },
2985 _onRightKey: function(event) {
2986 if (this._isRTL) {
2987 this._focusPrevious();
2988 } else {
2989 this._focusNext();
2990 }
2991 event.detail.keyboardEvent.preventDefault();
2992 },
2993 _onKeydown: function(event) {
2994 if (this.keyboardEventMatchesKeys(event, 'up down left right esc')) {
2995 return;
2996 }
2997 this._focusWithKeyboardEvent(event);
2998 }
2999 };
3000
3001 Polymer.IronMenubarBehavior = [ Polymer.IronMenuBehavior, Polymer.IronMenubarBeh aviorImpl ];
3002
3003 Polymer({
3004 is: 'paper-tabs',
3005 behaviors: [ Polymer.IronResizableBehavior, Polymer.IronMenubarBehavior ],
3006 properties: {
3007 noink: {
3008 type: Boolean,
3009 value: false,
3010 observer: '_noinkChanged'
3011 },
3012 noBar: {
3013 type: Boolean,
3014 value: false
3015 },
3016 noSlide: {
3017 type: Boolean,
3018 value: false
3019 },
3020 scrollable: {
3021 type: Boolean,
3022 value: false
3023 },
3024 fitContainer: {
3025 type: Boolean,
3026 value: false
3027 },
3028 disableDrag: {
3029 type: Boolean,
3030 value: false
3031 },
3032 hideScrollButtons: {
3033 type: Boolean,
3034 value: false
3035 },
3036 alignBottom: {
3037 type: Boolean,
3038 value: false
3039 },
3040 selectable: {
3041 type: String,
3042 value: 'paper-tab'
3043 },
3044 autoselect: {
3045 type: Boolean,
3046 value: false
3047 },
3048 autoselectDelay: {
3049 type: Number,
3050 value: 0
3051 },
3052 _step: {
3053 type: Number,
3054 value: 10
3055 },
3056 _holdDelay: {
3057 type: Number,
3058 value: 1
3059 },
3060 _leftHidden: {
3061 type: Boolean,
3062 value: false
3063 },
3064 _rightHidden: {
3065 type: Boolean,
3066 value: false
3067 },
3068 _previousTab: {
3069 type: Object
3070 }
3071 },
3072 hostAttributes: {
3073 role: 'tablist'
3074 },
3075 listeners: {
3076 'iron-resize': '_onTabSizingChanged',
3077 'iron-items-changed': '_onTabSizingChanged',
3078 'iron-select': '_onIronSelect',
3079 'iron-deselect': '_onIronDeselect'
3080 },
3081 keyBindings: {
3082 'left:keyup right:keyup': '_onArrowKeyup'
3083 },
3084 created: function() {
3085 this._holdJob = null;
3086 this._pendingActivationItem = undefined;
3087 this._pendingActivationTimeout = undefined;
3088 this._bindDelayedActivationHandler = this._delayedActivationHandler.bind(thi s);
3089 this.addEventListener('blur', this._onBlurCapture.bind(this), true);
3090 },
3091 ready: function() {
3092 this.setScrollDirection('y', this.$.tabsContainer);
3093 },
3094 detached: function() {
3095 this._cancelPendingActivation();
3096 },
3097 _noinkChanged: function(noink) {
3098 var childTabs = Polymer.dom(this).querySelectorAll('paper-tab');
3099 childTabs.forEach(noink ? this._setNoinkAttribute : this._removeNoinkAttribu te);
3100 },
3101 _setNoinkAttribute: function(element) {
3102 element.setAttribute('noink', '');
3103 },
3104 _removeNoinkAttribute: function(element) {
3105 element.removeAttribute('noink');
3106 },
3107 _computeScrollButtonClass: function(hideThisButton, scrollable, hideScrollButt ons) {
3108 if (!scrollable || hideScrollButtons) {
3109 return 'hidden';
3110 }
3111 if (hideThisButton) {
3112 return 'not-visible';
3113 }
3114 return '';
3115 },
3116 _computeTabsContentClass: function(scrollable, fitContainer) {
3117 return scrollable ? 'scrollable' + (fitContainer ? ' fit-container' : '') : ' fit-container';
3118 },
3119 _computeSelectionBarClass: function(noBar, alignBottom) {
3120 if (noBar) {
3121 return 'hidden';
3122 } else if (alignBottom) {
3123 return 'align-bottom';
3124 }
3125 return '';
3126 },
3127 _onTabSizingChanged: function() {
3128 this.debounce('_onTabSizingChanged', function() {
3129 this._scroll();
3130 this._tabChanged(this.selectedItem);
3131 }, 10);
3132 },
3133 _onIronSelect: function(event) {
3134 this._tabChanged(event.detail.item, this._previousTab);
3135 this._previousTab = event.detail.item;
3136 this.cancelDebouncer('tab-changed');
3137 },
3138 _onIronDeselect: function(event) {
3139 this.debounce('tab-changed', function() {
3140 this._tabChanged(null, this._previousTab);
3141 this._previousTab = null;
3142 }, 1);
3143 },
3144 _activateHandler: function() {
3145 this._cancelPendingActivation();
3146 Polymer.IronMenuBehaviorImpl._activateHandler.apply(this, arguments);
3147 },
3148 _scheduleActivation: function(item, delay) {
3149 this._pendingActivationItem = item;
3150 this._pendingActivationTimeout = this.async(this._bindDelayedActivationHandl er, delay);
3151 },
3152 _delayedActivationHandler: function() {
3153 var item = this._pendingActivationItem;
3154 this._pendingActivationItem = undefined;
3155 this._pendingActivationTimeout = undefined;
3156 item.fire(this.activateEvent, null, {
3157 bubbles: true,
3158 cancelable: true
3159 });
3160 },
3161 _cancelPendingActivation: function() {
3162 if (this._pendingActivationTimeout !== undefined) {
3163 this.cancelAsync(this._pendingActivationTimeout);
3164 this._pendingActivationItem = undefined;
3165 this._pendingActivationTimeout = undefined;
3166 }
3167 },
3168 _onArrowKeyup: function(event) {
3169 if (this.autoselect) {
3170 this._scheduleActivation(this.focusedItem, this.autoselectDelay);
3171 }
3172 },
3173 _onBlurCapture: function(event) {
3174 if (event.target === this._pendingActivationItem) {
3175 this._cancelPendingActivation();
3176 }
3177 },
3178 get _tabContainerScrollSize() {
3179 return Math.max(0, this.$.tabsContainer.scrollWidth - this.$.tabsContainer.o ffsetWidth);
3180 },
3181 _scroll: function(e, detail) {
3182 if (!this.scrollable) {
3183 return;
3184 }
3185 var ddx = detail && -detail.ddx || 0;
3186 this._affectScroll(ddx);
3187 },
3188 _down: function(e) {
3189 this.async(function() {
3190 if (this._defaultFocusAsync) {
3191 this.cancelAsync(this._defaultFocusAsync);
3192 this._defaultFocusAsync = null;
3193 }
3194 }, 1);
3195 },
3196 _affectScroll: function(dx) {
3197 this.$.tabsContainer.scrollLeft += dx;
3198 var scrollLeft = this.$.tabsContainer.scrollLeft;
3199 this._leftHidden = scrollLeft === 0;
3200 this._rightHidden = scrollLeft === this._tabContainerScrollSize;
3201 },
3202 _onLeftScrollButtonDown: function() {
3203 this._scrollToLeft();
3204 this._holdJob = setInterval(this._scrollToLeft.bind(this), this._holdDelay);
3205 },
3206 _onRightScrollButtonDown: function() {
3207 this._scrollToRight();
3208 this._holdJob = setInterval(this._scrollToRight.bind(this), this._holdDelay) ;
3209 },
3210 _onScrollButtonUp: function() {
3211 clearInterval(this._holdJob);
3212 this._holdJob = null;
3213 },
3214 _scrollToLeft: function() {
3215 this._affectScroll(-this._step);
3216 },
3217 _scrollToRight: function() {
3218 this._affectScroll(this._step);
3219 },
3220 _tabChanged: function(tab, old) {
3221 if (!tab) {
3222 this.$.selectionBar.classList.remove('expand');
3223 this.$.selectionBar.classList.remove('contract');
3224 this._positionBar(0, 0);
3225 return;
3226 }
3227 var r = this.$.tabsContent.getBoundingClientRect();
3228 var w = r.width;
3229 var tabRect = tab.getBoundingClientRect();
3230 var tabOffsetLeft = tabRect.left - r.left;
3231 this._pos = {
3232 width: this._calcPercent(tabRect.width, w),
3233 left: this._calcPercent(tabOffsetLeft, w)
3234 };
3235 if (this.noSlide || old == null) {
3236 this.$.selectionBar.classList.remove('expand');
3237 this.$.selectionBar.classList.remove('contract');
3238 this._positionBar(this._pos.width, this._pos.left);
3239 return;
3240 }
3241 var oldRect = old.getBoundingClientRect();
3242 var oldIndex = this.items.indexOf(old);
3243 var index = this.items.indexOf(tab);
3244 var m = 5;
3245 this.$.selectionBar.classList.add('expand');
3246 var moveRight = oldIndex < index;
3247 var isRTL = this._isRTL;
3248 if (isRTL) {
3249 moveRight = !moveRight;
3250 }
3251 if (moveRight) {
3252 this._positionBar(this._calcPercent(tabRect.left + tabRect.width - oldRect .left, w) - m, this._left);
3253 } else {
3254 this._positionBar(this._calcPercent(oldRect.left + oldRect.width - tabRect .left, w) - m, this._calcPercent(tabOffsetLeft, w) + m);
3255 }
3256 if (this.scrollable) {
3257 this._scrollToSelectedIfNeeded(tabRect.width, tabOffsetLeft);
3258 }
3259 },
3260 _scrollToSelectedIfNeeded: function(tabWidth, tabOffsetLeft) {
3261 var l = tabOffsetLeft - this.$.tabsContainer.scrollLeft;
3262 if (l < 0) {
3263 this.$.tabsContainer.scrollLeft += l;
3264 } else {
3265 l += tabWidth - this.$.tabsContainer.offsetWidth;
3266 if (l > 0) {
3267 this.$.tabsContainer.scrollLeft += l;
3268 }
3269 }
3270 },
3271 _calcPercent: function(w, w0) {
3272 return 100 * w / w0;
3273 },
3274 _positionBar: function(width, left) {
3275 width = width || 0;
3276 left = left || 0;
3277 this._width = width;
3278 this._left = left;
3279 this.transform('translateX(' + left + '%) scaleX(' + width / 100 + ')', this .$.selectionBar);
3280 },
3281 _onBarTransitionEnd: function(e) {
3282 var cl = this.$.selectionBar.classList;
3283 if (cl.contains('expand')) {
3284 cl.remove('expand');
3285 cl.add('contract');
3286 this._positionBar(this._pos.width, this._pos.left);
3287 } else if (cl.contains('contract')) {
3288 cl.remove('contract');
3289 }
3290 }
3291 });
OLDNEW
« no previous file with comments | « chrome/browser/resources/md_history/lazy_load.html ('k') | chrome/browser/resources/md_history/lazy_load.vulcanized.html » ('j') | no next file with comments »

Powered by Google App Engine
This is Rietveld 408576698