legacyUndefined
/ setLegacyUndefined
What does it do? This setting reverts how computed properties handle undefined
values to the Polymer 1 behavior: when enabled, computed properties will only be recomputed if none of their dependencies are undefined
.
Components can override the global setting by setting their _overrideLegacyUndefined
property to true
. This is useful for reenabling the default behavior as you migrate individual components:
import {PolymerElement, html} from '@polymer/polymer/polymer-element.js';
class MigratedElement extends PolymerElement { }
MigratedElement.prototype._overrideLegacyUndefined = true;
customElements.define('migrated-element', SomeElement);
Should I use it? This setting should only be used for migrating legacy codebases that depend on this behavior and is otherwise not recommended.
legacyWarnings
/ setLegacyWarnings
What does it do? This setting causes Polymer to warn if a component's template contains bindings to properties that are not listed in that element's properties
block. For example:
import {PolymerElement, html} from '@polymer/polymer/polymer-element.js';
class SomeElement extends PolymerElement {
static get template() {
return html`<span>[[someProperty]] is used here</span>`;
}
static get properties() {
return { };
}
}
customElements.define('some-element', SomeElement);
Only properties explicitly declared in the properties
block are associated with an attribute and update when that attribute changes. Enabling this setting will show you where you might have forgotten to declare properties.
Should I use it? Consider using this feature during development but don't enable it in production.
orderedComputed
/ setOrderedComputed
What does it do? This setting causes Polymer to topologically sort each component's computed properties graph when the class is initialized and uses that order whenever computed properties are run.
For example:
import {PolymerElement, html} from '@polymer/polymer/polymer-element.js';
class SomeElement extends PolymerElement {
static get properties() {
return {
a: {type: Number, value: 0},
b: {type: Number, computed: 'computeB(a)'},
c: {type: Number, computed: 'computeC(a, b)'},
};
}
computeB(a) {
console.log('Computing b...');
return a + 1;
}
computeC(a, b) {
console.log('Computing c...');
return (a + b) * 2;
}
}
customElements.define('some-element', SomeElement);
When a
changes, Polymer's default behavior does not specify the order in which its dependents will run. Given that both b
and c
depend directly on a
, one of two possible orders could occur: [computeB
, computeC
] or [computeC
, computeB
].
In the first case - [computeB
, computeC
] - computeB
is run with the new value of a
and produces a new value for b
. Then, computeC
is run with both the new values of a
and b
to produce c
.
In the second case - [computeC
, computeB
] - computeC
is run first with the new value of a
and the current value of b
to produce c
. Then, computeB
is run with the new value of a
to produce b
. If computeB
changed the value of b
then computeC
will be run again, with the new values of both a
and b
to produce the final value of c
.
However, with orderedComputed
enabled, the computed properties would have been previously sorted into [computeB
, computeC
], so updating a
would cause them to run specifically in that order.
If your component's computed property graph contains cycles, the order in which they are run when using orderedComputed
is still undefined.
Should I use it? The value of this setting depends on how your computed property functions are implemented. If they are pure and relatively inexpensive, you shouldn't need to enable this feature. If they have side effects that would make the order in which they are run important or are expensive enough that it would be a problem to run them multiple times for a property update, consider enabling it.
fastDomIf
/ setFastDomIf
What does it do? This setting enables a different implementation of <dom-if>
that uses its host element's template stamping facilities (provided as part of PolymerElement
) rather than including its own. This setting can help with performance but comes with a few caveats:
First, fastDomIf
requires that every <dom-if>
is in the shadow root of a Polymer element: you can't use a <dom-if>
directly in the main document or inside a shadow root of an element that doesn't extend PolymerElement
.
Second, because the fastDomIf
implementation of <dom-if>
doesn't include its own template stamping features, it doesn't create its own scope for property effects. This means that any properties you were previously setting on the <dom-if>
will no longer be applied within its template, only properties of the host element are available.
Should I use it? This setting is recommended as long as your app doesn't use <dom-if>
as described in the section above.
removeNestedTemplates
/ setRemoveNestedTemplates
What does it do? This setting causes Polymer to remove the child <template>
elements used by <dom-if>
and <dom-repeat>
from the their containing templates. This can improve the performance of cloning your component's template when new instances are created.
Should I use it? This setting is generally recommended.
suppressTemplateNotifications
/ setSuppressTemplateNotifications
What does it do? This setting causes <dom-if>
and <dom-repeat>
not to dispatch dom-change
events when their rendered content is updated. If you're using lots of <dom-if>
and <dom-repeat>
but not listening for these events, this setting lets you disable them and their associated dispatch work.
You can override the global setting for an individual <dom-if>
or <dom-repeat>
by setting its notify-dom-change
boolean attribute:
import {PolymerElement, html} from '@polymer/polymer/polymer-element.js';
class SomeElement extends PolymerElement {
static get properties() {
return {
visible: {type: Boolean, value: false},
};
}
static get template() {
return html`
<button on-click="_toggle">Toggle</button>
<!-- Set notify-dom-change to enable dom-change events for this particular <dom-if>. -->
<dom-if if="[[visible]]" notify-dom-change on-dom-change="_onDomChange">
<template>
Hello!
</template>
</dom-if>
`;
}
_toggle() {
this.visible = !this.visible;
}
_onDomChange(e) {
console.log("Received 'dom-change' event.");
}
}
customElements.define('some-element', SomeElement);
Should I use it? This setting is generally recommended.
legacyNoObservedAttributes
/ setLegacyNoObservedAttributes
What does it do? This setting causes LegacyElementMixin
not to use the browser's built-in mechanism for informing elements of attribute changes (i.e. observedAttributes
and attributeChangedCallback
), which lets Polymer skip computing the list of attributes it tells the browser to observe. Instead, LegacyElementMixin
simulates this behavior by overriding attribute APIs on the element and calling attributeChangedCallback
itself.
This setting has similar API restrictions to those of the custom elements polyfill. You should only use the element's setAttribute
and removeAttribute
methods to modify attributes: using (e.g.) the element's attributes
property to modify its attributes is not supported with legacyNoObservedAttributes
and won't properly trigger attributeChangedCallback
or any property effects.
Components can override the global setting by setting their _legacyForceObservedAttributes
property to true
. This property's effects occur at startup; it won't have any effect if modified at runtime and should be set in the class definition.
Should I use it? This setting should only be used if startup time is significantly affected by Polymer's class initialization work - for example, if you have a large number of components being loaded but are only instantiating a small subset of them. Otherwise, this setting is not recommended.
useAdoptedStyleSheetsWithBuiltCSS
/ setUseAdoptedStyleSheetsWithBuiltCSS
What does it do? If your application is uses pre-built Shady CSS styles and your browser supports constructable stylesheet objects, this setting will cause Polymer to extract all <style>
elements from your components' templates, join them into a single stylesheet, and share this stylesheet with all instances of the component using their shadow roots' adoptedStyleSheets
array. This setting may improve your components' memory usage and performance depending on how many instances you create and how large their style sheets are.
Should I use it? Consider using this setting if your app already uses pre-built Shady CSS styles. Note that position-dependent CSS selectors (e.g. containing :nth-child()
) may become unreliable for siblings of your components' styles as a result of runtime-detected browser support determining if styles are removed from your components' shadow roots.
[ci skip] bump to 3.4.0 (commit)
shareBuiltCSSWithAdoptedStyleSheets
-> useAdoptedStyleSheetsWithBuiltCSS
(commit)
formatting (commit)
Fix incorrect JSDoc param name. (commit)
Gate feature behind shareBuiltCSSWithAdoptedStyleSheets
; update tests. (commit)
Add shareBuiltCSSWithAdoptedStyleSheets
global setting (commit)
Add stalebot config (commit)
Annotate more return types as !defined (#5642) (commit)
Ensure any previously enqueued rAF is canceled when re-rendering. Also, use instances length instead of renderedItemCount since it will be undefined on first render. (commit)
Improve comment. (commit)
Remove obsolete tests. (commit)
Simplify by making limit a derived value from existing state. This centralizes the calculation of limit based on changes to other state variables. (commit)
Update Sauce config to drop Safari 9, add 12 & 13. Safari 9 is now very old, and has micro task ordering bugs issues that make testing flaky. (commit)
Remove accidental commit of test.only (commit)
When re-enabling, ensure limit is at a good starting point and add a test for that. Also: * Ensure `itemsArrayChangedis cleared after every render. * Enqueue
__continueChunkingAfterRaf` before notifying renderedItemCount for safety (commit)
Remove accidental commit of suite.only (commit)
Ensure limit is reset when initialCount is disabled. Note that any falsey value for initialCount (including 0
) is interpreted as "chunking disabled". This is consistent with 1.x logic, and follows from the logic of "starting chunking by rendering zero items" doesn't really make sense. (commit)
Updates from review. Refactoring __render
for readability Removing __pool
; this was never used in v2: since we reset the pool every update and items are only ever pushed at detach time and we only detach at the end of updates (as opposed to v1 which had more sophisticated splicing) (commit)
Store syncInfo on the dom-if, but null it in teardown. (same as invalidProps for non-fastDomIf) (commit)
Fixes for several related dom-repeat chunking issues. Fixes #5631. Only restart chunking (resetting the list to the initialCount) if the items
array itself changed (and not splices to the array), to match Polymer 1 behavior. Add reuseChunkedInstances
option to allow reusing instances even when items
changes; this is likely the more common optimal case when using immutable data, but making it optional for backward compatibility. Only measure render time and throttle the chunk size if we rendered a full chunk of new items. Ensures that fast re-renders of existing items don't cause the chunk size to scale up dramatically, subsequently causing too many new items to be created in one chunk. Increase the limit by the chunk size as part of any render if there are new items to render, rather than only as a result of rendering. * Continue chunking by comparing the filtered item count to the limit (not the unfiltered item count). (commit)
Update comment. (commit)
Store syncInfo on instance and don't sync paths. Fixes #5629 (commit)
Avoid Array.find (doesn't exist in IE) (commit)
Add comment to skip. (commit)
Skip test when custom elements polyfill is in use (commit)
Copy flag to a single location rather than two. (commit)
Lint fix. (commit)
Update test name. (commit)
Introduce opt-out per class for legacyNoObservedAttributes
(commit)
Ensure telemetry system works with legacyNoObservedAttributes
setting (commit)
Update package-lock.json (commit)
Update test/unit/inheritance.html (commit)
Fix testing issues with latest webcomponentsjs (commit)
Allow undefined
in legacy _template field to fall-through to normal lookup path. (commit)
re-add npm cache (commit)
regen package-lock (commit)
mispelled services, node 10 for consistency (commit)
modernize travis (commit)
Adds support for imperatively created elements to legacyNoObservedAttributes
(commit)
Rebase sanitize dom value getter onto legacy-undefined-noBatch (#5618) (commit)
Add getSanitizeDOMValue to settings API (#5617) (commit)
FIx closure annotation (commit)
Fix closure annotation. (commit)
legacyNoObservedAttributes
: Ensure user created runs before attributesChanged (commit)
Enable tests for legacyNoObservedAttributes
(commit)
Only auto-use disable-upgrade if legacyOptimizations is set. (commit)
Adds disable-upgrade functionality directly to LegacyElementMixin (commit)
Add doc comment (commit)
Lint fixes. (commit)
Update externs. (commit)
Update extern format. (commit)
Address review feedback. (commit)
Address review feedback (commit)
Lint fixes. (commit)
Adds legacyNoAttributes
setting (commit)
[ci skip] update changelog (commit)
Update polymer externs for new settings. (commit)
Update lib/utils/settings.js (commit)
Changes based on review. (commit)
Add basic support for adoptedStyleSheets
(commit)
[ci skip] Add/fix comments per review. (commit)
Add missing externs for global settings. (commit)
Revert optimization to not wrap change notifications. This was causing a number of rendering tests to fail. Needs investigation, but possibly because wrapping calls ShadyDOM.flush, and this alters distribution timing which some tests may have inadvertently relied on. (commit)
Reintroduce suppressTemplateNotifications and gate Dom-change & renderedItemCount on that. Matches Polymer 1 setting for better backward compatibility. (commit)
Add notifyDomChange back to dom-if & dom-repeat to match P1. (commit)
Simplify host stack, set __dataHost unconditionally, and make _registerHost patchable. (commit)
Move @private annotation to decorate class definition. (commit)
Add type for _overrideLegacyUndefined. (commit)
Attempt to fix travis issues (commit)
Revert isAttached
change based on review feedback. Deemed a breaking change. (commit)
Update travis to use xenial distro and, latest Firefox, and node 10 (commit)
Applies micro-optimizations and removes obsolete settings (commit)
Work around Closure Compiler bug to avoid upcoming type error (commit)
Only import each file once (#5588) (commit)
Avoid Array.from on Set. (commit)
Update nested template names. (commit)
Add runtime stamping tests around linking & unlinking effects. (commit)
Ensure parent is linked to child templateInfo. Fixes fastDomIf unstopping issue. (commit)
Remove unused TemplateInfo properties from types. (commit)
Add other used TemplateInfo property types. (commit)
Add type for TemplateInfo#parent. (commit)
[ci-skip] Add comment explaining confusing check in _addPropertyToAttributeMap (commit)
Ensure clients are flushed when runtime stamping via _stampTemplate
. Maintains flush semantics with Templatizer stamping (relevant to fastDomIf, which is a switch between Templatizer-based stamping and runtime _stampTemplate-based stamping). Works around an issue with noPatch
where nested undistributed dom-if's won't stamp. The changes to the tests are to remove testing that the full host tree is correct since the host doing the runtime stamping will no longer be the DOM getRootNode().host at ready time (this is exactly the case with Templatizer, whose semantics we intend to match). (commit)
Fix template-finding issue with DisableUpgrade mixin. The existing rules are that prototype._template
is first priority and dom-module via is
is second priority for a given class. A subclass has a new shot at overriding the previous template either by defining a new prototype._template
or a new is
resulting in a dom-module lookup. However, trivially subclassing a Polymer legacy element breaks these rules, since if there is no own prototype._template
on the current class, it will lookup a dom-module using is
from up the entire prototype chain. This defeats the rule that a prototype._template
on the superclass should have taken priority over its dom-module. This change ensures that we only lookup dom-module if the class has an own is property. (commit)
Fix issue with camel cased properties and disable-upgrade (commit)
More closure fixes. (commit)
closure fixes (commit)
lint fixes (commit)
Fix issue with defaults overriding bound values when disable-upgrade is used. (commit)
Add closure types (commit)
Use DisbleUpgradeMixin in legacy class generation (commit)
Add comment about why code is duplicated. (commit)
Add tests for connected/disconnected while disabled (commit)
Improve comments. (commit)
Added comments. (commit)
Fix typo and improve readbility (commit)
Enable disable-upgrade when legacyOptimizations
is set to true (commit)
Remove use of Object.create on template info (significant perf impact). (commit)
Attempt to sync host properties on every call to _showHideChildren. Fixes an issue where a dom-if that is toggled synchronously true-false-true could fail to sync properties invalidated while false, since the hidden state is only checked at render timing, and the newly added dirty-check could fail if the hidden state has been changed back to its initial value. (commit)
Add tests for extension and dom-if/repeat (commit)
Update stand alone disable-upgrade mixin. (commit)
Remove cruft from test (commit)
Simplify logic for disable-upgrade (commit)
Use a safer flag, based on internal testing. (commit)
Reorder based on review feedback. (commit)
Fix closure type. (commit)
Updated comment. (commit)
Ensure hasPaths is also accumulated as part of info necessary to sync. (commit)
Fix one more closure annotation. (commit)
Simplify algorithm; we already have list of computed deps in effect list. (commit)
Build computed graph from dependencies, rather than properties. (commit)
Fix closure annotations for dom-if. (commit)
Avoid lint warnings. (commit)
Minor simplifications/comments. (commit)
Updates from review. (commit)
Closure type fixes. (commit)
Initialize all settings from Polymer object when available. (commit)
Fix host prop merging. (commit)
Updates based on review. (commit)
Fix defaults back to false for new settings. (commit)
Add a dirty check to showHideChildren (commit)
Fix host property syncing (commit)
Adds disable-upgrade directly into legacy Polymer
elements (commit)
Refactor DomIf into separate subclasses. (commit)
Runtime stamped dom-if (commit)
dom-if/dom-repeat bind-to-parent (commit)
Fix a few closure compiler issues (commit)
[ci skip] Add comment (commit)
Fix typo in comment (commit)
Cleanup, add tests. remove old implementation add API docs rename some API add dynamicFn to dep count * add test for method as dependency (commit)
[wip] Add additional topo-sort based algorithm. (commit)
Dedupe against a single turn on only under orderedComputed (commit)
Fix closure issues (commit)
Add hasPaths optimziation (commit)
Minor comment updates (commit)
Evaluate computed property dependencies first. Fixes #5143 (commit)
Add more externs (commit)
Fix lint warnings (commit)
Add comments per review feedback (commit)
Add legacyNotifyOrder. Improve comments. (commit)
Add test for literal-only static function. (commit)
Remove unnecessary literal check (commit)
Simplify (commit)
Add templatizer warnings. Move to legacyWarnings flag. (commit)
Add legacyUndefined and legacyNoBatch to externs (commit)
NOOP has to be an array for closure compiler (commit)
Add comments on warning limitations. (commit)
Ensure properties are set one-by-one at startup. (commit)
Remove unnecessary qualification. (commit)
Avoid over-warning on templatizer props and "static" dynamicFns. (commit)
Store splices directly on array when legacyUndefined
is set (commit)
Fix test (commit)
Add arg length check (commit)
Adds legacyNoBatch
setting (commit)
Add tests for legacyUndefined
setting (commit)
Adds legacyUndefined
setting (commit)
[ci skip] Update version to 3.3.0 (commit)
Don't import/export from the same file twice (#5562) (commit)
Add @override, remove @attribute/@group/@hero/@homepage (commit)
Closure compilation tweaks (commit)
Add @return description (commit)
Fix some Closure annotations (commit)
Pin to firefox 66 because of selenium error (commit)
Fix eslint errors. (commit)
Add some casts for places Closure doesn't understand constructor (commit)
Add new mixin annotations, remove GestureEventListeners alias (commit)
Align signatures of attributeChangedCallback (commit)
Add @return annotation for PROPERTY_EFFECT_TYPES getter (commit)
Annotate __dataEnabled in a way analyzer understands (commit)
Fix old global namespace type annotation for TemplateInstanceBase (commit)
Add @suppress annotation for use of deprecated cssFromModules (commit)
Fix GestureEventListeners generated externs name. (commit)
Globally hide dom-{bind,if,repeat} elements with legacyOptmizations on (commit)
Update dependencies to fix firefox 67 tests (commit)
Sync closure compiler annotations (commit)
remove unused variable in test (commit)
remove debugger line (commit)
Make sure scopeSubtree does not recurse through other ShadowRoots (commit)
Don't set display: none under legacyOptimizations. Fixes #5541. (commit)
Use Array.from instead of a list comprehension (commit)
Add check for // (commit)
Use native qSA (commit)
Implement scopeSubtree for ShadyDOM noPatch mode (commit)
Remove unneccessary test (commit)
Add URL try/catch (commit)
Upstreaming cl/245273850 (commit)
Allow configuring cancelling synthetic click behavior (commit)
Add test for class$ binding (commit)
Fix class$ bindings for ShadyDOM.noPatch mode (commit)
Add test for resolveUrl('//') (commit)
Check directly for // in resolveUrl because it isn't a valid URL (commit)
Run resolveUrl for protocol-relative urls (#5530) (commit)
Fix lint (commit)
Cast GestureEventListeners. (commit)
Work around https://github.com/google/closure-compiler/issues/3240 (commit)
Fix localTareget
when ShadyDOM.noPatch
is in use (commit)
webcomponentsjs 2.2.10 (commit)
upgrade dependencies. (commit)
upgrade webcomponentsjs to 2.2.9 (commit)
[ci skip] Add comment (commit)
Use attachShadow({shadyUpgradeFragment})
(commit)
Remove test.only (commit)
Ensure wildcard arguments get undefined treatment. Fixes #5428. (commit)
Fix typo (commit)
Fix className
on browsers without good native accessors (commit)
don't depend on attachDom
existing. (commit)
Simplify (commit)
Avoid upgrading template if no hostProps, for better perf. (commit)
Update webcomponents dev dependency for testing className fix (commit)
fix closure compiler error (commit)
fix lint issues (commit)
Address review feedback via comment. (commit)
Ensure className
bindings work correctly when ShadyDOM.noPatch
is used. (commit)
Remove use of TreeWalker for finding nodes in templates. (commit)
Remove Google+ links in README.md and CONTRIBUTING.MD (commit)
Use correct ShadyDOM API: attachDom
(commit)
Use ShadyDOM.upgrade
(commit)
[ci skip] update polymer version (commit)
Fix lint (commit)
Add tests. (commit)
Ensure debouncer is removed from queue before running callback. (commit)
Don't clear set at end for flush reentrancy safety; canceling removes from set (commit)
Assert the callback was called. (commit)
Ensure the debouncer is not already canceled before canceling. (commit)
Fix a couple of closure type issues. gestures - update internal type changes debounce - fix mistaken return type (commit)
Revert to getStyle()
(commit)
Fix getStyle definition (commit)
Add extra test (commit)
Use in check rather than undefined. (commit)
Allow value to merge from previous behavior property declaration. Fixes #5503 (commit)
Fix/suppress upcoming JSCompiler build errors (commit)
Add comment about flush order when re-debouncing (commit)
FIx lint (commit)
Remove debug code (commit)
Re-add the queue removal in setConfig (commit)
Remove debug code (commit)
Remove test.only (commit)
Fix order of flushed debouncers to match 1.x (commit)
Add comments and avoid Array.fill (commit)
Use set and clear debouncer upon completion. Fixes #5250. (commit)
Added comment based on review feedback. (commit)
Add property reflection to notify path and friends calls to support closure-compiler renaming. (commit)
Add classList
to Polymer.dom
when ShadyDOM.noPatch
is used (commit)
Update externs from internal (commit)
Use webcomponents 2.2.7 for initialSync tests (commit)
Add @fileoverview
, put @suppress
after it (commit)
address feedback (commit)
use JSCompiler_renameProperty bare (commit)
Remove semicolon after class definition (lint). (commit)
Refactor symbols to make gen-typescript-declarations happy (commit)
Ensure argument types match. (commit)
Backport closure compiler fixes from internal (commit)
Fix test warning in Edge/IE (commit)
Fix test in IE/Edge (commit)
Update package-lock (commit)
Update webcomponents vesrion. (commit)
Remove unused import (commit)
Add comment re: undefined issue (commit)
Move undeclared property warning to element-mixin. (commit)
Add issue for TODO (commit)
Upgrade wcjs (commit)
Fix lint errors. (commit)
Upgrade wcjs (commit)
Updates based on review. (commit)
Add better messaging for scoping test (commit)
Remove addressed TODO comment. (commit)
Clarify warning. Add comment. (commit)
Add warnings for disabling boolean settings. (commit)
Upgrade webcomponentsjs (commit)
Upgrade webcomponentsjs (commit)
Refactor to make code more readable, add tests, remove dead code. (commit)
Adds syncInitialRender
setting (commit)
Ensure that marshalArgs pulls wildcard info value from data It currently pulls the value from changedProps
rather than data, meaning it could provide stale data for re-entrant changes. (commit)
Fix lint warning (commit)
Add warning for redeclared computed properties. (commit)
Add warning for undeclared properties used in bindings. (commit)
Make initial distribution synchronous when legacyOptimizations
is set (commit)
Ensure dispatchEvent is wrapped (commit)
Disable auto strip-whitespace
on template with legacyOptimizations (commit)
Add tests for calling Polymer() with ES6 class (commit)
use a regular for-loop intead of for-of (commit)
Lint clean (commit)
Remove @override
from static methods on mixins. (commit)
Externs should use var instead of let (commit)
Add @suppress annotations for missing property checks. (commit)
Allow Polymer({})
calls with ES6 class (commit)
[wrap] Fix doc comment. (commit)
Fix typo (commit)
Make sure _valueToNodeAttribute
uses wrap (commit)
Suppress upcoming jscompiler errors. (commit)
compromise with typescript and closure (commit)
Closure typing fixes (commit)
Add type jsdoc to templatize root property. (commit)
Remove meaningless "undefined" in settings.js (commit)
Make noPatch
safe with older versions of ShadyDOM (commit)
Temporarily disable type genration (commit)
Changes based on review. (commit)
Changes based on review. (commit)
More shady compatible wrapping (commit)
Fix typos (commit)
Update to match 2.x branch (commit)
Revert "Manual merge from perf-opt-disable-upgrade
branch." (commit)
Update Polymer 3 package-lock. (commit)
Update to webcomponentsjs 2.2.0 (commit)
Update to latest webcomponentsjs (commit)
Manual merge from perf-opt-disable-upgrade
branch. (commit)
Remove double-import of settings (commit)
Document properties for eslint. (commit)
Add back event tests. (commit)
Use closure-safe name (commit)
Add tests (commit)
Ensure properties and observers are interleaved per behavior (commit)
Ensure property values are always overridden by extendors/behaviors (commit)
Ensure registered
is always called on element prototype (commit)
err instead of air (commit)
Do lazy behavior copying only when legacyOptimizations
is set (commit)
Behavior property copying fixes (commit)
Ensure initial static classes are preserved when a class$ binding is present (commit)
Get typescript compiling again. (commit)
Remove extra space (commit)
Avoid copying certain properties from behaviors (commit)
skip some tests that never really worked in ShadyDOM (commit)
Move __activateDir into check instead of replace (commit)
Don't set up observer in ShadyDOM (commit)
Manually merge changes from #5418 (commit)
Fix merge conflict around toggleAttribute (commit)
Get Polymer compiling clean under closure recommended flags (commit)
Apply LegacyDataMixin to TemplatizeInstanceBase. Fixes #5422 (commit)
TemplateStamp (commit)
Fixes #5420 (commit)
Lint fix (commit)
Updates ported from perf-opt
branch (commit)
rename test file. (commit)
Check for ShadyDOM and :dir
selectors before trying css transform (commit)
Rename Closure V1 compatibility PolymerDomApi types for TypeScript types. (commit)
Hybrid compatibility for PolymerDomApi and Polymer.Iconset types. (commit)
Fix another unsafe property assignment in Polymer. (commit)
Add explicit null template for array-selector (commit)
remove cruft (commit)
Adds basic legacy support for ShadyDOM.unPatch (WIP) (commit)
[ci skip] update changelog (commit)
Adds setting to skip style incudes and url rewriting (commit)
restores functionality of Polymer.mixinBehaviors (commit)
Avoids using mixins for behaviors. (commit)
Fix jsdoc comment (commit)
Upstream warning text. (commit)
Upstream changes to externs (commit)
update dependencies (commit)
Add beforeRegister callback to externs (commit)
Make toggleAttribute match with native signature (#5372) (commit)
Fixed typos on lines 133 and 157 (#5409) (commit)
Fix signature of toggleAttribute to match native version (#5370) (commit)
Update jsdoc for PropertyEffects.splice (#5367) (commit)
Expand type of LegacyElementMixin#listen and unlisten to accept EventTargets. (commit)
Update gen-closure-declarations to 0.5.0 (#5360) (commit)
Add TypeScript types for observer parameters. (#5359) (commit)
Add missing return type to attributeChanged (commit)
Add specific type for behaviors (commit)
Improve typings for legacy elements (commit)
Add @export (commit)
Improve types of flattened-nodes-observer further. (commit)
Add cast for compilation (commit)
Only generate types once on Travis (commit)
Move type generation from prepack to prepare (commit)
Collapse imports for file into one statement (commit)
Cleanup modulizer conversion leftovers (#5347) (commit)
Add comments re: need for mixing in before metaprogramming (commit)
regen-package-lock (commit)
Don't run Firefox in headless mode. (commit)
Fix jsdoc syntax. (commit)
Updates based on code review. Add computed tests. (commit)
Use type generator binary instead of gulp script. (commit)
Remove unnecessary @const. (commit)
Add return description. (commit)
Grandfather defaulting sanitizeDOMValue from legacy Polymer object. (commit)
Minor changes to formatting and jsdoc (commit)
Update paths in gulpfile (commit)
Fix mixin jsdoc. (commit)
Add legacy-data-mixin as 1.x->2.x/3.x migration aide. Fixes #5262. (commit)
Fix jsdoc to pass lint (commit)
Add documentation to boot.js (commit)
The return type of mixinBehaviors is unknown (commit)
Export EventApi, same as DomApi (commit)
Remove undocumented logging feature (#5331) (commit)
Cleanup element-mixin leftovers from modulizer (commit)
Use case-map lib in a saner way. (commit)
Fix a grab bag of closure compiler warnings. (commit)
Protect DomModule.import against renaming (commit)
Add @nocollapse for jscompiler (commit)
Ensure boot.js can only be parsed as a module (commit)
Use simpler class declaration and export form (#5325) (commit)
Ensure unresolved.js is an es module (#5324) (commit)
Move version to ElementMixin prototype (commit)
Use relative path module specifier in gen-tsd autoImport setting. (commit)
Update TemplateStamp event listen param types from Node to EventTarget. (#5320) (commit)
Add test for direct assignment to template. (commit)
Add a template setter to ElementMixin. (commit)
Export the current Polymer version in polymer-element.js (commit)
Make Polymer gestures library safe for Closure property renaming (take 2). (#5314) (commit)
Make event notification handler read the value from currentTarget, (#5313) (commit)
[ci skip] update changelog (commit)
Upstream externs changes for DomRepeatEvent (commit)
Back to single template getter. Add more comments. (commit)
Revert to legacy template getter, update tests. (commit)
More updates based on code review. (commit)
Fix allowTemplateFromDomModule opt-in (commit)
Fix lint warnings. (commit)
Updates based on code review. (commit)
npm upgrade dependencies (commit)
Fix lint warnings. (commit)
Catch errors on top window using uncaughtErrorFilter Works around safari quirk when running in iframe (commit)
Fix latent (benign) error thrown when removing dom-if via innerHTML. (commit)
Use setting via setStrictTemplatePolicy export. (commit)
Add tests. (commit)
Implement opt-in strictTemplatePolicy
(flag TBD) - disable dom-bind - disable dom-module template lookup - disable templatizer of templates not stamped in trusted polymer template (commit)
Ensure properties is only called once (commit)
Remove dom-module in test (commit)
use released versions of shadycss and webcomponentsjs (commit)
Bump dependencies (commit)
Run Chrome & FF serially to try and help flakiness (commit)
Fix lint warning (commit)
Bump to cli 1.7.0 (commit)
Removing support for returning strings from template getter. (Per previous documented deprecation: https://www.polymer-project.org/2.0/docs/devguide/dom-template#templateobject) (commit)
Fix typos and nits (commit)
Update to Gulp 4 (commit)
Add serve command to package.json and update package-lock.json (commit)
Fix for browsers that don't have input.labels. (commit)
Tweak introductory note, fix webpack capitalization (commit)
gestures: Avoid spreading non-iterable in older browsers (commit)
wip (commit)
Readme: very small tweaks (commit)
Tweak wording. (commit)
Fix link (commit)
Re-order sections (commit)
Fix LitElement typo (commit)
Depend on polymer-cli rather than wct (commit)
Minor tweaks (commit)
Update README for 3.x (commit)
Update Edge testing versions. (commit)
Exclude all Edge versions from keyframe/font tests. (commit)
Update wcjs version. (commit)
Add .npmignore file (#5215) (commit)
Use node 9 (commit)
Use module flags for wct (commit)
Use babel parser for aslant for dynamic import. (commit)
Fix lint errors. (commit)
3.0.0-pre.13 (commit)
[package.json] Remove version script (commit)
Update dependencies (commit)
Fix test typo on Chrome (commit)
Fixes IE11 test issues (commit)
Fixes styling tests related to using HTML Imports (commit)
Remove crufty global (fixes globals.html test) (commit)
Update to webcomponents 2.0.0 and webcomponents-bundle.js (commit)
Fix meaningful whitespace in test assertion (commit)
Fix latent mistake using old SD API (commit)
Add global for wct callback when amd compiling (commit)
Eliminate pre-module code from resolveUrl tests (commit)
Improve documentation and legibility. (commit)
Add some global whitelists (commit)
Fix references to js files instead of html files (commit)
Fix glob patterns for eslint (commit)
Fix ESLint warnings (commit)
Eliminate more canonical path usage (commit)
Eliminate canonical path to wcjs (commit)
Remove extra polymer-legacy.js imports (commit)
Clean up Polymer fn import (commit)
Add WCT config used by all tests (commit)
Clean up exports (commit)
Allow Polymer fn's call to Class to be overridden. (commit)
add sill-relevant, deleted tests back in (commit)
manually change inter-package dep imports from paths to names (commit)
manually add assetpath (import.meta.url) for tests that require it (commit)
move behavior definition to before usage (commit)
define omitted class declaration (commit)
remove < and replace with < for innerHTML (commit)
fixed typo causing test to fail (commit)
fix missing dom-module in modulization (commit)
revert module wait (commit)
wait for elements in other modules to be defined (commit)
no more undefined.hasShadow (commit)
removed link rel import type css tests (commit)
delete debugger (commit)
skip link rel import type css tests on native imports (commit)
add missing css html import (commit)
remove importHref tests (commit)
Import Polymer function in tests from legacy/polymer-fn.js (commit)
Export Polymer function from polymer-legacy.js (commit)
Add new wct deps. (commit)
Fixup a few places where comments were misplaced. (commit)
Fixup license comments. (commit)
Update package.json from modulizer's output, set polymer-element.js as main. (commit)
Replace sources with modulizer output. (commit)
Rename HTML files to .js files to trick git's rename detection. (commit)
Delete typings for now. (commit)
Add reasoning for suppress missingProperties (commit)
Don't rely on dom-module synchronously until WCR. (commit)
Avoid closure warnings. (commit)
Add ability to define importMeta on legacy elements. Fixes #5163 (commit)
Allow legacy element property definitions with only a type. Fixes #5173 (commit)
Update docs. (commit)
Use Polymer.ResolveUrl.pathFromUrl (commit)
Fix test under shadydom. Slight logic refactor. (commit)
Fix lint warning (commit)
Add importMeta getter to derive importPath from modules. Fixes #5163 (commit)
Reference dependencies as siblings in tests. (commit)
Update types (commit)
Add note about performance vs correctness (commit)
Update types. (commit)
Lint clean. (commit)
Pass through fourth namespace param on attributeChangedCallback. (commit)
Add a @const annotation to help the Closure Compiler understand that Polymer.Debouncer is the name of a type. (commit)
[ci skip] update changelog (commit)
Update docs and types (commit)
Update perf test to use strict-binding-parser (commit)
Correct import paths (commit)
Only store method once for dynamic functions (commit)
Move strict-binding-parser to lib/mixins (commit)
Rename to StrictBindingParser (commit)
Fix linter errors (commit)
Extract to a mixin (commit)
Add missing dependency to bower.json (commit)
Fix linter warning (commit)
Add documentation (commit)
Add performance test for binding-expressions (commit)
Rewrite parser to use switch-case instead of functions (commit)
Remove escaping from bindings (commit)
Fix linter warning (commit)
Refactor to be functional and add more tests (commit)
Fix linter warnings (commit)
Rewrite expression parser to state machine (commit)
Use function instead of Set (commit)
[ci skip] Fix typo (commit)
Fix test in shady DOM (commit)
Deduplicate style includes (commit)
use a clearer test for shadowRoot (commit)
Returning null in template should nullify parent template (commit)
[ci skip] Add clarifying comment (commit)
Correct the JSBin version (commit)
Put attribute capitalization fix in property-effects (commit)
Add note about pre v3 releases (commit)
Add note for npm package (commit)
Add iron-component-page dev-dependency (commit)
Update several gulp dependencies (commit)
Update dom5 to 3.0.0 (commit)
Update Google Closure Compiler version and fix cast (commit)
Update types (commit)
Fix several issues in the documentation of dom-* elements (commit)
Handle disabled
attribute correctly for tap gesture (commit)
add test case for nested label (commit)
Add docs and cleanup matchingLabels (commit)
Add tests (commit)
update types (commit)
fix tests and add dependency import (commit)
fix typings (commit)
Ensure DisableUpgradeMixin extends PropertiesMixin (commit)
Format comment and remove deduping mixin (commit)
update types (commit)
update types (commit)
Add mixin to automatically detect capitalized HTML attributes (commit)
Add instructions for locally viewing the source documentation (commit)
Simplify condition checking in stylesFromModule function (commit)
Bump type generator and generate new typings. (#5119) (commit)
dispatchEvent returns boolean (#5117) (commit)
Update types (commit)
Fix license links (commit)
Fix issue with not genering the Templatizer docs (commit)
Bump TS type generator to pick up transitive mixin handling. (commit)
Remove unnecessary mutableData property from MutableData mixin (commit)
Update types (commit)
Add note to updateStyles regarding updates to CSS mixins (commit)
Avoid timing issues with polyfilled Promise (commit)
Revert use of async/await due to lack of build/serve support. (commit)
Revert types. (commit)
Update eslint parserOptions to es2017 for async/await support. (commit)
Use stronger check for PropertyEffects clients. Fixes #5017 (commit)
Remove unneeded file (commit)
[PropertiesChanged]: allow old data to be gc'd after _propertiesChanged
(commit)
Update package-lock.json (commit)
Make Travis update-types failure style the same as the elements. (commit)
Bump TypeScript generator version. (commit)
Make EventApi.path EventTarget type non-nullable. (commit)
Lint and type fixes (commit)
[PropertiesChanged]: adds _shouldPropertiesChange (commit)
Update docs: templatize() cannot be called multiple times (commit)
[ci skip] update changelog (commit)
Update types. (commit)
Fix JSDoc example formatting (commit)
Use latest webcomponents polyfill bundle (commit)
Fix label tap by checking matched label pairs (commit)
Defer creation related work via disable-upgrade
(commit)
lint fixes (commit)
Adds Polymer.DisableUpgradeMixin
(commit)
Update types (commit)
Update JSDocs to use <dom-repeat> tags (commit)
Fix type declarations inadvertedtly referencing Polymer.Element. (#5084) (commit)
Use class syntax in <dom-repeat> documentation (#5077) (commit)
Add hash/abs URL resolution tests. (commit)
Update types. (commit)
Add comments about resolveUrl idiosyncrasies. (commit)
Revert "Move absolute url logic to element-mixin" (commit)
Added Polymer.version to polymer-externs (#5079) (commit)
Avoid tracking parentNode since it's unncessary (commit)
Update types. (commit)
Fix nit. (commit)
Avoid comment constructor for IE support. (commit)
Disallow non-templates as interpolations in Polymer.html (#5023) (commit)
Exclude index.html from type generation. (#5076) (commit)
update types (commit)
[element-mixin] Do not create property accessors unless a property effect exists (commit)
Use containers for testing again (#5070) (commit)
Invoke JS compiler rename for properties (commit)
Add package-lock.json back (commit)
fix test. (commit)
Enhance robustness by replacing slot with a comment (commit)
Avoid use of element accessors on doc frag to fix IE/Edge. (commit)
Fix linter errors (commit)
Fix issue with observers being called twice (commit)
Revert package-lock change (commit)
[ci-skip] Update changelog (2.4.0) (commit)
Add package-lock.json to .gitignore (commit)
Update types (commit)
Add comments re: instanceProps (commit)
Change if-condition to check for arguments.length (commit)
Delete package-lock.json (commit)
[ci skip] Fix test case name (commit)
Fix issue where el.splice could not clear full array (commit)
Make owner optional as well. (commit)
Update package-lock.json (commit)
Update typescript types again, after fixing jsdoc. (commit)
Fix lint warnings. (commit)
Update typescript types. (commit)
Ensure path notifications from templatized instances don't throw. Fixes #3422 (commit)
Allow templatizer to be used without owner or host prop forwarding. Fixes #4458 (commit)
Templatize: remove slots when hiding children (commit)
Clarify API docs for PropertyAccessors mixin (commit)
Simplify code for <dom-repeat>'s sort
and filter
properties (commit)
fix test for normal escaping (commit)
Use javascript string escaping in Polymer.html (commit)
[ci skip] Add CODEOWNERS file (#5061) (commit)
Fix incorrect path modification in dom-repeat __handleObservedPaths() (#4983) (#5048) (commit)
Skip certain tests in Edge 16 (commit)
add Edge 16 testing (commit)
Fix tests (#5050) (commit)
Update to latest wct. (commit)
HTTPS, please (commit)
Remove unnecessary limit check (commit)
Fix documentation in typescript (commit)
test(logging): improve _log with single parameter with sinon.spy (commit)
Add article "a" (commit)
Update mixinBehaviors annotation. Behaviors don't satisfy PolymerInit. (#5036) (commit)
add correct return type for querySelectorAll
(#5034) (commit)
Gestures: fall back to event.target when composedPath is empty. (#5029) (commit)
add void return type annotations (#5000) (commit)
Easy script to update closure and typescript typings (#5026) (commit)
Prefer jsBin since glitch.me requires signin to not be gc'ed. (commit)
Note that glitch editing environment is not IE11 friendly. (commit)
Add links to glitch.me template using polyserve. Fixes #5016 (commit)
Update .travis.yml (commit)
[ci skip] Add comment to aid archeology (commit)
Move absolute url logic to element-mixin (commit)
Use double tabs (commit)
indentation fix (commit)
Remove trailing spaces and extra lines in CONTRIBUTING.md (commit)
test(logging.html): #5007 make sure _logger called one time (commit)
_loggertest(logging.html): make seperate test suite for _logger (commit)
test(logging.html): missing semicolon (commit)
test(logging): _log with single parameter #5007 (commit)
fix(legacy-element-mixin): syntax error in _logger (commit)
fix(legacy-element-mixin): _log with single parameter #5006 (commit)
Fix settings so that its properly picked up by both gen-ts and modulizer (commit)
Unbreak the build by changing back the type (commit)
Enable gulp generate-typescript on Travis (commit)
Make sure that Travis fails when there are non-updated generated files (commit)
run gulp generate-typescript
(commit)
fix ArraySplice types to more closely match code (commit)
[ProperitesChanged] Fix deserialization (#4996) (commit)
fix(FlattenedNodesObserver): do not fail on node without children (commit)
Address latest round of comments. (commit)
Update PropertyEffects interface name in remap config. (commit)
Tighten more types for TypeScript and Closure (#4998) (commit)
Add renameTypes config. (commit)
New typings. (commit)
Bump gen-typescript version. (commit)
Tighten Closure type annotations. (#4997) (commit)
Mark some FlattenedNodesObserver things private. (commit)
Add TypeScript equivalent to Closure ITemplateArray. (commit)
Fix compilation errors. (commit)
Use glob patterns instead of RegExps to exclude files. (commit)
Bump version of gen-typescript-declarations. (commit)
Handle case where there are no elements in the template (commit)
Update various Polymer annotations to constrain generated types. (commit)
Fix typo in comment (commit)
Fix regression with imported css (commit)
Bring in latest gen-typescript-declarations updates. (commit)
Apply listeners
in constructor rather than ready
(commit)
Replace disconnectedCallback
stub since this change is breaking. (commit)
Minor fixes (commit)
Fix html-tag import path. (commit)
Update CHANGELOG. (commit)
Fix import path for html-tag. (commit)
Add generated TypeScript declarations. (commit)
Add script to generate TypeScript declarations. (commit)
Annotate klass class as @private. Annotate that dedupingMixin returns T. (commit)
fix eslint error for unused var in _setPendingProperty (commit)
fix closure typing with Polymer.html function (commit)
re-add AsyncInterface definition, fix comment (commit)
Avoid _setPendingProperty warning due to types not understanding deduping mixin. (commit)
[ci skip] Update changelog (commit)
add test for legacy Polymer({}) elements (commit)
Rename html-fn to html-tag (commit)
Fix most closure warnings. (commit)
Add back disconnectedCallback. (commit)
Merge with master (commit)
Move function out of closure. Add comments. (commit)
[ci skip] TODO for link to docs and comment spellcheck (commit)
Use values.reduce instead of a temporary array (commit)
Add deprecation notice for class.template returning a string (commit)
[skip-ci] update comment for Polymer.html (commit)
remove null/undefined to empty string (commit)
Address feedback (commit)
html
tag function for generating templates (commit)
Add example for flattened-nodes-observer (commit)
Minor updates based on review. (commit)
Use correct assertation. (commit)
Add tests for non-JSON literals on object props. (commit)
Remove PropertiesElement in favor of PropertiesMixin. (commit)
FIx typo (commit)
Skip test in old browsers. (commit)
Remove propertyNameForAttribute
since it's never needed. (commit)
Fix subclassing and simplify. (commit)
Move property<->attribute case mapping to PropertiesChanged. (commit)
Allow non-JSON literals when property type is "Object". (commit)
Update tests (commit)
[PropertiesMixin] Fix mapping property names from attributes (commit)
Add test for observing id attribute. (commit)
Cleanup based on review. (commit)
Fix deserializing dates. (commit)
Factoring improvements around attribute serialize/deserialize (commit)
Remove crufty comment. (commit)
Lint fix (commit)
Add tests for setting custom attribute
name (commit)
Expose less protected data. (commit)
ElementMixin uses PropertiesMixin for (commit)
PropertiesMixin (commit)
PropertyAccessors (commit)
PropertiesChanged (commit)
Force literal true` to be set as an attribute with a value of empty string. (commit)
Better attribute suppport (commit)
fix some formatting and closure linting (commit)
Lint fixes. (commit)
Renamed basic element to properties element (commit)
Implement basic-element
with properties-changed
(commit)
Fix lint issues (commit)
Improve docs and add test for case conversion. (commit)
Add test to runner. (commit)
Adds Polymer.BasicElement
(commit)
Factor PropertiesChanged out of PropertyAccessors (commit)
Add accessor
property to properties object (commit)
Factor to treeshake better (commit)
[ci skip] commit new version in lib/utils/boot.html when using npm version (commit)
change PolymerElement extern to var (commit)
update node devDependencies (commit)
fix lint error (commit)
Fix :dir selectors with nested custom elements (commit)
Update test to be more descriptive (commit)
Annotate Polymer function with @global. (#4967) (commit)
make PASSIVE_TOUCH take an argument (commit)
Do not set touchend listeners to passive (commit)
Add some @function annotations to APIs that are defined by assignment. (commit)
add return jsdoc to void functions (commit)
Update CONTRIBUTING.md (commit)
Fix typo. (commit)
Comment reworded based on feedback. (commit)
Semantic issue (proposal) plus minor fixes (commit)
Depend on webcomponents and shadycss with shady-unscoped support (commit)
Also clarify delay
units. Fixes #4707 (commit)
Ensure re-sort/filter always happens after array item set. Fixes #3626 (commit)
Clarify docs on target-framerate. Fixes #4897 (commit)
move test after (commit)
test more permutations (commit)
Fix missing comma in Path.translate
JSDoc (commit)
fix(bower): standardized version tagging (#4921) (commit)
Minor fixes (update URLs) (commit)
add license headers (commit)
Prep for processing of shady-unscoped
moving to ShadyCSS (commit)
Implement type change in Polymer.ElementMixin (commit)
instance.$.foo should only give Elements (commit)
Annotate DomApi with @memberof Polymer (commit)
Clarify all elements between changes must apply mixing. Fixes #4914 (commit)
add safari 11 to sauce testing (commit)
Fix tests on Firefox. (commit)
Update externs again. (commit)
Update externs. (commit)
Lint fixes (commit)
Allow style elements to be separate in the element template. (commit)
Lint fix. (commit)
Add support for styles with a shady-unscoped
attribute (commit)
[ci skip] Update CHANGELOG (commit)
[ci skip] version script did not work as expected (commit)
adding test case for 4696 4706 (commit)
Support property observers which are direct function references in addition to strings. Provides better static analysis and refactoring support in multiple tools. Alleviates the need for property reflection with Closure-compiler renaming. (commit)
removing package-lock.json from PR (commit)
implementing the code review suggestions (commit)
Updating deserialize function (use of ternary operation). Fixes #4696 (commit)
Updating deserialize function. Fixes #4696 (commit)
[ci skip] bump version to 2.1.0 (commit)
Port #3844 to 2.x (commit)
Provide a Polymer.setPassiveTouchGestures()
function (commit)
Make sure closure types have braces (commit)
a few more comments in return (commit)
Fix setting, add smoke test (commit)
Optional passive touch listeners for gestures (commit)
Don't have return /** comment */
lines (commit)
[ci skip] disable closure lint for now (travis java errors) (commit)
try to avoid introducing spelling errors in changelogs (commit)
spelling: webcomponents (commit)
spelling: veiling (commit)
spelling: unnecessary (commit)
spelling: toolkit (commit)
spelling: together (commit)
spelling: there-when (commit)
spelling: theming (commit)
spelling: supported (commit)
spelling: stylesheet (commit)
spelling: static (commit)
spelling: sometimes (commit)
spelling: shuffling (commit)
spelling: returns (commit)
spelling: restart (commit)
spelling: responsive (commit)
spelling: resilient (commit)
spelling: resetting (commit)
spelling: reentrancy (commit)
spelling: readonly (commit)
spelling: prototype (commit)
spelling: protocols (commit)
spelling: properties (commit)
spelling: preferring (commit)
spelling: polyfill (commit)
spelling: parameterize (commit)
spelling: omit (commit)
spelling: offset (commit)
spelling: notification (commit)
spelling: name (commit)
spelling: multiple (commit)
spelling: loaded (commit)
spelling: jquery (commit)
spelling: javascript (commit)
spelling: instead (commit)
spelling: initial (commit)
spelling: increments (commit)
spelling: identify (commit)
spelling: github (commit)
spelling: getting (commit)
spelling: function (commit)
spelling: falsy (commit)
spelling: enqueuing (commit)
spelling: element (commit)
spelling: effective (commit)
spelling: doesn't (commit)
spelling: does (commit)
spelling: disappearing (commit)
spelling: deserialized (commit)
spelling: customize (commit)
spelling: containing (commit)
spelling: components (commit)
spelling: collection (commit)
spelling: children (commit)
spelling: changed (commit)
spelling: behavior (commit)
spelling: attribute (commit)
spelling: attached (commit)
spelling: asynchronous (commit)
Explicitly set display none on dom-* elements (#4821) (commit)
Publish DomBind in Polymer. scope (commit)
Fix missing semi-colons in test folder (commit)
Enable ESLint 'semi' rule (commit)
[ci skip] update package-lock (commit)
[ci skip] Add license headers to externs (commit)
Polymer.Path.get accepts both a string path or an Array path, so functions that call this should allow for either as well. Already changed for Polymer.prototype.push here: (commit)
lint with closure as well (commit)
Update closure compiler to support polymer pass v2 (commit)
Revert "Adds restamp
mode to dom-repeat." (commit)
Add test to verify that importHref can be called twice (commit)
Fix compiling with Polymer({}) calls (commit)
Remove double space (commit)
Add development workflow-related files to gitignore (#4612) (commit)
Allow arbitrary whitespace in CSS imports (commit)
Fix dom-module API docs with static import
function (commit)
[ci skip] update externs more from #4776 (commit)
imported css modules should always be before element's styles (commit)
Update closure annotation for Polymer.prototype.push (commit)
Fixed formatting. (commit)
Fix formatting of code in API docs (#4771) (commit)
Lint clean. (commit)
Separate scripts that modify configuration properties, as their ordering constraints are unusual. (commit)
test: convert XNestedRepeat to use an inlined string template. (commit)
Don't rely on implicitly creating a global, does not. (commit)
Refer to Gestures.recognizers consistently. (commit)
Make test work in strict mode. (commit)
In tests, explicitly write to window when creating a new global for clarity. (commit)
[ci skip] remove duplicate definition for __dataHost in externs (commit)
[ci skip] update polymer-build and run-sequence (commit)
Fix tests in non-Chrome browsers (commit)
Better distinguish param name from namespaced name (commit)
use wct 6 npm package (commit)
add mixin class instance properties to externs (commit)
Add sanitizeDOMValue to settings.html (commit)
Remove reference to Polymer._toOverride, it seems like an incomplete feature/part of the test. (commit)
Update custom-style API doc (commit)
Use customElements.get rather than referring to the global for Polymer.DomModule (commit)
Add import of dom-module to file that uses it. (commit)
Do not assign to a readonly property on window (commit)
[ci skip] Fix documentation in PropertyAccessors (commit)
[ci skip] fix closure warning (commit)
Fix event path for tap event on touch (commit)
[ci skip] Update changelog (commit)
Update web-component-tester to stable version (commit)
Disable closure linting until the count is driven down to a reasonable level (commit)
Adds restamp
mode to dom-repeat. (commit)
remove broken npm script (commit)
depend on webcomponentsjs 1.0.2 (commit)
cleanup and update npm dependencies (commit)
Update LegacyElementMixin.distributeContent (commit)
Remove crufty test (commit)
[ci skip] remove one new closure warning for updating closure (commit)
Meaningful closure fixes from @ChadKillingsworth (commit)
[ci skip] clean up mixin fn and regen externs (commit)
address some concerns from kschaaf (commit)
zero warnings left (commit)
[ci skip] Fix link closing quotes. (commit)
Remove @suppress {missingProperties} (commit)
Annotate Debouncer summary. (#4691) (commit)
Fix typo in templatize.html (commit)
Move Debouncer memberof annotation to right place, and add a summary. (#4690) (commit)
remove PolymerPropertyEffects type, inline DataTrigger and DataEffect types (commit)
remove polymer-element dependency introduced by a merge conflict (commit)
update closure log (commit)
remove dommodule imports (commit)
Create style-gather.html (commit)
README: fix typo (commit)
Remove unused __needFullRefresh
(commit)
Fixes #4650: if an observed path changes, the repeat should render but in addition, the path should be notified. This is necessary since “mutableData” is optional. (commit)
last two stragglers (commit)
fix eslint warnings (commit)
Down to 30ish warnings, need PolymerPass v2 (commit)
Add lib/utils/settings.html to hold legacy settings and rootPath (commit)
Fix typo in dom-repeat.html (commit)
guard all dommodule references (commit)
add more missing imports (commit)
Add mixin.html import to gesture-event-listeners.html (commit)
more fixes (commit)
rebaseline warnings with NTI specific warnings disabled, for now (commit)
Fix parsing for argument whitespace. Fixes #4643. (commit)
Upgrade babel-preset-babili to include RegExp fix from https://github.com/babel/babili/pull/490 (commit)
Not an RC anymore (commit)
Just ensure content frag from _contentForTemplate is inert. Edge does not seem to always use the exact same owner document for templates. (commit)
Fix typo in prop of FlattenedNodesObserver (commit)
[ci skip] Update Changelog (commit)
Fix some ElementMixin warnings. (commit)
Fix template.assetpath with typedef (commit)
fix dom-module related errors (commit)
Fix fn binding error (commit)
Reduce closure warnings in PropertyAccessors (commit)
reduce closure warnings in TemplateStamp (commit)
[ci skip] parameterize entries for closure task (commit)
[ci skip] generating externs should be explicit (commit)
Avoid firstElementChild on DocFrag for IE11 (commit)
update externs for merge, update dependencies (commit)
Fix impl of _contentForTemplate. Add template-stamp tests. Fixes #4597 (commit)
ensure latest closure, stay on polymer-build 1.1 until warnings can be ignored (commit)
@mixes -> @appliesMixin (commit)
@polymerMixin/@polymerMixinClass -> @mixinFunction/@mixinClass (commit)
@polymerElement -> @customElement/@polymer (commit)
fix lint error (commit)
remove all "global this" warnings (commit)
remove TemplateStamp
’s implicit dependency on _initializeProperties
(commit)
fix typing for Polymer.Element (commit)
inline cachingMixin into deduplicatingMixin (commit)
initialize properties in _initializeProperties
rather than constructor
(allows work to be done before _initializeProperties
and is needed for proto/instance property initialization . (commit)
LegacyElementMixin to @unrestricted
(commit)
set isAttached
constructor (for closure) but set to undefined so not picked up as proto property (avoids initial binding value) (commit)
Fix dedupingMixin (commit)
Fix more closure warnings (commit)
Fix more closure warnings (commit)
Fix more closure warnings. (commit)
Fix more closure warnings. (commit)
Fix more closure warnings. (commit)
Fix more closure warnings. (commit)
slighly better typing for mixin function (commit)
gesture fixes (commit)
Fix more closure warnings. (commit)
Fix some closure warnings. (commit)
Fix some closure warnings. (commit)
automate generating closure externs (commit)
Fix some closure warnings. (commit)
fix some closure warnings. (commit)
fix lint error (commit)
Only style elements with templates (commit)
[ci skip] note safari bugs (commit)
Various Safari 10.1 fixes (commit)
Add @memberof
annotation for Polymer.Debouncer (commit)
Import mutable-data.html in dom-bind (commit)
Correct changelog version title (commit)
Fix readme. (commit)
tighten up custom-style-late test (commit)
Fixes #4478 by adding a better warning for attributes that cannot deserialize from JSON. (commit)
Adds back the beforeRegister
method. Users can no longer set the is
property in this method; however, dynamic property effects can still be installed here. (commit)
Fixes #4447. Re-introduce the hostStack
in order to maintain “client before host” ordering when _flushProperties
is called before connectedCallback
(e.g. as Templatize does). (commit)
Fix custom-style-late tests (commit)
Add test for ensuring complicated mixin ordering is correct (commit)
move lazy-upgrade out to separate mixins repo (commit)
Only check bounding client rect on clicks that target elements (commit)
Adds tests from https://github.com/Polymer/polymer/pull/4099. The other changes from the PR are no longer needed. (commit)
clean up code, factor processing lazy candidates, better docs (commit)
Update templatize.html (commit)
Doc fix (correct callback name) (commit)
Fixed templatize typo (commit)
Work around IE/Edge bug with :not([attr]) selectors (commit)
Remove support for lazy-upgrade inside dom-if and dom-repeat (commit)
Fix image in README (commit)
Remove useless id check on mixins (commit)
move dom-change listener for lazy-upgrade before super.ready()
(commit)
[ci skip] Update doc (commit)
[ci skip] Update doc (commit)
Add API docs. (commit)
nodeInfo -> nodeInfoList (commit)
Updates based on PR feedback. API docs in progress. (commit)
- ensure element cannot return to “disabled” state after upgrading. ensure nested
beforeNextRender
calls always go before the next render ensure nested afterNextRender
are called after additional renders (commit)
Fixes #4437. Ensure _registered
is called 1x for each element class using LegacyElementMixin
. Ensure that a behaviors’s registered
method is called for any extending class. (commit)
Separate binding-specific code from template stamp. Expose override points. (commit)
Use webcomponents-lite for test (commit)
add lazy-upgrade tests (commit)
make a mixin for lazy upgrading (commit)
implements disable-upgrade
attribute which prevents readying an element until the attribute is removed. (commit)
The following notable changes have been made since the 2.0 Preview announcement.
Property Shim needs to handle build output from apply shim (commit)
Do not resolve urls with leading slash and other protocols (commit)
Mark that non-inheritable properties being set to inherit
is not supported (commit)
Put getInitialValueForProperty
on ApplyShim (commit)
Skip initial
and inherit
on IE 10 and 11 (commit)
Handle mixins with property values of inherit and initial (commit)
Split tests for use-before-create and reusing mixin names for variables (commit)
Make sure we don't populate the mixin map for every variable (commit)
[apply shim] Track dependencies for mixins before creation (commit)
[property shim] Make sure "initial" and "inherit" behave as they would natively (commit)
fix lint issue. (commit)
Fixes #3801. Ensure style host calculates custom properties before element. This ensures the scope's styles are prepared to be inspected by the element for matching rules. (commit)
Clean up custom-style use of apply shim (commit)
gate comparing css text on using native css properties (commit)
Only invalidate mixin if it defines new properties (commit)
Make __currentElementProto optional for build tool (commit)
Rerun Apply Shim when mixins with consumers are redefined (commit)
updateNativeStyles should only remove styles set by updateNativeStyles (commit)
[ci skip] add smoke test for scope caching with custom-style (commit)
Remove unused arg. (commit)
Remove dirty check for custom events; unnecessary after #3678. Fixes #3677. (commit)
Use _configValue to avoid setting readOnly. Add tests. (commit)
Missing piece to fixing #3094 (commit)
Opt in to "even lazier" behavior by setting lazyRegister
to "max". This was done to preserve compatibility with the existing feature. Specifically, when "max" is used, setting is
in beforeRegister
and defining factoryImpl
may only be done on an element's prototype and not its behaviors. In addition, the element's beforeRegister
is called before its behaviors' beforeRegisters
rather than after as in the normal case. (commit)
Replace 'iff' with 'if and only if' (commit)
Fix test in IE10. (commit)
cleanup check for sourceCapabilities (commit)
Fix #3786 by adding a noUrlSettings
flag to Polymer.Settings (commit)
Fix mouse input delay on systems with a touchscreen (commit)
Ensure properties override attributes at upgrade time. Fixes #3779. (commit)
Refresh cache'd styles contents in IE 10 and 11 (commit)
change travis config (commit)
Fix css shady build mistakenly matching root rules as host rules (commit)
[ci skip] update changelog for v1.6.0 (commit)
Make lazyRegister have 'even lazier' behavior such that behaviors are not mixed in until first-instance time. (commit)
need takeRecords in complex var example (commit)
add reduced test case (commit)
Replace VAR_MATCH regex with a simple state machine / callback (commit)
Expose an lazierRegister
flag to defer additional work until first create time. This change requires that a behavior not implement a custom constructor or set the element's is
property. (commit)
Improve type signatures: Polymer.Base.extend
and Polymer.Base.mixin
(commit)
Fix for changing property to the same value (commit)
Include iron-component-page in devDependencies (commit)
Ensure fromAbove in _forwardParentProp. (commit)
Fix test in Firefox that was hacked to work in Canary (instead filed https://bugs.chromium.org/p/chromium/issues/detail?id=614198). (commit)
remove unneeded argument (commit)
slight optimization, avoid work if no cssText is set. (commit)
More efficient fix for #3661. Re-uses cached style element that needs to be replaced in the document rather than creating a new one. (commit)
Fixes #3661: ensure that cached style points to the applied style for Shady DOM styling. This ensures that the cache can be used to determine if a style needs to be applied to the document and prevents extra unnecessary styles from being added. This could happen when a property cascaded to a nested element and updateStyles was called after properties have changed. (commit)
Fix flakey attached/detached timing test. (commit)
remove HTML comment (commit)
add more style[include] doc (commit)
Update the package.json name to match the actual npm published package. (#3570) (commit)
Remove unused event cache store (#3591) (commit)
[ci skip] sudo should be "required" (commit)
transition to travis trusty images (commit)
fine, console.dir then (commit)
fix ie missing console.table for stubbing (commit)
Support the devtools console.log api (multiple strings) for polymer logging (commit)
Compute and use correct annotation value during config (commit)
Set propertyName on parent props for config phase. (commit)
Refactorings around how computational expressions get their arguments (commit)
Fix safari 7 again (commit)
Expose public API to reset mouse cancelling for testing touch (commit)
Delay detached callback with the same strategy as attached callback (commit)
[ci skip] Add missing dom5 devDependency (commit)
Don't use translate
as a method for testing (commit)
Only fix prototype when registering at first create time. (commit)
Fixes #3525: Makes lazy registration compatible with platforms (like IE10) on which a custom element's prototype must be simulated. (commit)
make sure gulp-cli 1 is used (commit)
Ensure Annotator recognizes dynamic fn as dependency for parent props. (commit)
[ci skip] Update CHANGELOG (commit)
Enabling caching of node_modules on Travis (commit)
Fix undefined class attribute in undefined template scope (commit)
Use a parser based html minification (commit)
Call _notifyPath instead of notifyPath in templatizer (commit)
Keep it real for notifyPath. (commit)
Null debounced callback to set for GC. (commit)
[ci skip] Add instructions to pull request template (commit)
[ci skip] markdown fail (commit)
[ci skip] Add instructions to issue template (commit)
Make sure to configure properties on polymer elements that do not have property effects. (commit)
Fix lint errors. (commit)
Add comment. Ensure Date deserializes to String for correctness. (commit)
Serialize before deserialize when configuring attrs. Fixes #3433. (commit)
Restrict early property set to properties that have accessors. This allows users to set properties in created
which are listed in properties
but which have no accessor. (commit)
fix crlf once and for all (commit)
fix test linting from #3350 (commit)
Use the new .github folder for issue and pull request templates (commit)
[ci skip] Use https for jsbin (commit)
[ci skip] Add issue and pr template (commit)
Update to gulp-eslint v2 (commit)
fix lint errors (commit)
Minor fixes based on review. (commit)
Undo fix on IE10 where the custom elements polyfill's mixin strategy makes this unfeasible. (commit)
Update comments. (commit)
Add test that late resolved functions don't warn (commit)
Add support for properties defined in a behavior. (commit)
Generalized approach supporting compute and observers (commit)
Proper implementation (commit)
Support dynamic functions for computed annotations. (commit)
ordering issue for when assert is defined in native html imports (commit)
Lint the tests (commit)
Add support for one-of attribute selector while not breaking support for general sibling combinator. Fixes #3023. Fix taken from #3067. (commit)
Fix bindings with special characters (commit)
[ci skip] move linting into before_script stage (commit)
Fix lint error and uncomment test. (commit)
Add test for overriding property based :host selector from outside. (commit)
Add comment and fix typo (commit)
Ensure _propertySetter is installed first. Fixes #3063 (commit)
Disable tap gesture when track gesture is firing for ancestor node (commit)
Fix parsing of parenthesis in default of variable declaration (commit)
Rename _mapRule to _mapRuleOntoParent (commit)
Test with ESLint enabled (commit)
Make behaviors array unique (commit)
Use deserialize from the node. (commit)
Actually execute case-map (commit)
[ci skip] .eslintrc is deprecated, add .json suffix (commit)
Make the test more look like a spec (commit)
Configure attr's with property effects. More robust fix for #3288. (commit)
Use ESLint for Polymer (commit)
Add test suite for effects order (commit)
Fix negation when a negated binding is changed (commit)
Add unit test suite for CaseMap (commit)
Fixes for IE style ordering issue. (commit)
Fixes #3326. Changes inspired by #3276 and #3344 (commit)
Fix for getters/setters for property become inaccessible when property set on element before it is ready (commit)
Non-destructive @keyframes
rule transformation. (commit)
Fix test regression from PR 3289 (commit)
Move test and add to runner. (commit)
make isDebouncerActive actually return a bool (commit)
Lint the javascript code with eslint (commit)
i suck at git (commit)
Fix for scoping when class is not specified on element (null was prepended instead of empty string) (commit)
Using constant rather than plain :host
and ::content
, also create regexp object only once (commit)
Eliminate the need to write :host ::content
instead of just ::content
, while keeping the same processing under the hood (commit)
Fix: There is no effect of kind 'computedAnnotation' (commit)
fix test case in 5d17efc (commit)
add test for 3326 (commit)
[ci skip] update CHANGELOG (commit)
Exclude attribute bindings from configuration. Fixes #3288. (commit)
Doubled Polymer.CaseMap.dashToCamelCase
performance with simplified and once compiled RegExp. 5 times faster Polymer.CaseMap.camelToDashCase
using simplified replace part, simplified and once compiled RegExp. (commit)
Update PRIMER.md (commit)
Unit tests (commit)
Allow newlines in computed binding argument list (commit)
Remove redundant assign to window.Polymer (commit)
parentProps should not override argument based props (commit)
Fixes #3337. When a doc fragment is added, only update the invalidation state of the insertion point list of the shadyRoot IFF it is not already invalid. This fixes an issue that was detected when an a doc fragment that did not include an insertion point was added after one that did but before distribution. (commit)
fix build output with new vulcanize (commit)
Revert style properties change from fd5778470551f677c2aa5827398681abb1994a88 (commit)
Fix shadow dom test. (commit)
Add shadow root support. (tests broken) (commit)
Ensure dom-if moved into doc fragment is torn down. Fixes #3324 (commit)
improve test. (commit)
Update comment. (commit)
In addition to fragments, also handle non-distributed elements more completely. (commit)
Simplify fix for fragment children management. (commit)
Fix test under polyfill. (commit)
Ensure fragments added via Polymer.dom always have elements removed, even when distribution does not select those elements. (commit)
Fixes #3321. Only let dom-repeat insert elements in attached if it has been previously detached; correctly avoid re-adding children in document fragments to an element's logical linked list if they are already there. (commit)
Ugh (commit)
Fixes #3308. Use an explicit undefined check to test if logical tree information exists. (commit)
add test (commit)
use class attribute in applyElementScopeSelector (commit)
Remove reference to _composedChildren (commit)
Fix typo in documentation for set() (commit)
Fix typo in dom-tree-api (commit)
Correct use of document.contains to document.documentElement.contains on IE. (commit)
Ensure querySelector always returns null
when a node is not found. Also optimize querySelector such that the matcher halts on the first result. (commit)
Fixes #3295. Only cache a false-y result for an element's owner shady root iff the element is currently in the document. (commit)
Use local references to wrapper functions; add test element tree to native shadow tests; reorder test elements. (commit)
Remove leftover garbage line (commit)
Removes the case where activeElement could be in the light DOM of a ShadowRoot. (commit)
DOM API implementation of activeElement
. (commit)
Remove call to wrap
in deepContains (commit)
Fixes #3270. (commit)
Include more styling tests under ShadowDOM. Fix custom-style media query test to work under both shadow/shady. (commit)
Remove duplicate code related to dom traversal in Polymer.dom. (commit)
Fix parsing of minimized css output also for mixins (commit)
Set position to relative to make Safari to succeed top/bottom tests (commit)
Fix parsing of minimized css output (commit)
Fix for Polymer.dom(...)._query()
method doesn't exist which causes Polymer.updateStyles()
to fail (commit)
Minor factoring of dom patching. (commit)
use destination insertion points when calculating the path (commit)
Store all dom tree data in __dom
private storage; implement composed patching via a linked list. (commit)
Modernize the build (commit)
Add more globals to whitelist for safari (commit)
Shady patching: patch element accessors in composed tree; fixes HTMLImports polyfill support. (commit)
remove unused code; minor changes based on review. (commit)
added polymer-mini and polymer-micro to main (commit)
Updates the patch-don experiment to work with recent changes. (commit)
Fixes #3113 (commit)
Polymer.dom: when adding a node, only remove the node from its existing location if it's not a fragment and has a parent. (commit)
Consistently use TreeApi.Composed api for composed dom manipulation; use TreeApi.Logical methods to get node leaves. Avoid making a Polymer.dom when TreeApi.Logical can provide the needed info. (commit)
Produce nicer error on malformed observer (commit)
Deduplicate setup and verifying in notify-path test suite (commit)
more explicit tests for debouncer wait and no-wait behavior (commit)
speed up microtask testing (commit)
ensure isDebouncerActive returns a Boolean (commit)
add more debouncer tests (commit)
remove dead debounce test assertion (commit)
Factoring of distribution logic in both add and remove cases. (commit)
Minor typo in docs: call the debounce callback (commit)
Correct test to avoid using firstElementChild
on a documentFragment since it is not universally supported. (commit)
Remove all TODOs (commit)
Revert "Add .gitattributes to solve line endings cross-OS (merge after other PRs)" (commit)
Make renderedItemCount readOnly & add tests. (commit)
Revert "Fix parsing of minimized css output" (commit)
Custom setProperty for bindings to hidden textNodes. Fixes #3157. (commit)
Ensure dom-if in host does not restamp when host detaches. Fixes #3125. (commit)
Avoid making a copy of childNodes when a dom fragment is inserted in the logical tree. (commit)
Slightly faster findAnnotatedNodes
(commit)
Add .gitattributes to solve line endings cross-OS (commit)
Ensure literals are excluded from parent props. Fixes #3128. Fixes #3121. (commit)
Fix parsing of minimized css output (commit)
Disable chunked dom-repeat tests on IE due to CI rAF flakiness. (commit)
Add comment. (commit)
Make Polymer.dom.flush reentrant-safe. Fixes #3115. (commit)
Fixes #3108. Moves debounce
functionality from polymer-micro to polymer-mini. The functionality belongs at the mini tier and was never actually functional in micro. (commit)
Clarify this is for IE. (commit)
Patch rAF to setTimeout to reduce flakiness on CI. (commit)
added missing semicolons, removed some unused variables (commit)
?Node (commit)
Remove closures holding element references after mouseup/touchend (commit)
set class attribute instead of using classname (commit)
Include wildcard character in identifier. Fixes #3084. (commit)
Revert fromAbove in applyEffectValue. Add test. Fixes #3077. (commit)
loosen isLightDescendant's @param type to Node (commit)
Put beforeRegister in the behaviorProperties. (commit)
ES5 strict doesn't like function declarations inside inner blocks. (commit)
Fixes #3065: Add dom-repeat.renderedItemCount property (commit)
Minor factoring; ensure base properties set on instance. (commit)
Fix typos. (commit)
Simplify more. (commit)
Improvements to regex. (commit)
Give dom-repeat#_targetFrameTime a type (commit)
[skip ci] update travis config to firefox latest (commit)
Add a couple of tests. (commit)
Suppress warnings and expected errors in test suite (commit)
Use linked-list for element tree traversal. Factor Polymer.DomApi into shadow/shady modules. (commit)
Avoid throwing with invalid keys/paths. Fixes #3018. (commit)
Use stricter binding parsing for efficiency and correctness. Fixes #2705. (commit)
Simpler travis config (commit)
[ci skip] Update Changelog (commit)
Fix for incorrect CSS selectors specificity as reported in #2531 Fix for overriding mixin properties, fixes #1873 Added awareness from @apply()
position among other rules so that it is preserved after CSS variables/mixing substitution. Polymer.StyleUtil.clearStyleRules()
method removed as it is not used anywhere. Some unused variables removed. Typos, unused variables and unnecessary escaping in regexps corrected. Tests added. (commit)
Fix for method parsing in computed binding (commit)
Fix doc typo. (commit)
Filtering causes unexpected issues (commit)
Fix using value$ on input element (commit)
added missing semicolons, removed some unused variables (commit)
use local reference for wrap. (commit)
Add Polymer.DomApi.wrap (commit)
For correctness, bind listeners must use a property's current value rather than its passed value. (commit)
Explicitly making an element's _template
falsy is now considered an allowable setting. This means the element stamps no content, doesn't collect any styles, and avoids looking up a dom-module. This helps address #2708 and the 5 elements Polymer registers that have no template have been set with _template: null
. (commit)
Make test work under native Shadow DOM. (commit)
In _notifyListener
, only use e.detail
if the event has a detail. This is necessary for ::eventName
compatibility where eventName
is a native event like change
. (commit)
Fix TOC re: host event listeners. (commit)
Fix compound bindings with braces in literals (commit)
Re-enable listeners of the form 'a.b' (todo: make this more efficient). (commit)
Avoid stomping on property objects when mixing behaviors. (commit)
Update test to avoid template polyfill issues. (commit)
Ensure parent node exists when stamping. Fixes #2685. (commit)
Add global leak test to runner. (commit)
Add global leak test. (commit)
Fix typo that prevented correct functioning of Polymer.dom under Shadow DOM and add tests to catch. (commit)
maintain compatibility with older _notifyChange
arguments. (commit)
Weird assignment fix (commit)
add comment. (commit)
For efficiency, use cached events in data system, for property and path changes. (commit)
Fixes #2690 (commit)
change after render method to Polymer.RenderStatus.afterNextRender
(commit)
When effect values are applied via bindings, use fromAbove gambit to avoid unnecessary wheel spinning. (This is now possible since we have fast lookup for readOnly where we want to avoid doing the set at all). (commit)
do readOnly check for configured properties where they are handed down, rather than when they are consumed. (commit)
Minor cleanup. (commit)
Avoid creating unnecessary placeholders for full refresh. (commit)
Simplify (commit)
Fix typo. (commit)
Update docs. (commit)
_removeInstance -> _detachAndRemoveInstance (commit)
Remove limit & chunkCount API. Refactor insert/remove. (commit)
add back deepContains (got removed incorrectly in merge). (commit)
fix line endings. (commit)
revert host attributes ordering change optimization as it was not worth the trouble (barely measurable and more cumbersome impl). (commit)
rename host functions fix typos afterFirstRender is now raf+setTimeout dom-repeat: remove cruft (commit)
Fix Gestures when using SD polyfill (commit)
Fix for multiple consequent spaces present in CSS selectors, fixes #2670 (commit)
avoid configuration work when unnecessary (commit)
lazily create effect objects so we can more easily abort processing. avoid forEach (commit)
provides support for memoizing pathFn on effect; only process effects/listeners if they exist. (commit)
memoize pathFn on effect (note: notifyPath change made in previous commit); avoid forEach. (commit)
Avoid using .slice and .forEach (commit)
Added support for short unicode escape sequences, fixes #2650 (commit)
Fix for BEM-like CSS selectors under media queries, fixes #2639. Small optimization for produced CSS (empty rules produced semicolon before, now empty string). (commit)
Fix parsing of custom properties with 'var' in value (commit)
Clean up cruft. (commit)
Add tests and fix issues. (commit)
dom-repeat chunked/throttled render API (commit)
Fix formatting. (commit)
Add notes on running unit tests. (commit)
Corrected method name. Fixes #2649. (commit)
Fix typos in more efficient array copying. (commit)
Adds Polymer.RenderStatus.afterFirstRender
method. Call to perform tasks after an element first renders. (commit)
More efficient array management in Polymer.DomApi. (commit)
Fixes #2652 (commit)
[ci skip] update changelog (commit)
Fix whitespace around bindings. (commit)
Add support for strip-whitespace
. Should fix #2511. (commit)
Improve efficiency of attribute configuration. (commit)
Remove use of Function.bind (commit)
fix typos. (commit)
Re-use data change events. Remove unused/undocumented listener object specific node listening feature. (commit)
Add flattened properties to dom-bind, templatizer, optimize by 'liming properties that are protected/private and not readOnly from list. (commit)
Use flattened list of properties for fast access during configuration and attribute->property (commit)
Assemble effect strings at prototype time. (commit)
Fallback to string lookup to fix support for extra effects. (commit)
Fix typo. (commit)
Correct NodeList copying. (commit)
Avoid Polymer.dom.setAttribute when unneeded. (commit)
More efficient iteration. (commit)
Avoid forEach (commit)
Copy dom NodeList faster than slice. (commit)
Avoid function lookup by string. (commit)
Add test for parsing multi-line css comments (commit)
A simpler travis config (commit)
Fix #2587: When Polymer.dom(el).appendChild(node) is called, cleanup work must be performed on the existing parent of node. This change fixes a missing case in this cleanup work: if the existing parent has a observer via Polymer.dom(parent).observeNodes
, it needs to be notified that node is being removed even if the node does not have specific logical info. For example, if an observed node has no Shady DOM and has a child that is removed. A test for this case was added. (commit)
add fancy travis status badge to the readme (commit)
Do not configure compound property/attribute binding if literal if empty. Fixes #2583. (commit)
Update .travis.yml (commit)
Remove web-component-tester cache. (commit)
Fix IE10 regressions. Fixes #2582 Copy attribute list before modifying it Fall back to document for current document if no currentScript (commit)
Allow _atEndOfMicrotask to be patchable. (commit)
contributing copy fixup (commit)
Update CONTRIBUTING.md (commit)
Add travis config (commit)
Factor into functions. (commit)
Fix deepEqual on Safari 9 due to Safari enumeration bug. (commit)
ensure distribution observers see all changes that can come from attributes under native Shadow DOM; +minor factoring (commit)
Add <content>.getDistributedNodes observation. Refactor flush. (commit)
Add docs (commit)
Make shadow attribute tracking automatic based on detecting a <content select> that depends on attributes; add tests. (commit)
Add comments. (commit)
Fix typo. (commit)
Replace _compoundInitializationEffect with statically-initialized literals in the template for attributes & textContent, and by configuring literal values of properties in _configureAnnotationReferences. (commit)
Simplify change tracking by always dirty checking at the observer level. Under Shadow DOM, use a deep MO to watch for attributes. (commit)
Fix URL to component.kitchen (commit)
Update the Google+ community link (commit)
Fixes from review. (commit)
Remove compound binding limitation from primer. (commit)
Exclude compound bindings from configure; revisit later. (commit)
Apply effect value from compound parts. (commit)
Store binding parts in notes. (commit)
Fix missing var (commit)
Add radix for correctness. (commit)
Separate public & private get, flip conditions, add notifyPath API. (commit)
Fix typo in comments. (commit)
Improvements to path API. Fixes #2509. Allows set
to take paths with array #keys Allows notifyPath
to take paths with array indices * Exposes public notifySplices API (commit)
Fix merge issue. (commit)
Denote keys with # to disambiguate from index. Fixes #2007. (commit)
update CHANGELOG to 1.1.5 (commit)
make tests work on polyfill. (commit)
add observeNodes
tests. (commit)
Add optional attribute tracking to support better distributed node notifications under shadow dom. (commit)
Add Polymer.dom().notifyObservers
method to 'kick' observers, for example, when attributes change under Shadow DOM. (commit)
Add mutation tracking for distributedNodes. (commit)
Factor dom-api's into separate helpers. (commit)
Adds Polymer.dom(element).observeChildren(callback)
api (commit)
Adds getEffectiveChildNodes
, getEffectiveChildren
, getEffectiveTextContent
(commit)
Remove undocumented return value. (commit)
Add default, update docs. (commit)
Add tests for isSelected. (commit)
Default selected to empty array. Add isSelected API. (commit)
Fixes #2218: match style properties against scope transformed selector (not property unique selector) (commit)
Remove notify for items (unnecessary). (commit)
Uncomment line. (commit)
Give toggle a default. (commit)
Use multi-prop observer; default selected to null. (commit)
Add tests. Reset selection on items/multi change. Remove async. (commit)
Property matching must check non-transformed rule selector. (commit)
Make _itemsChanged depend on multi. (commit)
Make sure mouse position is not a factor for .click() in IE 10 (commit)
Always trigger tap for synthetic click events (commit)
Fixes #2193: Implements workaround for https://code.google.com/p/chromium/issues/detail?id=516550 by adding Polymer.RenderStatus.whenReady and using it to defer attached
(commit)
Fix polyfill templates (commit)
Use _clientsReadied
to avoid missing attribute->property sets in ready. (commit)
Make propagation of attribute changes at configure time more efficient (commit)
add offsetParent smoke tests (commit)
Fixes #1673: ensure instance effects exist before marshaling attributes. (commit)
Fix typo. (commit)
Clarify fire
option defaults. Fixes #2180 (commit)
Add cross-reference for API docs. Fixes #2180 (commit)
Updated utils & removed fn signatures; defer to API docs. Fixes #2180 (commit)
Update core- to iron-ajax in PRIMER.md as in Polymer/docs#1276, Polymer/docs#1275 (commit)
Update core- to iron-ajax in jsdoc for dom-bind as in Polymer/docs#1276, Polymer/docs#1275 (commit)
Make properties replacement robust against properties which start with a leading ;
(commit)
Fixes #2154: ensure Polymer.dom always sees wrapped nodes when ShadowDOM polyfill is in use. (commit)
Use css parser's property stripping code in custom-style. (commit)
Deduplicate track/untrack document event listener logic (commit)
Automatically filter mouseevents without the left mouse button (commit)
Fixes #2113: ensures custom-style rules that use @apply combined with defining properties apply correctly. (commit)
Correct & simplify per spec. (commit)
Clean up logic. (commit)
More loosely match expression function names (commit)
Fix link to direct to Cross-scope styling (commit)
Update behaviors order. Fixes #2144. (commit)
Cache style.display & textContent and re-apply on true. Fixes #2037 (commit)
Fixes #2118: force element is
to be lowercase: mixing case causes confusion and breaks style shimming for type extensions. (commit)
Allow array API's accept string & negative args. Fixes #2062. Brings the API more in line with native splice, etc. (commit)
Fix #2107: improve binding expression parser to match valid javascript property names. (commit)
Error when i put a paper-input inside a paper-drawer-panel #1893
Open the website country restrictions #1885
Observers executed twice if defined in both the properties and the observers array #1884
If I set element property before component registered I cannot change it anymore #1882
Polymer icon set not scaling with size #1881
How binding a JSON in Polymer 1.0 #1878
Annotated attribute binding issues #1874
Paper Elements don't appear on site #1868
[1.0] Inserted content not toggled when inside dom-if #1862
Polymer Catalog -- link-related usability issue #1860
Issues with catalog on Chromium 37.0.2062.120, 41.0.2272.76, and Firefox 38.0 #1859
documentation bug; search elements #1858
can I two way binding a properties type of 'Number' to attribute? #1856
'this' points to Window rather than custom element when called through setTimeOut() #1853
Cannot define an element in the main document (Firefox and Internet explorer) #1850
Feature: array variable accessor #1849
Support for expressions and filters #1847
key/value iteration support for template dom-repeat #1846
Styling local DOM #1842
Polymer bouded property not updating - or getting reset (sometimes) #1840
insertRule('body /deep/ myclass' + ' {' + cssText + '}', index); throws error in ff and ie #1836
this.insertRule("body /deep/ someclass", index); error #1835
\<core-scaffold\> 0.5 toolbar background coloring broken #1834
Radio buttons break when using border-box #1832
polymer 1.0 how to use dom-if ? #1828
Remove the undocumented "find nearest template" feature when registering #1827
Remove preventDefault
from track #1824
Need a way to cancel track and tap from down #1823
Computed bindings are not updated when using polymer's this.push to add elements #1822
Two-way bindings to array members not updating when data edited in dom-repeat template (bug or feature?) #1821
Binding undefined does not work as expected #1813
Can't declare Boolean attributes with default of true? #1812
array-selector doesn't work with multi
unless toggle
is specified #1810
Style shim only converts a single ::shadow or /deep/ in a selector #1809
Incorrect style for custom CSS properties when extending a native element #1807
Document compatibility with browser #1805
Unwrapped dom-if causes DOMException #1804
\<template is=dom-if\> fails to add rows to a table if they contain \<content\> #1800
Data binding causes infinite loop if value is NaN #1799
Issues with polymer 1.0 dom-repeat templates using paper-radio-group and the selected property #1792
bind attribute replacement #1790
The Shadows sucks #1788
Is there a list of Polymer 1.0 elements in the documentations? as it used to be 0.5! #1782
Custom style variables for elements added outside of polymer #1781
Can I recover the contaminated DOM? #1779
[1.0] Data-binding: Is there any way to do this imperatively? #1778
DATA-BINDING #1772
[1.0] polymer attribute used in a string behaving differently from 0.5 #1770
[1.0.2] Setting property treated as idempotent, but isn't #1768
official element-table bower package #1767
Shopping card polymer element #1766
How to create a polymer element from iron-ajax element response #1764
iron-collapse is focusable (by clicking or tabbing into it), which produces a focus outline in browsers #1760
dom-repeat data binding: not working as expected #1758
[1.0.3] Do not resolve hash-only urls used for routing #1757
[1.0.3]Cannot start up after upgrade #1754
Content nodes in dom-if
template do not distribute correctly #1753
overriding the custom css variables only works for the first dom element on the page #1752
paper-checkbox should have an indeterminate state #1749
nested dom-repeat with sort attribute shows duplicate entries when adding new items. #1744
attached
handler executed in wrong order in chrome browser. #1743
[1.0.2] '$' is undefined when 'created' is being called #1728
[1.0] ::before / ::after psudo selectors in a custom-style #1668
Need Polymer.Base.unlisten to remove the event listener #1639
custom-style sometimes does not apply variables #1637
[0.9.4] Dom-if template doesn't stamp when its content contains a wrapped insertion point #1631
With \<template if=\> missing how can I have several different styles applied? #1419
paper-toolbar [title] conflicts with HTML [title] #1745
Bound data-* attributes being stripped from template children #1737
Polymer.Base.splice and dom-repeat #1733
[1.0.0] Light DOM being replaced by shady DOM on ready #1732
[1.0.2] Databinding and nested objects #1731
Paper-tabs in Flexbox #1730
When not including webcomponentsjs
, a script in \<head\>
after imports will break unresolved
attribute #1723
Create 1.0.x Release #1721
RENAME listeners TO events #1719
Uncaught TypeError When splicing an array into emptiness #1714
Paper-Button references \<core-icon\> #1709
Events for paper-menu or paper-item #1708
Why is there no javascript file? #1707
Evergreen browser incompatibility #1706
[1.0] shady dom inserts '\<content\>' more than once #1704
Issue running Polymer Started Kit 1.0.0 #1703
iron-form body data malformed #1702
[1.0] Attached callback is differently resolved on chrome and ff #1699
Polymer 1.0 and WebComponents.js #1698
[dom-if] is not as inert as \<template\> should be #1695
can't use flex inside neon-animated-pages #1694
Polymer::Attributes: couldn`t decode Array as JSON #1693
Mobile links off homepage dont work #1692
Computed property doesn't work in dom-repeat #1691
core-animated-pages any plans? #1689
Where's paper-dropdown-menu 1.0? #1684
[1.0] dom-repeat observe non-array values #1683
Element catalog, google-analytics, docs missing #1681
Binding not working for open text #1677
Blog link in README.md and CONTRIBUTING.md is wrong #1676
Strange lines on polymer site menu #1675
Need to parameterize path to fonts #1674
How to add dynamic classes in dom-repeat 1.0 #1671
Array mutation without using helper methods #1666
Wrapping non interpolated strings with span in 1.0 #1664
dom-if template got rendered once even if the condition is false #1663
Cannot read property 'slice' of undefined on firebase update #1661
[1.0.2] Global leak found in _marshalArgs #1660
[1.0] Changes in appendChild from 0.9 to 1.0? #1657
Using scroll header panel together with dialog will cause backdrop to cover up dialog #1656
Color Extraction #1654
using AngularJS with paper elements #1649
Gestures event issue - No offsets management #1646
[0.9] event on-blur does not work on paper-input #1634
[0.9.4] Nested dom-if templates show invalid content #1632
paper-slider input box overflow. #1611
[0.9] Documentation issue (unbind & dispose) #1607
Better dependency management #1592
Tap event not firing the first time after tracking another element #1590
domReady #1587
Content tag does not work inside dom-if template #1584
/deep/ css selector not work in chrome browser #1583
Under native ShadowDOM "dom-if" doesn't stamp out the content even when "if" property is true #1582
Iron-Input hint not turning into label on ChromeBook apps #1581
Binding text remains in \<input value="{{value::input}}"\> on IE10 #1578
[0.9] Extends delays/breaks polymer element setup #1575
[0.9] Gesture event throws exception when dragged outside document #1574
dom-repeat filter/sort needs to be able to observe parent scope #1572
Logical Operators doesn't work anymore in 0.9 #1568
Reposted from Angular Issue #1723: Unable to define correct CSS @Rules when CSS shimming is enabled #1566
[0.9.0] Problem putting a dom-if template in a light DOM when the component's \<content\> itself is wrapped in a dom-if #1565
hypergrid is a polymer custom component #1561
serializeValueToAttribute returns undefined #1559
Offsetting core drawer panel #1557
[0.9] How to dynamically import elements? #1554
Release process should have change log #1553
[0.9] on-click="kickAction()" #1552
Layout functionality in 0.9 #1551
[0.9] hostAttributes: Noooooooo! #1549
[0.9] hidden$="{{isHidden}}" vs hidden=$"{{isHidden}}" #1548
seems that case sensitive properties doesn't work #1547
webcomponents loading order #1544
Data-binding to native DOM element inside of auto-binding template invokes style scoping #1542
0.9 zip file nearly empty #1541
Polymer.dom(parent).querySelector polyfill is broken in 0.8 #1540
Imported resource from origin 'file://' has been blocked from loading by Cross-Origin Resource Sharing policy: Received an invalid response. Origin 'null' is therefore not allowed access. #1535
[0.9.0-rc.1] Cannot set property 'touchAction' of undefinedGestures.setTouchAction #1533
Could I disable the two-way binding? #1529
[0.9] Can't override the css property if the property is already set on the host via custom property #1525
[0.5.6] Hang in loading polymer #1524
[0.0.9-rc.1] Array changes event is not delivered #1523
[0.9] dom-bind not working with document.createElement #1515
Please, more info about new releases #1507
[0.9] Annotated computed properties don't work on autobinding template #1500
Upgrade from polymer 0.5 to 0.8 #1492
[0.8] Binding a property with value 'undefined' to an input value on IE11 shows the raw binding #1491
[0.8] SVG elements fail on IE11 due to missing classList #1490
Cross domain HTML import #1489
Using Polymer with NW.js #1481
0.9: String literals as parameters of computed properties #1475
Inheritance of CSS Variables #1470
support data binding with ES6 module? #1465
[0.8] IE9 styles broken #1464
how to get polymer and requirejs working together? #1463
.8 domReady never being called #1460
TODO in polymer.js references fixed bug #1457
[0.8] Self-closing p tag breaks template #1455
[0.8] x-repeat failing to stamp instances on safari #1443
[0.8] \<content select=".class"\>
and hostAttributes
don't work together #1431
[0.8] Binding to "id" is not working #1426
Event handlers within x-repeat always target the first instance of an element #1425
[0.8] host, port, etc are reserved for anchor elements; let's avoid them #1417
[0.8] IE11 displays and then hides Custom Elements #1412
[0.8] x-repeat objectizes arrays of strings #1411
[0.8] style scope missing #1410
Polymer 0.8 cant bind to array item. #1409
[0.8][styling] Want to define custom variables in the same scope as their references #1406
[0.8][styling] Should be able to mixin sibling properties #1399
[0.8] Properties deserialized from native inputs lose their type #1396
Shady DOM doesn't correctly parse custom property rules. #1389
Shady DOM custom properties don't inherit. #1388
[0.8] dom-module nice but not perfect #1380
[0.8] notify: true Bad idea unless it has a huge performance gain #1379
Style mixin syntax is incompatible with Sass #1373
[x-repeat] can't bind to childNodes under Shadow DOM #1367
[0.8] - default property values are not set by the time observers are called #1364
[0.8]: observer callbacks changed parameter ordering #1363
[0.8] HTMLAnchor has a host
property, breaks the intended behavior of Polymer.Base.\_queryHost
#1359
[0.8] Style scoped immediate descendant selector no longer matches projected content #1312
Spaces in binding causes SyntaxError: Unexpected identifier. #1311
Tracking issue: Supporting CSP in 0.8+ #1306
[0.8] readOnly
property without notify
will not be readOnly
#1294
Shady styling increases selector specificity #1279
[0.8] body unresolved broken #1271
[0.8] accidental shared state in configure value? #1269
[0.8] Properties observers registered too early #1258
[0.8] Polymer.import missing #1248
[0.8] Consider always assigning to native properties #1226
core-list needs your attention #1333
Icons oversized on Firefox on polymer-project.org #1328
[0.8] Unable to observe property 'hidden' #1322
[0.8] Unexpected token ] #1298
[0.8] Text bindings break if parenthesis are used #1297
[0.8] Shady style processor doesn't drop operator for ::content #1293
Polymer layout collision with another frameworks like Angular Material #1289
Polymer Project Site - Broken Link #1288
core-ajax #1287
demo portions of documentation are missing/404 #1286
[0.8] attached
is called at different points in lifecycle for ShadeyDOM vs ShadowDOM #1285
[0.8] Listening to events on an element produces different results under ShadowDOM v. ShadyDOM #1284
Attribute selectors incorrectly scoped #1282
[0.8-preview] Shadey styles have incorrect order of precedence #1277
[0.8] Styling scoping not working with type extension elements #1275
Typo on website #1273
[0.8-preview] All properties are available for data binding #1262
[0.8] camel-case attributes do not deserialize to properties correctly. #1257
paper-autogrow-textarea bug #1255
\<paper-input-decorator label=“birthday”\> #1251
How addEventListener in nested template? #1250
\<paper-input-decorator label="test" autoValidate?="{{autoValidate}}"\> #1249
Installing with Bower not working #1246
Bower package not found #1245
[0.8] template x-repeat throws error under native ShadowDOM #1244
[0.8] Multiple computed properties call same method #1242
[0.8] value binding not working in samples.html #1241
[0.8] encapsulate and class binding not working well together #1240
Links in SPA tutorial are broken #1239
What is the complete Polymer Public API? #1233
content does not get wrapped on mobile devices #1221
BUG: web-component-tester, sauce-connect-launcher dependency #1214
Why calling polymer.js instead of polymer.min.js? #1213
Imperatively declared element's custom fired event does not bubble up. #1212
[0.8] Attribute deserialization possibly busted? #1208
[0.8] Undefined method in constructor #1207
Typo #1205
[0.8] x-template should provide bound values to elements' configure #1200
Dynamically publishing attributes #1198
Template's script doesn't execute when imported from another document (polyfill) #1197
[0.8-preview] x-repeat standalone issue #1192
Polymer.Import - handle 404's #1184
Get Started Tutorial #1181
Initialization might fail when surrounded by p-element #1180
Why no paper-label? #1174
Polymer (inline styling) inconsistent between Chrome and Firefox #1172
[0.8-preview] Bespoke element constructors #1151
[0.8-preview] detached not getting called when the element being removed is in the localDom of another element. #1145
[0.8-preview] Boolean attribute change handlers are called before localDom
or lightDom
are available. #1131
Reference to HTMLLinkElement
in Polymer.import
callback #1127
0.8-preview: multiple arguments to computed method #1092
0.8-preview: handle case-sensitivity problems around attributes #1080
0.8-preview: "ready" fires before "created"? #1079
Wrong Bindings types documentation #980
Best(?) practice for loading & saving relational data #1008
the demos don't work in Chrome and Opera #1006
one click triggers two popup of paper-dropdown-menu #1004
polymer-project.org bad link #1003
[Firefox] [Regression 0.4.2 -> 0.5.0] on-tap
event not catched #997
In Q&A, answer about hosting for tests is misleading #994
core-overlay not working on firefox 34 #993
Circular dependency between core-iconset and core-icon bower modules #992
www.polymer-project.org unusable in firefox #991
\<core-tooltip\> and paper-fab don't like each other. #988
Weird bug in Firefox and Safari #984
Polymer 0.5.0 for iOS 8 Console reports ReferenceError: Can't find variable: logFlags #981
404 Documentation Link #977
scrolling over a paper-input-decorator using a touch device selects that input making it nearly impossible to scroll over paper-input fields on a mobile device #973
core-item ignores clicks on polymer-project.org in Firefox #968
https://www.polymer-project.org/platform/custom-elements.html has a 404 for the "Shadow dom" button #967
ZIP download missing minified webcomponents.js #965
Unable to get on-core-select to fire in paper-dropdown-menu #957
0.5.1 Element Name could not be inferred | Safari && Mobile Safari #956
url relative path ../ not works for cross domain link import #955
url relative path ../ not works for cross domain link import #954
Can't get a \<core-menu-button\> component in \<core-toolbar\> to show child nodes #951
paper-autogrow text not in bower update #949
Need info how to test polymer elements using Selenium. #948
"horizontal layout wrap" broken in fireFox #945
Zip file is empty upon download #943
on-tap not working on Firefox #941
[Question] Using Polymer for progressive enhancement #940
Buttons not working after vulcanize #935
Dropdown Resizing #930
demo content #929
https://www.polymer-project.org/components/web-component-tester/browser.js not found #928
web-animations.html missing from web-animations-next - (Polymer 0.5.1) #923
Paper Menu button page on Polymer website shows example for paper dropdown menu not paper menu button #922
Click handlers don't work anymore on iOS with 0.5.0 #918
paper-dropdown-menu not working correctly or documentation needs update. #911
Add API for communicating hide/show/resize from parents to interested children #849
bower install on yosemite #808
Two finger touch events - not working #802
Create a core-label, associate a label with a child focusable control #793
Not possible to stay on older version (0.3.5) #758
Incorrect behaviour for disabled fields with Polymer paper-input-decorator #901
Ajax responseChanged return logged twice #900
behavior difference between \<my-component/\> and \<my-component\>\</my-component\> #899
on-tap does not cause paper-input value to be committed #890
\<paper-item\> has 'iconSrc' attribute, should be 'src' like \<paper-fab\>, \<paper-icon-button\> and \<paper-menu-button\> #889
paper-input documentation lacks details on field validation #888
paper-input documentation inconsistently suggests theming via JS properties #887
paper-input documentation suggests html /deep/ selectors, inconsistent with other elements #886
paper-input cursor doesn't seem to support theming #885
paper-input styling instructions lack the ::shadow pseudo-element #884
paper-dropdown-menu: selectedProperty doesn't seem to work #881
Add support for native ES6 class Symbol #880
demo page fails https://www.polymer-project.org/components/core-ajax/demo.html #838
core-icon-button does but paper-icon-button does not load core-iconset-svg #834
paper-fab button href bad #830
Documentation error on core-animation #828
Data-binding within component inside template style #827
Can't scroll using mouse or keyboard #817
On-tap sends event twice on touch device #814
paper-button raised attribute does not work properly when set programmatically #812
Trying to import core-ajax I get an appendChild on #document error #810
core-ajax demo not working #807
Disabled on Switch is not working #806
core-dropdown 0.4.2 not working #804
paper-button has wrong documentation #801
Importing Polymer fails, cannot find WebComponents #797
Link Tooling information is down #792
Can't set the background color of paper-progress from javascript #787
Element stops working if taken off the DOM and put back in #782
paper drop down list showing in middle of screen first time. #776
Template repeat index value is evaluated only after loop end #774
Polymer + Cordova + PhoneGap + iOS = Very Laggy / Slow? #773
Repository error #767
problem accessing polymer properties from content script #753
Polymer as UI only #752
Possible shared state on core elements. #731
paper-input element doesn't show keyboard on Firefox OS 2.0 #727
designerr on polymer page lacks demo'd functioniality from youtube quickstart. #726
PhantomJS Support #724
http://www.polymer-project.org/platform/web-animations.html #721
Polymer site appears broken on Safari 8 #719
Non ASCII strings set in JavaScript show up as ? in Firefox #717
Materials page in Polymer is not rendering correctly #716
Polymer elements not rendering in Android 4.1.2 and 4.2.1. Works on 4.4.2 #714
Bower private packages & stats #711
Step-4 of tutorial code for post-card Polymer prototype does not use element name #710
Polymer does absolutely nothing if you have an "undeclared" element #709
Syntax error in example bower.json #707
Semver not being followed correctly #704
Safari bug when rendering a table using nested loops #700
Clicking on Paper Tab execute twice #696
div with tool attribute does not allow flex for div within #695
it keeps resetting #694
Handlers disappearing when you hide the template #690
on-change event triggered twice #687
Consider making core-component-page a devDependency #683
custom nodes within svg aren't created #681
App not rendering on IE and Firefox #668
Clarification on the modularity of Polymer within external web component scripts: Is Polymer designed in a way to export it as a (commonjs) module? #666
Future Support for Installing Polymer through Chocolatey package manager #657
RangeError: Maximum call stack size exceeded. On Safari 7.0.5 #656
transform-style: preserve-3d causing odd stutter on hover of custom element #652
fire should only check for null and undefined. #646
'target' field in 'event' argument passed into callback function for click/pointer events refers to first element instantiated #641
document.querySelectorAll sluggish on Firefox (v30) for large DOM #629
TemplateBinding should warn/console log about using bind with references. #615
platform fails to load #606
Can't keyboard nav around a custom element in a div that has contenteditable="true" #601
Polymer doesn't appear to work at all under iOS 8 beta 2 #591
Resources not loading in http://www.polymer-project.org/tools/designer/ #585
Unable to extend iframe #580
Custom element that performs dynamic HTML Import gets corrupted offsetWidth when used inside \<template\> #554
Wrap as UMD - Do not force window global #534
Difference in inherited styles between Chrome & other browsers #531
Problem during bower install #529
Adding method childrenChanged
crashes Firefox/Safari #528
fire and asyncFire need return values #527
Errors in Safari 7 with Polymer 0.3.1 #523
Polymer not working in elementary OS #520
Two way binding with Html attribute #519
Polyfills crashing jsbin #517
Polymer breaks dependency resolution with query strings #513
binding to a builtin name fails cryptically #510
Content of nested template is empty #500
Extending Vanilla JS Custom Element with polymer-element #496
Trouble in latest Canary reading styles in attached handler of imported element #493
Keyboard Support #473
HTML Imports polyfill is missing the .import property #471
Pseudo-classes in \<content\> select attribute #470
Using a keyword in attribute name causes error in IE11 #466
Error - Uncaught Possible attempt to load Polymer twice #464
Get full list of polymer-elements. #460
document.registerElement raises error "Options missing required prototype property" #455
Exception when updating inner child element attributes from an object property in a repeat #454
Double quotes don't work in polyfill-next-selector content #453
title attribute cause issue in firefox #451
template bind="x as y" doesn't work on safari #450
Generating an observe block in created or ready doesn't bind #448
\<polymer-ui-accordion\> doesn't always work with Shadow DOM polyfill #444
Polymer breaks instanceof
for native elements. #424
Add @license tag #413
Can't turn body into custom element via is="..." #409
bindProperties logger call refers to nonexistent variables #406
Polymer fails to render elements when query string contains a slash #401
Using native CustomElements and ShadowDOM polyfill together may cause unwanted attached/detached callbacks being called #399
Variable picked by constructor
attribute is set after upgrade events. #398
Exception when invoking super from ready when the node is created by \<template repeat\> #397
automatic node finding within a template-if #387
Challenges of building a menu system in Polymer #382
XSS Vulnerability #375
Publishing an attribute named 'disabled' generates exception in IE10 #372
template if expression, trailing blanks should be ignored #370
processing bindings in a specific order #368
AngularJS incompatibility: need to unwrap elements when jqLite.data() is used #363
Polymer makes getScreenCTM() crash #351
Sorting an array can result in an *Changed method firing #350
Reentrancy question: reflectPropertyToAttribute can trigger unwanted attributedChanged effects #349
ShadowDOMPolyfill is way, way too intrusive! #346
Separate out platform.js from polymer core #344
Attribute values should be copied to property values before created
#342
custom event handler matching is case sensitive #340
Fragments in links get rewritten to point to directory of import #339
Address polymer-elements that take child elements #337
Declarative event discovery on custom elements #336
test-button element class with extends="button" can't be instantiated with \<test-button\> syntax #334
Page rendering issue - navigation #333
Cannot modify a template's contents while it is stamping #330
Publish sub-projects on npm, add them to package.json. #326
stack: "TypeError: Object #\<Object\> has no method 'getAttr #325
Support angular/django style filters #323
createElement-wrapped \<img\> throws TypeError on \<canvas\> drawImage #316
Databinding breaks after removing and reattaching an element to the DOM #311
Ensure {{}} are removed after binding #304
Getting started instructions incomplete: no polymer.min.js #300
Site is not showing properly in IE11 #299
Prevent event bubbling in polyfill #296
Prevent duplicate ID's in polyfill #295
remove use of deprecated cancelBubble? #292
Polymer throws error in Canary when registering an element via import #290
Type Convert Error when work with canvas #288
DOM Spec Input - Virtual MutationRecords #281
polymer animation not support ios #279
Event.cancelBubble cannot be used for stopping event propagation in Polymer #275
Consider removing controllerStyles and requiring explicitly adding stylesheets #272
Write up suggestions on dealing with performance #269
improve on-* delegation by introducing control for Polymer-bubbling (as distinct from DOM bubbling) #259
Consider issuing a warning when a polymer-element's shadowRoot contains un-upgraded custom elements #258
on-tap doesn't fire all the time that on-click does #255
Chrome Packaged App: including the UI elements is not convenient #248
Polymer doesn't work on Iceweasel web browser #247
It's confusing that you need to nest a \<template repeat\> inside an outermost \<template\>. #245
http://www.polymer-project.org/tooling-strategy.html is a bit spare #244
documentation for attributeChanged is wrong #242
Using scoped models impacts 2-way property binding #220
loader seems to fail at random, but frequently when serving from localhost #218
Cloned attributes should not override user attributes in markup #190
Sugaring dynamics in ShadowDOM #176
Asynchronous attribute declaration #160
Consider adding broadcast #145
explore performance impact of import-order of components #108
title attribute #97
Write doc about attributes and type inference when applying to properties #93
Confusing cancelBubble #74
Internet explorer is not binding inside \<select\> tag #692
\<core-collapse\> syntax issue. #689
TemplateBinding.js Uncaught HierarchyRequestError #688
TypeError: Argument 1 of Window.getDefaultComputedStyle does not implement interface Element #686
Not working in Safari - Window #682
Polymer should respect XHTML syntax #680
polymer design tool issue #679
Incomplete zip files. #676
Polymer Designer always deletes everything #674
Wrong import path on Designer Preview when importing polymer.html #670
error 404 on core-transition demo page #669
Polymer site is not reachable. #667
TypeError and NetworkError when starting the designer tool from the url #665
Scroll disappearing on Polymer Website #661
paper-menu-button is not responsive #660
Core-drawer-panel hardcoded drawer width #659
the BSD license link at the bottom of http://www.polymer-project.org/ is a 404 #655
Polymer breaks URL #653
Cannot install polymer 0.3.4 #643
Polymer breaks KnockoutJS outside of Chrome #640
Paper button keeps flashing #639
\<core-style\> should use an element that parses in plain text mode #637
"Assertion Failed" unwrapping event #636
Rating Slider Knob goes outside boundaries #635
typo on http://www.polymer-project.org/docs/elements/paper-elements.html\#paper-menu-button #632
core-list is inefficient in data initialization #631
Closing tags with /> leads to ignored shadow DOM content #628
Paper Elements use inline scripts => violate Chrome packaged app CSP rules #613
paper-tab::shadow #ink glitches when click is held #611
Core-toolbar breaking material design speck #605
\<input list="x"\>\<datalist id="x"\> as a component used within another component #600
core-scroll-header-panel won't hide navigation bar on Android (stable and beta) #569
Scroll Header Panel flowing over panel scroll bar #555
Drawer Panel is not working. #550
Polymer 0.2.2 polymer-animation-group.js logs error to console #463
polymer-ui-scaffold and polymer-ui-nav-arrow #343
Better error when creating an element without a hyphenated name #303
polymer-ajax fails silently when json is not valid json #257
Paper component focusable demo missing #624
Step 1 of Tutorial incomplete #623
Step-1 of tutorial instructions are missing vital CSS #622
Link on paper-tabs for paper-tab is broken #621
Wrong example in polymer tutorial #618
Please improve the Core Elements / Scaffold example #617
Polymer demos are not working in android stock browser and polymer is not working in cordova apps in JellyBean and prior versions. It is throwing "Window is not defined error in platform.js file at line number 15". #616
Chrome Packaged App: Refused to evaluate a string as JavaScript because 'unsafe-eval' #612
Broken doc in 'using core icons #610
Navigation menu error #609
IE 11 issues #608
deadlink in polymer site #604
extjs and polymerjs #603
Mistake on proto-element.html #602
paper-slider does not work properly in Safari and FireFox #599
Polymer designer color-picker has no specific color palette #598
Paper Elements Input does not work on iOS #596
Core-Transition Demo #594
Starting a webserver in Python #590
simple style attribute bindings and styleObject filter not working in IE11 (maybe other versions as well) #589
Images not rendering in the demp app tutorial #588
Core-transition demo link returns 404 #586
Paper-Checkbox Animation Fix #584
Designer will not save #583
::content polyfill for VanillaJS Templates and Custom Elements #582
core-transition-css Error: Not Found #581
Polymer Tutorial step 1 multiple core-select events #578
Material design link is broken #577
core-scroll-header-panel background missing? #576
Can't get any of the demos work?? #575
paper-elements.html not found #574
Tutorial Typo #572
tutorial step-2: missing slash on closing div tag #571
Minor Duplication: unnecessary core-icon-button declaration block to style the fill color of the favorite icon #570
Layout Messed #568
Chromebook #565
[Docs] The "Learn" page on polymer-project.org crashes Safari Mobile #563
core-scroll-header-panel won't hide nav bar on Chrome for Android #562
Polymer flat design phonegap #560
Input examples do not work in iPad iOS 7.1.1 #558
Demo & Edit on GitHub links not working on component page #557
Download link for checkboxes is broken #556
core-slide demo not found #553
Polymer website side panel menus overlaps url: http://www.polymer-project.org/docs/start/tutorial/intro.html #552
document.querySelector containing ::shadow fails in Firefox 30 #551
docs-menu polymer-ui-menu { position: fixed; } - Mozilla Firefox 30.0 #549
Invalid Zip File #547
http://www.polymer-project.org/docs/elements/core-elements.html\#core-overlay-layer links to 404 page not found #546
Polymer docs gives wrong information #545
Can't open .zip files.. #544
[docs tutorial] step 3 code sample post-service closing tag #543
All of the top menu functionalities are not working #542
Sidebar menu elements are overlaid #541
Edit on GitHub Link returning 404 error #540
rendering problems with new website in FF on osx #539
[Docs] polymer-ui-menu on docs page doesn't seem to be displaying correctly, Chromium and Firefox #538
I think I found a mistake in the tutorial, not sure where to put it... #536
[In Docs] Wrong link in "Demo" button #535
I think seed-element shouldn't advise ignoring .bowerrc #533
The trouble with the now-deprecated applyAuthorStyles in Polymer Elements #532
Polymer does not display cyrillic characters correctly #498
Consider optimizing propertyForAttribute #181
nameInThis() in oop.js is slow #177
Internationalization of Web Components #175
polymer-scope="controller" should not install the same stylesheet multiple times #173
Add polyfill styling support for @host :scope #170
Error loading polymer if window.location.hash is not null #167
Unexpected result upgraded plain DOM to custom element instance #166
Alias this.webkitShadowRoot -> this.shadowRoot #165
Simplest way to "Fire up a web server" to run examples #161
Custom elements seem to cache data after being deleted and re-added #159
Prevent memory leaking under MDV polyfill #154
Element templates are stamped into shadowRoot with unbound values #153
Styles should not be shimmed asynchronously under ShadowDOMPolyfill #151
Polymer.js fails to load with "ReferenceError: Can't find variable: Window" on Windows 7 Safari browser and iPad 1 iOS 5.1.1 #149
Stylesheets in \<element\> elements are emitted in incorrect order #148
Web animations is not loaded by Polymer #140
Polymer components should be called monomers. #137
Small error in "Getting Started" tutorial #136
add doc-comments to 'base.js' #133
Attribute-based styles not always updated #132
attributeChanged event on "sub-component" not fired in Canary but works in Chrome #131
Stylesheets throw exception if toolkit-scope is defined and the element definition is inline #127
Consider deserializing to Array from attributes, if property is Array-valued #124
Modify attrs.js to accept Date strings in custom element attribute values #118
Attribute value that's a comma delineated list of numbers is converted to a property incorrectly #117
Including toolkit.js on a page moves all \<style\>s to the \<head\>. #114
PointerEvents registration fails in the presence of ShadowDOMPolyfill in some cases #111
Distributing template content to a shadowDOM can fail under shadowDOM polyfill #110
Cursor moves to end of input after typing #109
toolkitchen.github.io code samples not showing up in ff #105
Document Browser support and test coverage using Testing CI and Travis CI #104
clean up commented code in events.js #100
rename base.send
to base.fire
or base.bubble
#98
toolkit.min.js missing method shimStyling #91
Git repo url incorrect #89
Menu-button workbench file hangs chrome under ShadowDOM Polyfill #86
can't make bindings to objects on elements instantiated by mdv #81
Don't name things _, __ and $ #73
@host styles aren't processed for base elements #72
"export" flag attribute documented in platform.js is actually "exportas" #64
handlers="..." declarative events listen on the host element and therefore see no event target info for events generated in shadowDom #41
MutationObserver code for custom event (on-*) binding is inefficient #24
g-component published properties don't inherit #18
g-component property automation is inefficient #15
Add unit tests for g-overlay, g-selector, g-selection #11
Document public api #10
have some good defaults for g-overlay #7
7/11 master -> stable #204 (azakus)
Correct test to check global div #201 (ebidel)
Fixes issue #199 - adds support for resetStyleInheritance on prototype #200 (ebidel)
Switch to \<polymer-element\> #192 (azakus)
6/17 master -> stable #184 (azakus)
Fix a typo in contributing.md #183 (alexhancock)
Flatten repos #174 (azakus)
6/5 master -> stable #172 (azakus)
Merge mdv-syntax branch #168 (sjmiles)
added array & obj support to attrs.js (plus refactor) #158 (bsatrom)
Fix link in CONTRIBUTING.md #144 (markhealey)
5/15 master -> stable #135 (azakus)
5/14 master -> stable #134 (azakus)
Add custom date parsing module #130 (bsatrom)
5/9 master -> stable #125 (azakus)
added deserialization of Date attributes for custom elements #122 (bsatrom)
merge Observer branch #113 (sjmiles)
4/17 master -> stable #99 (azakus)
Bring experimental test harness in from alt-test branch #85 (sjmiles)
Wrap grunt test in xvfb for virtual display. #84 (agable-chromium)
Add step-generator script to toolkit #82 (agable-chromium)
Stop using __{lookup,define}{G,S}etter__ #76 (arv)
Use XMLHttpRequest directly #75 (arv)
Updating meta tag #61 (ebidel)
Adding Contributors guide #60 (ebidel)
Tweaks to README. #58 (ebidel)
latest event handling scheme #55 (sjmiles)
g-panels updates #54 (sorvell)
g-component tweaks to improve data-binding #53 (sjmiles)
updated components for the new changes in g-component #52 (frankiefu)
Merge polybinding branch into master #51 (sjmiles)
minor fixes to support app development #49 (sorvell)
added g-menu-button and g-toolbar #48 (frankiefu)
g-overlay: simplify styling. #47 (sorvell)
g-overlay update: simplify and add basic management for focus and z-index. #46 (sorvell)
add unit tests to cover more components and the latest sugaring in g-components #45 (frankiefu)
fixes issue #30: allow findController to step out of lightDOM #44 (sjmiles)
update g-ajax and minor g-panels and g-page fixes #42 (sorvell)
update to use the new g-component sugar #40 (frankiefu)
g-component minor fixup; updates for g-page and g-panels #39 (sorvell)
implement new 'protected' syntax #38 (sjmiles)
g-component and g-panels minor changes #37 (sorvell)
filter mustaches in takeAttributes, other minor tweaks #36 (sjmiles)
g-page: use external stylesheet #35 (sorvell)
added g-page component #34 (sorvell)
g-component attribute parsing fix; g-panels & g-overlay & g-ajax minor fixes #33 (sorvell)
bug fixes, more indirection around 'conventions' #32 (sjmiles)
minor updates/fixes to g-component, selector and menu #31 (frankiefu)
g-panels minor bug fixes #29 (sorvell)
add g-panels #28 (sorvell)
g-overlay: refactor/simplify #27 (sorvell)
g-component: fix typo #26 (sorvell)
update components based on changes in g-component #25 (frankiefu)
MDV sugaring #23 (sjmiles)
menu component and basic component unit tests #22 (frankiefu)
"DOMTokenList.enable" was renamed to "toggle" at platform, update polyfill #21 (sjmiles)
use MutationObserver to maintain custom event bindings, bug fixes #20 (sjmiles)
tabs component, simplify togglebutton and more unit tests #19 (frankiefu)
unit test harness #17 (frankiefu)
use shadow="shim" instead of shimShadow for compatibility with URL override #16 (sjmiles)
change property automation to be property-first instead of attribute-first #14 (sjmiles)
call shadowRootCreated in the right scope and add g-ratings component #13 (frankiefu)
update for names changes in polyfill #12 (frankiefu)
add g-selection and g-selector components #9 (sjmiles)
add ajax and togglebutton components #8 (frankiefu)
various changes to enable g-overlay #6 (sjmiles)
add g-icon-button #4 (sjmiles)
fix path #3 (sjmiles)
make workBench live with toolkit #2 (sjmiles)
Initial Components #1 (sjmiles)