Skip to content

Latest commit

 

History

History
7156 lines (3643 loc) · 395 KB

CHANGELOG.md

File metadata and controls

7156 lines (3643 loc) · 395 KB

Change Log

v3.5.1 (2022-06-03)

  • [ci skip] bump to 3.5.1 (commit)

  • _valueToNodeAttribute converts the empty string to trustedTypes.emptyScript before setting, if available. (commit)

  • Adds Trusted Types support for reflected boolean properties. (commit)

  • [ci skip] update changelog (commit)

v3.5.0 (2022-05-18)

v3.4.1 (2020-04-29)

  • [ci skip] bump to 3.4.1 (commit)

  • Add type for DomApiNative's setAttribute method. (commit)

  • Remove gen-typescript-declarations; manually add LegacyElementMixin's setAttribute type. (commit)

  • Remove "DO NOT EDIT" warning comments. (commit)

  • Track TypeScript declarations. (commit)

  • Update Closure types for overridden setAttribute in LegacyElementMixin. (commit)

  • Add method / parameter descriptions. (commit)

  • Fix TypeScript breakages by specifying types for overridden setAttribute and getAttribute. (commit)

  • Add complete commit list for v3.4.0 (commit)

  • Fix a couple more compiler warnings (commit)

  • Typos and other minor changes. (commit)

  • Add a note about a bug fix for chunking. (commit)

  • Add useAdoptedStyleSheetsWithBuiltCSS section. (commit)

  • Add setters to settings titles. (commit)

  • Add a note about orderedComputed and cycles. (commit)

  • Add example of overriding suppressTemplateNotifications via notify-dom-change. (commit)

  • Add a section about automatic use of constructable stylesheets. (commit)

  • Add "Other new features" section for reuseChunkedInstances and LegacyElementMixin's built-in disable-upgrade support. (commit)

  • Added notes for fastDomIf, removeNestedTemplates, suppressNestedTemplates, and suppressTemplateNotifications. (commit)

  • Started on release notes for legacyUndefined, legacyWarnings, orderedComputed. (...) (commit)

  • Remove unused externs. (commit)

v3.4.0 (2020-04-23)

New global settings

This update to Polymer includes some new global settings:

  • 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 { /* ... */ }
    
    // All MigratedElement instances will use the default behavior.
    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 { /* but `someProperty` is not declared here */ };
      }
    }
    
    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.

Other new features

<dom-repeat>

  • reuseChunkedInstances

    What does it do? This boolean property causes <dom-repeat> to reuse template instances even when items is replaced with a new array, matching the Polymer 1 behavior.

    By default, a <dom-repeat> with chunking enabled (i.e. initialCount >= 0) will drop all previously rendered template instances and create new ones whenever the items array is replaced. With reuseChunkedInstances set, any previously rendered template instances will instead be repopulated with data from the new array before new instances are created.

    Should I use it? This flag is generally recommended and can improve rendering performance of chunked <dom-repeat> instances with live data.

LegacyElementMixin

  • disable-upgrade

    What does it do? LegacyElementMixin now has built-in support for the disable-upgrade attribute (usually provided by DisableUpgradeMixin) that becomes active when the global legacyOptimizations setting is enabled, matching the Polymer 1 behavior.

    Should I use it? Consider using this setting if you are already using the legacyOptimizations setting and migrating older components that depend on disable-upgrade without explicit application of DisableUpgradeMixin.

Bug fixes

<dom-repeat>

  • Chunking behavior

    <dom-repeat> no longer resets the number of rendered instances to initialCount when modifying items with PolymerElement's array modification methods (splice, push, etc.). The number of rendered instances will only be reset to initialCount if the items array itself is replaced with a new array object.

    See #5631 for more information.

All commits

  • [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 __itemsArrayChanged is 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)

v3.3.1 (2019-11-08)

  • [ci skip] bump to 3.3.1 (commit)

  • Remove TimvdLippe from CODEOWNERS (commit)

  • Add node field to PolymerDomApi (commit)

  • Improve types for the template field on Polymer elements. (#5596) (commit)

  • Add module field (commit)

  • Wrap other hasOwnProperty checks in JSCompiler_renameProperty. (commit)

  • Wrap hasOwnProperty checks for __hasRegisterFinished in JSCompiler_renameProperty(). (commit)

  • Fix typing error in fixPlaceholder (commit)

  • Fix up comments based on feedback (commit)

  • Workaround bindings to textarea.placeholder in IE (commit)

  • Add additional externs (#5575) (commit)

  • Make Closure compiler happier about ShadyDOM access (commit)

  • Remove other double import (#5565) (commit)

  • Only use CONST_CASE for constants. (#5564) (commit)

  • [skip ci] update changelog (commit)

v3.3.0 (2019-06-24)

  • [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 google/closure-compiler#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)

v3.2.0 (2019-03-21)

  • [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)

v3.1.0 (2018-10-26)

  • 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)

v3.0.5 (2018-07-30)

  • Add more missing .d.ts files from being npm published. (commit)

  • [ci skip] update changelog (commit)

v3.0.4 (2018-07-30)

  • Ensure generated interfaces.d.ts is included in npm package (commit)

  • [ci skip] update changelog (commit)

v3.0.3 (2018-07-30)

  • rebuild package-lock (commit)

  • Generate typings for Polymer 3. (commit)

  • Revert Promise changes. (commit)

  • Lint fixes. (commit)

  • Restore some externs. (commit)

  • Upstream a bunch of g3 changes. (commit)

  • Add no-unused-vars eslint suppressions. (commit)

  • Annotate another two ephemeral classes. (commit)

  • Mark some ephemeral super classes as private. (commit)

  • Annotate Node parameter as not null. (commit)

  • Annotate some internal classes as private. (commit)

  • Fix some appliesMixin annotations still with Polymer namespace. (commit)

  • TypeScript generator config and extra interfaces for Polymer 3. (commit)

  • Tweaks to make Polymer 3 more amenable to typings generation. (commit)

  • Fix gulp 4 issues (commit)

  • Extend Safari exceptions beyond 10.1 (commit)

  • Ignore shady CSS scoping in getComposedHTML (commit)

  • Fix method to force CE polyfill on in 3.x (commit)

  • Convert object to class for better compilation (commit)

  • Fix Typo in Readme (#5260) (commit)

  • regen package-lock.json (commit)

  • Update supported browsers in issue template (commit)

  • Remove modulized comment (commit)

  • Update package.lock (commit)

  • Fix typo in jsdoc (#5248) (commit)

  • Replace .npmignore with package.json "files" option. (#5245) (commit)

  • Spelling (commit)

  • Update template docs (#5233) (commit)

  • fix lint (commit)

  • Port disabled fixes from 2.x (commit)

  • Update repo URL (commit)

  • Add badges (commit)

  • Update development instructions for 3.0 (#5226) (commit)

  • [ci skip] update changelog (commit)

  • Closure extern update (commit)

  • Add user-importable files to bower.json's main field for modulizer. (commit)

v3.0.2 (2018-05-09)

  • Add back modulizer manifest (commit)

  • [ci skip] update changelog (commit)

v3.0.1 (2018-05-09)

  • [ci skip] update changelog (commit)

  • Remove importHref from 3.0 (commit)

v3.0.0 (2018-05-08)

  • 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)

v2.6.0 (2018-03-22)

  • 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)

v2.5.0 (2018-02-02)

  • Update types (commit)

  • Update JSDocs to use tags (commit)

  • Fix type declarations inadvertedtly referencing Polymer.Element. (#5084) (commit)

  • Use class syntax in 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)

v2.4.0 (2018-01-26)

  • Simplify code for '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)

v2.3.1 (2017-12-07)

  • Add test that would fail with the "last style" behavior in master (commit)

  • Use padding-top to get correct computed style on older safari (commit)

  • Handle styles that are not direct children of templates correctly (commit)

  • [ci skip] update changelog again (commit)

v2.3.0 (2017-12-05)

  • [ci skip] update changelog (commit)

v2.2.1 (2017-12-05)

  • [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)

v2.2.0 (2017-10-18)

  • [ci skip] Autoupdate version when releasing (commit)

  • add edge 15, use chrome stable (commit)

  • super it and put back takeRecords (commit)

  • more feedback (commit)

  • Address feedback (commit)

  • add some description of the dir mixin (commit)

  • Fix linting (commit)

  • Always do the :dir transform (commit)

  • Clean up closure externs (commit)

  • remove bogus semicolon (commit)

  • Declare Polymer.Templatizer directly, for Closure. (#4870) (commit)

  • First draft of a :dir aware element mixin (commit)

  • [ci-skip] Update CHANGELOG (commit)

v2.1.1 (2017-09-28)

  • Prepare for release 2.1.1 (commit)

  • Move @externs before @license because Closure likes that. (commit)

  • just move the style instead (commit)

  • Copy styles to main document (commit)

  • Fix typos and jsdoc (#4846) (commit)

  • [ci skip] update changelog (commit)

  • Fix shady dom style querySelector (commit)

  • Fix linter error (commit)

  • Exclude script and style tags for parsing bindings (commit)

  • Special-case undefined textarea.value same as input. Fixes #4630 (commit)

v2.1.0 (2017-09-19)

  • [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)

v2.0.2 (2017-07-14)

  • 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 babel/minify#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)

v2.0.1 (2017-05-25)

  • [ci skip] Prepare 2.0.1 (commit)

  • Improve comment more (commit)

  • Improve comment (commit)

  • Add comment. (commit)

    • Improve clarity: change __dataInitialized to __dataReady * When _flushClients is called, ensure that clients are always enabled or flushed as appropriate. This ensures that (1) clients that are enabled before the host is enabled flush properly, and (2) clients that are stamped but not enabled properly enable when the host flushes. (commit)
  • Fix typo in runBindingEffect documentation (commit)

  • Fixes #4601. Client elements can be readied that have already enabled properties. This can happen when templatize is used to create instances with no properties. In this case, in order for properties to flush properly to clients, clients must be flushed. (commit)

  • [ci skip] Update Changelog (commit)

v2.0.0 (2017-05-15)

  • [ci skip] bump version to 2.0.0 (commit)

  • [ci skip] Update Changelog (commit)

v2.0.0-rc.9 (2017-05-12)

  • [ci skip] Add alacarte usage smoke tests. (commit)

  • [skip ci] doc fixes (commit)

  • Docs and slight renaming. (commit)

  • Add tests. (commit)

  • Move hostStack to property-effects and make readyClients explicit (commit)

  • Turn on accessors (via __dataInitialized) only after clients have completely flushed. (commit)

  • Adds _enableProperties as a new entry point that must be called to turn on properties. Prevents a bug where _readyClients can be called twice. (commit)

  • [ci skip] Fix doc createPropertyEffect -> addPropertyEffect (commit)

  • [ci skip] Update Changelog (commit)

v2.0.0-rc.8 (2017-05-11)

  • Add test for boolean dynamicFn (commit)

  • Accept boolean or object map for dynamicFns (commit)

  • update dependencies for v1 polyfills (commit)

  • Null the links when unbinding. (commit)

  • Dedupe API docs. (commit)

  • Move setup to suiteSetup (commit)

  • Uncomment previous tests (commit)

  • Add tests (commit)

  • [ci skip] port gen-changelog from 1.x (commit)

  • Add static API for creating property fx and minor code refactoring. (commit)

  • [ci skip] remove bower.json version, add npm devDependencies & np publish config (commit)

  • Fix comment. (commit)

  • Fixes #4585. Data notifications do not flush host if host has not initialized clients. This preserves the Polymer 1.x guarantee that client dom is fully “readied” when data observers run. (commit)

  • Ensure no warnings for dynamic fns. Fixes #4575 (commit)

  • Corrected minor Method comments (commit)

  • Removes the disable-upgrade feature from Polymer 2.0. Due to #4550, the feature has a flaw for native ES6 classes and would be better implemented as either a mixin or patch to customElements.define. (commit)

  • Fix jsBin link. (commit)

  • Ensure tags in markdown are backtracked. Short-term stopgap to ensure they are not rendered in HTML. (commit)

  • Clean up gulpfile (commit)

  • bump wct version (commit)

  • Disabling lint-closure until the error count is driven to 0 (commit)

  • fix test failures on safari 9 and chrome 41 w/focus event (commit)

  • update debounce example. (commit)

  • Fixes #4553, #4554 (commit)

  • save closure warnings to "closure.log" file (commit)

  • use shadycss externs directly, now only 498 warnings (commit)

  • add gulp task to lint for closure warnings (commit)

v2.0.0-rc.7 (2017-04-19)

  • Add more tests. (commit)

  • Update jsBin template for 2.0 (commit)

  • [ci skip] Update link to jsBin template for 2.0. (commit)

  • Move computeLinkedPaths out of hot path and into sync setter. (commit)

  • [ci skip] Add note re: purpose of test (commit)

  • Fix test for fallback _readyClients. Fixes #4547 (commit)

  • Process paths regardless of accessor, & loop on computeLinkedPaths. Fixes #4542 (commit)

v2.0.0-rc.6 (2017-04-17)

  • [ci skip] Fix API docs (commit)

  • Guard against overwriting bound values with hasOwnProperty. Fixes #4540 (commit)

  • [ci skip] reduce warnings (commit)

  • fix globals for goog.reflect.objectProperty -> JSCompiler_renameProperty swap (commit)

  • [ci skip] remove outdated externs file (commit)

  • lint and compile successfully (commit)

  • update dependencies (commit)

  • Rename setPrivate -> setReadOnly (commit)

  • Add setPrivate arg to setProperties (commit)

  • Never accidental test change (commit)

  • Remove unused @method (commit)

  • Standardize @return, @param, type case. (commit)

  • Fix jsdoc warnings. (commit)

  • jsdoc fixes. (commit)

  • Fix jsdoc issues. (commit)

  • Fix jsdoc issues. (commit)

  • Enable error on jsdoc mistake. (commit)

  • fix @license comments & shadycss imports. Remove custom style from externs (commit)

  • closure advanced compilation (commit)

v2.0.0-rc.5 (2017-04-13)

  • Eliminate rest args for better perf on stable chrome. (commit)

  • Fix perf regressions. (commit)

  • Move second tap test to the correct spot. (commit)

  • Add GestureEventListeners to dom-bind. (commit)

  • Add more comments (commit)

  • [ci skip] Fix comment. (commit)

  • alias another way (commit)

  • use chrome beta (commit)

  • Add more HTMLImports.whenReady (commit)

  • Address feedback from review: * Refactor _bindTemplate to remove problematic hasCreatedAccessors * Remove vestigial dom from _bindTemplate call * Rename _unstampTemplate to _removeBoundDom * Add infoIndex to nodeInfo (and renamed parent & index) * Add test to ensure runtime accessors created for new props in runtime stamped template * Changed custom binding test to use different prop names * Added test for #first count after removing bound dom (commit)

  • Fix lint error. (commit)

  • Ensure prototype wasn't affected by runtime effects. (commit)

  • Add tests for adding/removing runtime property effects. (commit)

  • Added tests for custom parsing, effects, and binding. (commit)

  • Add initial runtime stamping tests. (commit)

  • Fix changelog generation (commit)

  • Address feedback based on review. * PropertyAccessors must call _flushProperties to enable * Avoid tearing off oldProps (unnecessary) * Add addBinding docs * Merge notifyListeners into setupBindings * Add comment re: path-bindings not being overridable * Remove dom argument from _bindTemplate * Rename _stampBoundTemplate back to _stampTemplate (commit)

  • Put $ on dom, and assign to element as needed. Eliminate _templateInfo reference. (commit)

  • Fix _hasAccessor for readOnly. Collapse addBinding & addBindingEffects (commit)

  • Improvements to binding API: - Adds override points for _parseBindings and _evaluateBinding - Adds support for runtime template binding - Moves ready(), _hasAccessor tracking, and instance property swizzle at ready time to PropertyAccessors (commit)

v2.0.0-rc.4 (2017-04-12)

  • 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 #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)

v2.0.0-rc.3 (2017-03-15)

  • add properties, behaviors, observers, hostAttributes, listeners on prototype (commit)

  • [skip ci] update test comments (commit)

  • better comment (commit)

  • get behaviors only from prototypes (commit)

  • behaviors ONLY on the prototype (commit)

  • add instance behaviors (commit)

  • [ci skip] minor doc edits. (commit)

  • [ci skip] expand range of dependencies to all rcs (commit)

v2.0.0-rc.2 (2017-03-07)

  • another test fix. (commit)

  • fix behavior warn test. (commit)

  • update to latest webcomponents rc. (commit)

  • move mutable data mixin to be loaded by polymer.html (commit)

  • Fix 4387. Ensure dom-change fired with composed: true. (commit)

  • Allow hybrid elements (like iron-list) to make template instances with mutable data (commit)

  • Don't override the goog namespace if it already exists (commit)

  • Use correct version (commit)

  • Fix spelling error (commit)

  • [ci skip] Fix note re: transpilation (commit)

  • [ci skip] Remove obsolete note re: pre-upgrade attribute vs. property priority (commit)

  • [ci skip] Fix note re: attached (commit)

  • [ci skip] Add back intro README content from 1.x, updated to 2.x syntax. (commit)

v2.0.0-rc.1 (2017-03-06)

The following notable changes have been made since the 2.0 Preview announcement.

  • The config getter on element classes has been replaced by individual properties and observers getters, more closely resembling the 1.x syntax.

    static get properties() {
      return {
        aProp: String,
        bProp: Number
      }
    }
    static get observers() {
      return [
        '_observeStuff(aProp,bProp)'
      ]
    }
  • 1.x-style dirty checking has been reinstated for better performance. An optional mixin is available for elements to skip dirty checking of objects and arrays, which may be more easy to integrate with some state management systems. For details, see Using the MutableData mixin in Data system concepts.

  • Support for dynamically-created custom-style elements has been added.

  • Support for the external style sheet syntax, <link rel="import" type="css"> has been added. This was deprecated in 1.x, but will be retained until an alternate solution is available for importing unprocessed CSS.

  • New properties rootPath and basePath were added to Polymer.Element to allow authors to configure how URLs are rewritten inside templates. For details, see the Update URLs in templates in the Upgrade guide.

v1.9.1-dev (2017-04-17)

  • Remove use of ES6 API. (commit)

  • Remove use of ES6 API. (commit)

  • Ensure optimization uses hybrid parentNode (commit)

  • Use local parentNode (commit)

  • Capture hybridDomRepeat. (commit)

  • Fix dom-if detachment (commit)

  • Add dom-if test for add/remove. (commit)

  • Add test for add & remove (commit)

  • Add 2.x hybrid affordances for stamping template content. Fixes #4536 (commit)

  • Fix lint (commit)

  • Make tests more strict. (commit)

  • Use _importPath in resolveUrl so it available early. Fixes #4532 (commit)

  • [ci skip] update Changelog (commit)

v1.9.0-dev (2017-04-13)

  • [ci skip] skip looking in build log, again (commit)

  • [ci skip] backport changelog fixes (commit)

    • allow setting rootPath * disallow setting importPath (this is supported in 2.x but not 1.x) (commit)
  • Add importPath and rootPath to support 2.x hybrid compatible elements. (commit)

  • [ci skip] Update Changelog (commit)

  • Add missing semicolon after variable assignment (commit)

  • Update PRIMER.md (commit)

v1.8.1-dev (2017-02-27)

  • Exclude SD polyfill tests for Edge due to lack of workarounds for Edge DocFrag bugs. (commit)

  • [ci skip] Update comment to include reference to problem browser. (commit)

  • Check documentElement instead of body to guarantee it's there. (commit)

  • add tests (commit)

  • Adds a setting preserveStyleIncludes which, when used with a shadow dom targeted css build and native custom properties, will copy styles into the Shadow DOM template rather than collapsing them into a single style. This will (1) allow the browser to optimize parsing of shared styles because they remain intact, (2) reduce the size of the css build resources when shared styles are used since they are not pre-collapsed. This option does perform registration runtime work to add included styles to element templates. (commit)

  • Fix test failures by feature detecting instance properties accessors. Can't rely on __proto__ on IE10, but that browser doesn't need to avoid properties. (commit)

  • Read properties off of proto during configuration. (commit)

  • remove cruft. (commit)

  • Ensure disable-upgrade elements are not "configured". Fixes #4302 (commit)

  • change lastresponse to last-response in dom-bind example (commit)

  • [ci skip] Update Changelog (commit)

v1.8.0-dev (2017-02-06)

  • Add comment. (commit)

  • Only keep disable-upgrade attribute if it is an attribute binding. (commit)

  • spacing. (commit)

  • Update webcomponentsjs dependency (commit)

  • Change isInert to disable-upgrade and feature is now supported only via the disable-upgrade attribute. (commit)

  • Add tests for is-inert (commit)

  • Prevent annotator from removing the is-inert attribute. (commit)

  • fixes for users of Polymer.Class (commit)

  • Add support for isInert to allow elements to boot up in an inert state. e.g. <x-foo is-inert></x-foo>. Setting xFoo.isInert = false causes the element to boot up. (commit)

  • Small typos updated (commit)

  • work around older firefox handling of the "properties" property on HTMLElement prototype (commit)

  • improve comments (commit)

  • Add comments. Behavior fast copy flag changed to _noAccessors. (commit)

  • Fix tests on IE10 and simplify constructor shortcut. (commit)

  • Make dom-module work on older Safari. (commit)

  • micro-optimizations: (1) favor mixin over extends where possible, (2) unroll behavior lifecycle calls, (3) avoid creating a custom constructor when not used, (4) provide _skipDefineProperty setting on behaviors which copies properties via assignment rather than copyOwnProperty (commit)

  • Ensure done. (commit)

  • Test positive case of suppressBindingNotifications (commit)

  • Add notifyDomBind to dom-bind. (commit)

  • Test Polymer.Settings inside test. (commit)

  • Revert unnecessary change. (commit)

  • Fix test lint issue. (commit)

  • Add global flags to suppress unnecessary notification events. Fixes #4262. * Polymer.Settings.suppressTemplateNotifications - disables dom-change and rendered-item-count events from dom-if, dom-repeat, and don-bind. Users can opt back into dom-change events by setting the notify-dom-change attribute (notifyDomChange: true property) to dom-if/don-repeat instances. * Polymer.Settings.suppressBindingNotifications - disables notify effects when propagating data downward via bindings. Generally these are never useful unless users are explicitly doing something like <my-el foo="{{foo}} on-foo-changed="{{handleFoo}}"> or calling addEventListener('foo-changed', ...) on an element where foo is bound (we attempted to make this the default some time back but needed to revert it when we found via #3077 that users were indeed doing this). Users that avoid these patterns can enjoy the potentially significant benefit of suppressing unnecessary events during downward data flow by opting into this flag. (commit)

  • Fix strip-whitespace for nested templates. (commit)

  • [ci skip] update changelog v1.7.1 (commit)

  • Close backtick in ISSUE_TEMPLATE.md (commit)

v1.7.1-dev (2016-12-14)

  • Remove dependency on WebComponents for IE detection (commit)

  • Make sure text nodes are distributed when translating slot to content (commit)

  • always use the document listener (commit)

  • Add tests for no-gesture interop (commit)

  • fix lint error (commit)

  • Use document-wide passive touch listener to update ghostclick blocker target (commit)

  • only need to recalc if styleProperties missing (commit)

  • simpler implementation, only recompute when using shim variables (commit)

  • [ci skip] update travis.yml from 2.0 (commit)

  • Always update style properties when calling getComputedStyleValue (commit)

  • Add tests (commit)

  • Fix #4123: Memory leak when using importHref (commit)

  • Prevent _showHideChildren from being called on placeholders. (commit)

  • fix broken link to Google JavaScript syle guide in documentation (commit)

  • Better explanation thanks to @kevinpschaaf (commit)

  • [ci skip] fix changelog title (commit)

  • [ci skip] Update Changelog for 1.7.0 (commit)

  • Resolving issue #1745 with Polymer docs (commit)

  • fixed broken tests/missing web components (commit)

  • 3430 - ie memory leak fixes - disable event caching, fixed resolver url adding to root doc, and weak map ie issues (commit)

  • Briefly explain how to split element definition (commit)

  • Fix copy&pasted comment (commit)

v1.7.0 (2016-09-28)

  • Fix IE style cache performance (commit)

  • no need for :root to be first in the selector (commit)

  • fix tests on !chrome browsers (commit)

  • Translate :root to :host > * for element styles (commit)

  • Define checkRoot only once (commit)

  • Fix normalizeRootSelector (commit)

  • Comment on using the ast walker to replace selector (commit)

  • update travis config (commit)

  • Transform ::slotted() to ::content (commit)

  • Test on native shadow DOM also. (commit)

  • Reorder. (commit)

  • Remove unused. (commit)

  • Add fallback support/test. (commit)

  • A little more dry. (commit)

  • Use name. (commit)

  • Support default slot semantics. (commit)

  • Remove opt-in. Exclude content from copy. (commit)

  • Make sure click events can always trigger tap, even on touch only devices (commit)

  • Add support for slot->content transformation. Need to bikeshed opt-in attribute (currently "auto-content") (commit)

  • Support more expressive :root and html selectors (commit)

  • Fix typo (commit)

  • test for mixins in custom-style ordering (commit)

  • Do not insert semicolon when fixing var() syntax (commit)

  • Make sure mixins are applied no matter the ordering of definition (commit)

  • Update gulp-eslint to 3.x (commit)

  • Fixes #3676: retain <style> in <template preserve-content/> (commit)

  • [ci skip] Update Changelog for v1.6.1 (commit)

  • Apply to _marshalArgs. (commit)

  • Rename Path.head() to Path.root(). (commit)

  • Use head in templatizer (commit)

  • Modify _annotationPathEffect (commit)

  • Use isDescendant (commit)

  • Use isDeep (commit)

  • Replace _fixPath. (commit)

  • Replace _modelForPath. (commit)

  • Replace _patchMatchesEffect. (commit)

  • Add path library. (commit)

  • Revert "Fix _patchMatchesEffect. (#3631)" (commit)

v1.6.1 (2016-08-01)

  • 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)

v1.6.0 (2016-06-29)

  • Fix test to account for pseudo element differences x-browser. (commit)

  • Restore functionality of selectors like :host(.foo)::after. (commit)

  • add comment. (commit)

  • re-support selectors like :host[inline] since this was previously supported under shady-dom. (commit)

  • fix linting (commit)

  • Add test for not matching x-foox-bar given :host(x-bar) used inside x-foo (commit)

  • fix test in IE/FF. (commit)

  • simplify :host fixup (commit)

  • Fixes #3739: correctly shim :host(.element-name) as element-name.element-name. (commit)

  • Fixes #3734: address HI/CE timing issue in importHref. Fixes upgrade time dependencies of scripts on previous elements in async imports. (commit)

  • Ensure element scope selectors are updated correctly when updateStyles is called when element is not in dom. (commit)

  • add comment. (commit)

  • remove unneeded flag. (commit)

  • Fixes #3730 and inspired by (#3585) (commit)

  • custom-style triggers updateStyles if root scope (StyleDefaults) has style properties when the custom-style is created. (commit)

  • Fix _patchMatchesEffect. (#3631) (commit)

  • Fixes #3555. Ensure selectors including ::content without a prefix … (#3721) (commit)

  • Fixes #3530. When updateStyles is called and an element is not attached, invalidate its styling so that when it is attached, its custom properties will be updated. (commit)

  • Make sure effect functions receive latest values (commit)

  • [ci skip] data binding edge case smoke test (commit)

  • Use whenReady to apply custom styles. (commit)

  • Use firefox 46 for testing (commit)

  • Need to wait until render to test. (commit)

  • address feedback (commit)

  • Fix lint, use query params instead of duplicate file. (commit)

  • Ensure custom styles updated after adding custom-style async. Fixes #3705. (commit)

  • Store cacheablility on the scope (commit)

  • fix decorateStyles with custom-style (commit)

  • Do not scope cache elements with media rules, :host(), or :host-context() selectors (commit)

  • Support preventDefault() on touch (#3693) (commit)

  • Shim CSS Mixins in terms of CSS Custom Properties (#3587) (commit)

  • [ci skip] update changelog (commit)

v1.5.0 (2016-05-31)

  • 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)

v1.4.0 (2016-03-18)

  • Fast check in createdCallback to see if registration has finished. (commit)

  • even more lazy: defer template lookup and style collection until finish register time. (commit)

  • fix lint errors. (commit)

    • turn on lazy registration via Polymer.Settings.lazyRegister * ensure registration finished by calling Element.prototype.ensureRegisterFinished() (commit)
  • remove crufty smoke test. (commit)

  • fix lint issues (commit)

  • Change forceRegister to eagerRegister and add Polymer.Settings.eagerRegister flag. (commit)

  • Add forceRegister flag to force an element to fully register when Polymer is called. Normally, some work is deferred until the first element instance is created. (commit)

  • Call registered no prototype. (commit)

  • Lazy register features we can be deferred until first instance. This is an optimization which can speed up page load time when elements are registered but not needed at time of first paint/interaction (commit)

  • Do not reflect uppercase properties (commit)

  • Make sure event.path is an array (commit)

  • fix testing failures on assert.notInclude of null (commit)

  • [ci skip] update changelog (commit)

v1.3.1 (2016-03-02)

  • Fix lint errors. (commit)

  • Add test. (commit)

  • Fix lint error. (commit)

  • Ensure that dom-bind always waits until DOMContentLoaded to render. This ensures a script can install api on the dom-bind prior to it rendering. Previously dom-bind waited for first render, but an early parser yield can make this occur unexpectedly early. (commit)

  • Refine fix for #3461 so that the decision to apply a static or property stylesheet relies on the same info. (commit)

  • Clean the .eslintignore (commit)

  • [ci skip] Add header for those asking questions (commit)

  • Fixes #3461: Only avoid creating a statically scoped stylesheet when properties are consumed in an element, properly excluding properties produced as a result of consumption. (commit)

  • tweaks to new README (commit)

  • [ci skip] Update Changelog (commit)

  • Updated the README.md for a non-technical user to understand (commit)

v1.3.0 (2016-02-22)

  • [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)

v1.2.4 (2016-01-27)

  • 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)

v1.2.3 (2015-11-16)

  • Call decorate instead of bootstrap for template prepping (commit)

  • Fix global leak test. Necessary due to changes to test harness. (commit)

  • Defer property application only when a custom-style is first created. (commit)

  • Update comment. (commit)

  • Simplify custom-style property deferment. (commit)

  • [ci skip] update changelog (commit)

  • Fixes #2692. Ensures that custom-style properties are applied async but before next render so that all properties are defined before any are consumed by custom-styles. Also refines dom-module's early upgrade code so that it does not affect other elements (corrects for example, custom-styles upgrading before expected). (commit)

  • Remove undesired full-stop from outputs (commit)

  • Fix Formatting (commit)

v1.2.2 (2015-11-12)

  • 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)

v1.2.1 (2015-10-29)

  • Fix test for SD polyfill (commit)

  • Add pre-condition check for completeness. (commit)

  • Find non distributed children with deepContains (commit)

  • Ensure outer paths aren't forwarded to instance props. Fixes #2556. (commit)

  • Add Polymer.dom.deepContains (commit)

  • [ci skip] Update CHANGELOG (commit)

  • isLightDescendant should return false for self (commit)

  • Fix for mixins declaration with space before colon. Allow any space character or even { and } (before and after capturing pattern correspondingly) as pattern boundaries instead of new lines only. In minified sources there might be no space, semicolon or line start, so we need to account that as well. (commit)

v1.2.0 (2015-10-22)

  • 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 .getDistributedNodes observation. Refactor flush. (commit)

  • Add docs (commit)

  • Make shadow attribute tracking automatic based on detecting a 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)

v1.1.5 (2015-10-08)

  • Simplify (commit)

  • Clean up templatizer _pathEffectorImpl. (commit)

  • Add issue link. (commit)

  • Missing var keyword (commit)

  • Make sure we only actually call _listen once (commit)

  • Add templatizer tests. Fix issues from tests. (commit)

  • Use 'value' in place of 'object' when referring to detail. (commit)

  • Allow any type, not just objects, as the detail for fire. (commit)

  • Make model param of stamp method optional. (commit)

  • add test to ensure unlisten events do not fire (commit)

  • add tests (commit)

  • Only one real listener per listen call (commit)

  • add util method for shadow children (commit)

  • Add notify-path API to templatized template. Fixes #2505. (commit)

  • Parent property values should come from template. Fixes #2504. (commit)

  • Added note about including a clear repro case. (commit)

  • added request to submit an issue before sending a PR (commit)

  • update CHANGELOG to 1.1.4 (commit)

v1.1.4 (2015-09-25)

  • 📝 Update description (commit)

  • 🎨 Use npm command bin lookup (commit)

  • 🍇 Add missing test dependency (commit)

  • Reset handlers queue after finished replaying events (commit)

  • Update the README.md to Polymer 1.1 (commit)

  • Add note on arrayDelete with array vs. path (commit)

  • Add unlinkPath tests. (commit)

  • Update changelog (commit)

  • Remove dead code; add tests. (commit)

  • Allow multiple paths to be linked using linkPath. Fixes #2048 (commit)

  • Fix docs for stamp method (commit)

  • http to https for jsbin (commit)

  • Typo (commit)

  • Fix typos in PRIMER.md (commit)

v1.1.3 (2015-09-04)

  • Fixes #2403 (commit)

  • Only try to decrement gesture dependency counter if dependency exists (commit)

  • update changelog with v1.1.2 (commit)

  • prepare v1.1.2 (commit)

v1.1.2 (2015-08-28)

  • Improve composed parent tracking. (commit)

  • move the mixing-in of behaviors so that it happens before register behaviors are invoked (commit)

  • Fixes #2378 (commit)

  • Fixes #2356: issue a warning and don't throw an exception when a style include cannot be found. Fixes #2357: include data now comes before any textContent in a style element. (commit)

  • remove unneeded protection code for extends. (commit)

  • Add test (commit)

  • add test for registered behavior affecting a value then used by features (commit)

  • add tests for new Polymer() argument support (and make Base tests aware of new abstract method _desugarBehaviors) (commit)

  • invoke registration behavior before registering features, so behaviors can alter features, this requires calling behavior flattening as part of prototype desugaring instead of as part of behavior prep, so the flattened list is available early (commit)

  • do registered behaviors before invoking registerFeatures so registered can affect properties used by features (ref #2329) (commit)

  • specifically create Polymer object on window to satisfy strict mode (fixes #2363) (commit)

  • Remove forceUpgraded check in dom-module.import (commit)

  • Fixes #2341: branch Polymer.dom to use native dom methods under Shadow DOM for: appendChild, insertBefore, removeChild, replaceChild, cloneNode. (commit)

  • Fixes #2334: when composing nodes in shady dom, check if a node is where we expect it to be before removing it from its distributed position. We do this because the node may have been moved by Polymer.dom in a way that triggered distribution of its previous location. The node is already where it needs to be so removing it from its parent when it's no longer distributed is destructive. (commit)

  • use cached template annotations when possible (commit)

  • fix comment typos (commit)

  • Update changelog with v1.1.1 release (commit)

v1.1.1 (2015-08-20)

  • Fixes #2263: ensure custom-style can parse variable definitions in supported selectors (e.g. /deep/) without exception due to unknown css. (commit)

  • Fixes #2311, #2323: when elements are removed from their previous position when they are added elsewhere, make sure to remove them from composed, not logical parent. (commit)

  • Update Changelog (commit)

  • Add selectedItem property (commit)

  • Add test for large splice (commit)

  • Use numeric sort when removing dom-repeat instances (commit)

  • Fixes #2267: properly find dom-module for mixed case elements (commit)

  • Fixes #2304: avoid trying to read style data from imports that did not load. (commit)

  • Avoid saving logical info on parent when a content is added inside a fragment + slight factoring. (commit)

  • Fixes #2276: avoid losing logical information and simplify logical tree handling (commit)

  • Moved check earlier. Added test for negative literal. (commit)

  • Fixes #2253: refine logical tree check and populate parents of insertion points with logical info only if necessary. Fixes #2283: when a node is removed, we need to potentially distribute not only its host but also its parent. (commit)

  • Support for negative numbers in computed bindings (commit)

v1.1.0 (2015-08-13)

  • Add comment. (commit)

  • Add tests for key splice fix. (commit)

  • Fixes #2251: resolve imported stylesheets against correct document. (commit)

  • Reduce keySplices to minimum change set before notifying. Fixes #2261 (commit)

  • Make clearSelection public. (commit)

  • Add logical info iff an element being added is an insertion point; do not add logical info for any element in a shady root. (commit)

  • Make clearSelection public. (commit)

  • Fixes #2235. Manages logical information in shady distribution more directly by capturing it explicitly when needed and not whenever distribution is run. (commit)

  • ensure path fixup is applied correctly to styles in templates. (commit)

  • Based on feedback, change module to include in custom-style and dom-module style marshaling. (commit)

  • Document custom-style module property. (commit)

  • Add comment. (commit)

  • Add tests and require module to be on style elements. (commit)

  • custom-style supports module property that accepts a dom-module containing style data. don-module style data may be specified inside <template> elements and style elements also support module attribute for referencing additional modules containing style data. (commit)

  • don-module no longer needs to eagerly upgrade custom elements since the web components polyfills do this automatically. (commit)

v1.0.9 (2015-08-07)

  • 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/old-docs-site#1276, Polymer/old-docs-site#1275 (commit)

  • Update core- to iron-ajax in jsdoc for dom-bind as in Polymer/old-docs-site#1276, Polymer/old-docs-site#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)

v1.0.8 (2015-07-23)

  • Disable tracking if scrolling (commit)

  • Fixes #2125: adds a register method to dom-module to support imperative creation. (commit)

  • Move recognizer reset into start of event flow (commit)

  • Fixed small typo on PRIMER.md (commit)

  • remove alternate calculation for _rootDataHost (commit)

  • Don't call dom-change when detached. (commit)

  • Fix typo. (commit)

  • Improve code formatting. (commit)

  • Up flush MAX to 100 and add overflow warning. (commit)

  • Fixes #1998: add api doc for customStyle property (commit)

  • Handle commentnodes correctly for textContent and innerHTML (commit)

  • Fixes #2098: don't accept undefined values as initial config (commit)

  • Remove key check; int check should guarantee key. (commit)

  • Add unit tests. (commit)

  • Allow setting non-index array properties. Fixes #2096. (commit)

  • update tests. (commit)

  • added render method to dom-bind which can be called when async imports are used; documented template render functions (commit)

  • Fixes #2039: Polymer.dom.flush now triggers Custom Elements polyfill mutations and includes an api (Polymer.dom.addDebouncer(debouncer)) for adding debouncers which should run at flush time. Template rendering debouncers are placed in the flush list. (commit)

  • Fixes #2010, fixes #1818: Shady dom mutations which trigger additional mutations are now successfully enqueued. (commit)

  • debounce returns debouncer. (commit)

  • Update index.html (commit)

v1.0.7 (2015-07-16)

  • Replace placeholders backwards to simplify. (commit)

  • Remove unnecessary keys bookkeeping. (commit)

  • Minor tweaks to comments, internal API consistency. (commit)

  • Always use placeholders; fix insertion reference bug. (commit)

  • Simplify. (commit)

  • Rename variables for clarity. (commit)

  • Fix reuse logic to handle multiple mutations in same turn. Fixes #2009. (commit)

  • Be more explicit. (commit)

  • Add Polymer.instanceof & isInstance. Fixes #2083. (commit)

  • Fixes #2081: make Polymer.dom(element).getDistributedNodes and Polymer.dom(element).getDestinationInsertionPoints() always return at least an empty array (was generating exception under Shadow DOM); make element.getContentChildNodes and element.getContentChildren always return at least an empty array when a selector is passed that does not find a (was generating exception under Shadow DOM) (commit)

  • Fixes #2077: workaround IE text node splitting issue that can make text bindings fail. (commit)

  • Fixes #2078: when computing custom style properties, make sure the styling scope is valid when the element is attached to a shadowRoot whose host is not a Polymer element. (commit)

  • update CHANGELOG for 1.0.6 (commit)

* This Change Log was automatically generated by github_changelog_generator below

v1.0.6 (2015-07-09)

Fixed issues:

  • Basic support for host-context #1895

  • custom property resolver tripping over some selectors? #1938

  • Parsing compressed CSS does not work #1927

  • Support Polymer.dom().classList.contains #1907

  • Add support for :host-context #1900

  • Grey overlay in mobile Safari #1970

  • node.unlisten removes native event listeners too often #1988

  • notifyPath doesn't return as its documentation says #1966

  • "TypeError: Cannot set property 'display' of undefined" when HTML comment is present inside a dom-if template that evaluates to truthy #1786

  • dom-repeat in a falsy dom-if should hide newly stamped children #1751

  • Typo in Polymer.mixin API documentation #2001

  • Low-level changes for iron-list integration (fire & modelForElement) #2003

  • Normalized event difference with ShadowDOM and Shady #1921

  • DOM API innerHTML adds only first element #1972

  • with #1.05-update, style-sheets and custom-style-elements are not parsed in my project anymore #1974

  • Expected behavior for importNode,cloneNode #1888

  • #1.0.5 computed property function name limitations? #2016

v1.0.5 (2015-06-25)

Fixed issues:

  • Bindings to concrete types not propagating correctly from template to collection #1839

  • Setting individual array elements not working #1854

  • CustomStyle change has no effect #1851

  • With Shady DOM, <content> doesn't get passed to another element inside dom-if #1902

  • Provide a convenience method for setting customStyle and calling updateStyles #1915

  • If an async callback throws an error, it's never removed from the callback list #1759

  • dom-if: undefined is considered falsy only once #1742

  • Setting readOnly AND computed on properties #1925

  • Uncaught TypeError: this.mixin is not a function #1911

  • Polymer.Base.async "infinite loop" condition #1933

  • Custom property resolver tripping over some selectors? #1938

  • Annotated attribute binding issues #1874

  • Parsing compressed CSS does not work #1927

v1.0.4 (2015-06-17)

Closed issues:

  • 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

Merged pull requests:

v1.0.3 (2015-06-05)

Closed issues:

  • 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

Merged pull requests:

v1.0.2 (2015-05-29)

v1.0.1 (2015-05-29)

Implemented enhancements:

  • using javascript core functions #1641

Fixed bugs:

  • [1.0] Tap gesture does not trigger when calling this.click in IE10 #1640

Closed issues:

  • Logic for tap distance should be "both axes within TAP_DISTANCE" #1652

  • Site is not looking good in Mac Chrome Versión 43.0.2357.81 (64-bit) #1650

  • Different result is shown. #1647

  • Wrong end tag name in README.md #1645

  • on-tap doesn't trigger on checkbox 0.5 #1586

Merged pull requests:

v1.0.0 (2015-05-27)

Closed issues:

  • [0.9.4] Data binding works only for "id" attribute? #1633

  • [0.9] when I move a dom-repeat element from one parent to another, the items will gone #1498

v0.9.4 (2015-05-27)

Closed issues:

  • Polymer.version undefined in 0.9 #1625

Merged pull requests:

v0.9.3 (2015-05-26)

Closed issues:

  • Property values that contain a : inside a mixin. #1623

  • [0.9.2] dom-repeat issues in 0.9.2 #1615

  • [0.9.1, 0.9.2] Polymer.dom().appendChild() no longer working #1612

  • [0.9] "dom-if" not binding to an object's boolean property #1606

  • [0.9] Custom attributes on elements not working (original: iron-icon styling troubles) #1604

  • Blog down https://blog.polymer-project.org/ #1603

  • Improve error message if observer is missing #1538

  • [0.9] New gulp build hangs until enter key is pressed #1519

  • [0.8] better error when bound change handler is missing #1206

Merged pull requests:

v0.9.2 (2015-05-25)

Fixed bugs:

  • Default values for custom variables #1543

Closed issues:

  • [0.9.1] Regression in styling with custom css mixins #1601

  • Dynamic distribution fails when using SD polyfill and host is nested in another host and has filtering insertion points #1595

  • Custom properties defined on :host shouldn't override document styles. #1555

Merged pull requests:

v0.9.1 (2015-05-23)

Implemented enhancements:

  • Array helpers don't notify length change #1573

  • [0.9.0-rc.1] Method expression without arguments is not invoked #1516

  • [0.8] Polymer.dom() should expose innerHTML and textContent #1429

  • How do you cancel job1 completely before its timeout value occur? #1374

  • [0.8] Feature request: computed properties in x-repeat #1337

Fixed bugs:

  • Computed properties with no dependencies generate a syntax error #1348

  • [0.8] host-context improperly shimmed #1346

Closed issues:

  • 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

Merged pull requests:

v0.9.0 (2015-05-14)

Implemented enhancements:

  • Expose dom-repeat._instanceForElement #1501

Closed issues:

  • Change color of main panel #1536

  • [0.8.0-rc.5] observers as an array #1527

  • [0.9] Touch scroll gesture, setScrollDirection doesn't work any longer #1520

  • [0.9] Data binding? #1517

  • this.$.\* isn't set if an element * is inside a dom-if block and the condition evaluates to true #1513

  • Paper-action-dialog with backdrop disables window #1509

  • How to pass data from polymer element #1503

  • [0.9] auto-binding, x-repeat template not working #1502

  • [0.9] if="{{ 1 < 2 }}" not supported?! #1499

  • [0.9] touch track fails on iPhone, .touchIdentifier vs .identifier #1496

  • Internet Explorer 11 "Failed to open data:text/javascript;charset=utf-8," #1485

  • [0.5.5] Function calling is not working in custom element #1484

  • [0.8] Nested insertion points lose elements after distributeContent #1480

  • [0.8] Binding the value of an input box with {{value::input}} loses caret index #1471

  • [0.8] Nested property binding not working on Firefox/IE #1391

  • Memory Leak when using Data Bindings #1116

Merged pull requests:

v0.9.0-rc.1 (2015-05-06)

Merged pull requests:

0.5.6 (2015-05-05)

Implemented enhancements:

  • [0.8] hostAttributes should respect user-provided defaults #1458

Closed issues:

  • Unable to connect to github.com... #1468

  • error using mixins as computed property or in template methods in 0.8.0-rc.7 #1456

  • [0.8] observers as an object. #1452

  • [0.8] getDistributedNodes() does not update when distributed content changes #1449

  • [0.8] behaviors override properties on elements #1444

  • [0.8] bower.json license does not follow specification #1435

  • Error in 0.8 RC6 - not present in RC4 #1428

  • [0.8] Support :root in x-style #1415

  • [0.8] 'style-scope undefined' when combined with hostAttributes and x-if template #1400

  • [0.8] \<link rel="import" type="css"\> styles are shimmed out of order #1349

  • Polymer 0.5.2 release have version 0.5.1 #1033

Merged pull requests:

v0.8.0-rc.7 (2015-04-22)

Closed issues:

  • [0.8] readOnly properties do not receive the initial value specified by value #1393

Merged pull requests:

v0.8.0-rc.6 (2015-04-20)

v0.8.0-rc.5 (2015-04-20)

Closed issues:

  • [0.8] Global settings overwritten by webcomponents #1404

  • [0.8] distributeContent loses light children #1394

  • [ShadyDOM] Exception when removing non-distributed nodes #1366

Merged pull requests:

v0.8.0-rc.4 (2015-04-10)

v0.8.0-rc.3 (2015-04-09)

Closed issues:

  • Polymer-micro.html broken? #1390

  • listener for DOMContentLoaded and window resize #1384

  • [0.8] Opting into native Shadow DOM isn't documented #1382

  • Polymer in 10 Minutes - 3. Create an app #1371

  • Polymer in 10 Minutes - Reusing other elements #1370

  • [0.5.5] Event fire error on safari #1362

  • [0.8] importHref fails in IE/FF #1343

  • Attribute Value of "selected" in the tutorial #1228

Merged pull requests:

v0.8.0-rc.2 (2015-04-02)

Closed issues:

  • [0.8] Using one-way binding to propagate upward #1360

v0.8.0 (2015-04-02)

Implemented enhancements:

  • [Shadow DOM] Make Shadow DOM optional #1042

Closed issues:

  • [0.8] extended my-input element isn't shown #1350

  • Polymer function not accessible in firefox/safari #1316

Merged pull requests:

v0.8.0-rc.1 (2015-03-26)

Fixed bugs:

  • [0.8-preview] Throws exception if left-hand-side of a property binding contains a dash #1161

  • Bindings in <style> no longer work under polyfill #270

Closed issues:

  • 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

Merged pull requests:

0.5.5 (2015-02-18)

Closed issues:

  • Need a Polymer Core (team member) representative asap? #1194

Merged pull requests:

0.5.5-rc1 (2015-02-13)

Closed issues:

  • How Polymer handle elements' model communication? #1187

  • Polymer is failing silently without any console error #1171

  • Elements created at runtime, can't know when ready #1158

  • core-dropdown-menu is ugly magugly #1146

  • polymer element not compatible with IE #1143

  • polymer element not compatible with IE #1142

  • Please improve home site's colors #1141

  • polymer element not compatible with IE #1140

  • polymer element not compatible with IE #1139

  • polymer element not compatible with IE #1138

  • Element with id="exports" results in uncaught "Observer is not defined" exception #1134

  • Data-binding in <template> on objects attributes have strange behaviour [bug?] #1129

  • tipAttribute is not working properly #1126

  • IE 10+11 + data binding in inline style not working in Polymer v0.5.4 #1124

  • webcomponents.min.js:11 Uncaught TypeError: undefined is not a function #1122

  • TypeError: Attempting to configurable attribute of unconfigurable property. #1119

  • Template with svg style url(#id) is shimmed with file name #751

Merged pull requests:

0.5.4 (2015-01-24)

Closed issues:

  • Dropdown Menu #1118

  • Extracting an unknown archive #1103

0.5.3 (2015-01-21)

0.5.3-rc2 (2015-01-21)

Closed issues:

Merged pull requests:

0.5.3-rc (2015-01-15)

Fixed bugs:

  • Need consistent path behavior #651

Closed issues:

  • Missing scrollbars, and mouse wheel not working #1089

  • Very noticeable sluggishness when scrolling #1084

  • Can't build 0.8-preview and there is no build information at all #1075

  • paper-toggle-button and paper-checkbox events incorrectly documented #1074

  • Failed to assign list scroller to scroller of headerPanel #1072

  • this.$ gets polluted with shadow dom of other components #1069

  • Documentation Wrong and no worked Data binding on IE11 #1067

  • How to replace tag name depend on attribute? #1064

  • DataBinding not full work in IE (polymer-0.5.2) #1063

  • Template references in SVG not working #1061

  • Docs examples missing custom element name #1058

  • :host styles not rendering #1057

  • Redraw menu list #1054

  • fire message to other element #1045

  • img width 100% event #1044

  • Typo #1041

  • Please hire a competent technical writer #1036

  • Chrome: Faulty responsiveness if window size is instantly changed #1034

  • Polymer in 10 minutes - horizontal scroll bar doesn't work in chrome #1030

  • Arguments in the function expressions are not watched - binding fails #1021

  • core-selector doesn't work on FF/linux for core_elements >= 5.0 #1015

  • Missing web-animations-next-lite.min.js #1014

  • webcomponents.js doesn't work #1013

  • The main page and demos doesn't work on Firefox!!!! #1007

  • Remember scroll position of selected page and prevent auto scrolling when selecting a other page. #1000

  • No field view on iOS 8 #986

  • <meta name="layout" content="polymer or some other layout2"> #959

  • Stoped to render on firefox after .35 update (trying to fix jquery conflict) #697

  • on-click doesn't work with bootstrap and jQuery #625

Merged pull requests:

  • Adjust to the new unit test layout #1093 (nevir)

  • Make ready independent of attached state and make distribution go top-down logically and composition unwind bottom-up #1039 (sorvell)

  • 0.8 simplex #1028 (sorvell)

  • Expands the \<content\> element to remember logical DOM #1017 (jmesserly)

0.5.2 (2014-12-11)

Closed issues:

  • 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

Merged pull requests:

0.5.1 (2014-11-12)

Closed issues:

  • Bug on site #920

  • href in my element not working on iOS #919

  • [Polymer#0.5.0][Safari] TypeError: undefined is not an object (evaluating 'HTMLImports.path.resolveUrlsInStyle') (url.js line 199) #915

  • [Polymer#0.5.0][Firefox] TypeError: HTMLImports.path is undefined (platform.js line 14) #914

  • [Polymer#0.5.0][Chrome] Uncaught TypeError: Cannot read property 'parse' of undefined (boot.js line 14) #913

  • web-animations-next/web-animations.html file missing #909

  • No release notes for 0.5.0 #908

  • Back button navigation sometimes broken on polymer-project website #907

  • Designer Tool page appears blank #906

  • Polymer is undefined in IE11 #905

  • Using polymer with Jinja2 server side templating #904

  • ERR_CONNECTION_CLOSED trying to visit blog.polymer-project.org #894

  • Consider not dirty check polling when the tab is not visible #892

0.5.0 (2014-11-10)

Fixed bugs:

  • Links to "#" get rewritten to just "" which causes a refresh if clicked #672

Closed issues:

  • 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

Merged pull requests:

0.4.2 (2014-10-02)

Closed issues:

  • 'Flexible children' example doesn't work. #772

  • Google Drive Element Error in IE #771

  • doesn't work in a zip file #766

  • Paper-Dialog on page load doesnt work in firefox. #761

  • Extending input not working in Chromium 37.0.2062.94 Ubuntu 14.10 (290621) (64-bit) #754

  • core-list scroll #748

  • Topeka responsiveness #708

  • Chrome - animation glitch #593

0.3.6 (2014-09-18)

0.4.1 (2014-09-18)

Implemented enhancements:

  • Feature request: testing whether a custom element extends a certain type #380

Fixed bugs:

  • Elements failing instanceof after WebComponentsReady #402

Closed issues:

  • OSX Yosemite #750

  • File structure not the same, when using bower #747

  • Closing the overlay resets the position to center of window #746

  • noscript breaks inheritance #740

  • In age-slider example, using space in name results in truncated name #739

  • Improve documentation for core-icon when using custom icon sets #738

  • Broken Link in Docs/CreatingElements/AddPropertiesAndMethods #737

  • Miss placing script element inside a polymer element lead to miss leading error message #736

  • Not a BUG - FYI: Update tutorial - core-icon-button #730

  • FormData wrapper breaks XMLHttpRequest#send(FormData) in Firefox #725

  • Tap event does not fire for SVG elements anymore #722

  • Computed property can't be data-bound from outside #638

  • IE issues #592

  • ShadowDOM renderer invalidated after insertion-point distribution #512

  • Content inside \<template\> breaks extending \<body\> element. #421

0.4.0 (2014-08-28)

Implemented enhancements:

  • Use the John Resig inheritance to define the component prototype #647

  • on-* expression support #446

  • add component-laid-out lifecycle callback #434

  • Allow creating <polymer-element>s without Shadow DOM #222

  • Consider adding support for loading user selectable css resources per element #219

  • Provide a provide a way to instantiate the template directly into the element #157

  • Consider deserializing to Date from attributes, if property is Date-valued #119

Fixed bugs:

  • polymer-body double fire ready/created/attached #447

  • Polymer's controller-styles system doesn't work well with ShadowDOMPolyfill #224

  • Globals clobbering other globals #185

  • bind boilerplate base is inflexible #179

Closed issues:

  • 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

0.3.5 (2014-08-08)

Closed issues:

  • 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

0.3.4 (2014-07-11)

Fixed bugs:

  • FormData.constructor fails when passed HTMLFormElement in Firefox #587

Closed issues:

  • 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

0.3.3 (2014-06-20)

Closed issues:

  • stopPropagation\(\) does not work for polymer events #530

  • bower.json missing "main" and "moduleType" #525

  • Published property with default value not reflected #509

0.3.2 (2014-06-09)

Closed issues:

  • Since 0.3.0 binding array elements doesn't work #526

  • minor documentation content issue #522

  • \<content select=".test"\> is not observing condition updates of child elements? #505

0.3.1 (2014-05-30)

Closed issues:

  • Bind to value on \<input type="color"\> #521

  • classList not working anymore #518

0.3.0 (2014-05-27)

Implemented enhancements:

  • Add Polymer.version #227

Closed issues:

  • Source Code Sandbox - Web Components en action - Google I / O 2013 #516

  • Adding an event handler in an event handler can lead to infinite looping #511

  • Polymer alters the results of scoped queries in querySelectorAll #508

  • A non-body element marked "unresolved" still gets shown during boot #507

  • When running Parse.FacebookUtils.init Polymer raises InvalidCharacterError exception. #506

  • Content incorrectly rendered inside table. #503

  • 404 on polymer-project.org/docs/start/customelements#elementtypes #499

  • Chrome Packaged App: Refused to evaluate a string as JavaScript because 'unsafe-eval' .... #252

  • on-* event delegation (other than on host node) does not work with non-bubbling events #208

0.2.4 (2014-05-12)

Closed issues:

  • Mongolian vowel separator causing exceptions. #495

  • Problem with root-relative URLs and the History API #494

  • Standalone template binding docs missing? #491

  • unable to use Polymer's dom mutation observer polyfill with mutation summary library #490

  • I guess there is a mistake in polymer documentation #489

  • Unclear how to bind complex data objects to new instances of polymer-element as a passed-in attribute #488

  • Update expressions doc to clarify what's observed #486

  • on-change doesn't get triggered when change happens programmatically #484

  • style="color:{{person.nameColor}}" does not work in IE11 #483

  • Publish a property by listing it in the attributes fails #482

  • Can't get polymer 0.2.3 via bower (now) #481

  • bower out of date? #480

  • Crash when Polymer/Platform loaded twice #478

  • Can't dynamically import an element definition in Canary #477

  • Middle clicking results in navigation not new tab #472

0.2.3 (2014-04-18)

Fixed bugs:

  • Including platform.js breaks YouTube's iframe API #468

Closed issues:

  • Custom pseudo-elements cannot be targeted outside shadow dom #475

  • document.registerElement('foo', {extends: undefined}) fails #462

  • onBeforeUnload Event broken #461

0.2.2 (2014-03-31)

Implemented enhancements:

  • Consider inferring polymer-element tag name for registration #195

Closed issues:

  • Reusing css libraries through out Polymer elements #459

  • Meta: Shadow DOM styling renames #458

  • Compatibility with Angular JS - manual bootstrap fails on document.body and document.documentElement when using Platform.js #457

  • Problem with data binding and custom attributes in Firefox 27, 29. #456

  • addEventListener beforeunload not working #445

  • Having any <link rel="stylesheet"> makes entire app fail to initialize #441

  • Issues with platform version resolution with Bower and 0.2.1 #440

  • Polymer event bindings don't pass Firefox Marketplace CSP checks #439

  • Iterating over a member object #436

  • <template if> evaluating all expressions twice #433

  • Remove support for applyAuthorStyles/resetStyleInheritance #425

  • Conflicts with Revealjs style sheets #410

  • Bower install broken for latest and #0.1.3 #407

  • Add organization logo #361

  • Add a declarative way to set applyAuthorStyles on a element's shadowRoot #106

0.2.1 (2014-03-07)

Closed issues:

  • attributeChanged is not called under some circumstances #438

  • Add polyfill support for new Shadow DOM CSS cominbators #435

  • Problem with special characters and HTML entities #432

  • FOUC body[unresolved] should be [unresolved] #431

  • polymer-project.org menu scroll behaviour is distracting #430

  • polymer-list is broken in #0.2.0 #427

  • polymer-project.org is slow #426

  • Polymer setup Instructions resulted in blank screen #423

  • Custom Elements and canvas/ctx functionality on iOS #422

  • External styles fails to load #420

  • Cannot access content (childNodes) in nested Polymer Element #414

Merged pull requests:

0.2.0 (2014-02-15)

Closed issues:

  • HTMLImports.Loader maybe callback twice #418

  • Binding to input type=range does not work in IE 11 #416

  • Serveral issues on Opera browser #411

  • Adding Polymer to a page causes Typekit fonts to break #408

  • Polymer bind method -- should take oneTime flag? #405

  • how to use part style in polymer? #376

  • polymer declarative event doesn't work in lightdom mode #331

  • Expose a way to get shadowRoots by name of creating declaration, e.g. getShadowRoot('x-foo') #310

Merged pull requests:

0.1.4 (2014-01-27)

Closed issues:

  • polymer-localstorage-load only fires if the value has previously been set #404

  • CSS generated content without space goes missing (Safari) #403

  • (docs): Core API reference page doesn't load #400

  • Repeating a template from "content" does not work with repeat="d in data" #396

0.1.3 (2014-01-17)

Closed issues:

  • polymer-ajax is missing the "body" attribute in the <polymer-element> declaration #395

  • this year is 2014 #394

  • Can't separate attributes in element's definition with vertical whitespace #393

  • "deliverDeclarations Platform is not a function" error loading polymer.js #391

  • Assertion Error thrown #388

0.1.2 (2014-01-10)

Closed issues:

  • Polymer UI Sidebar Menu doesn't work in JSBin #389

  • Pointer Event Example links currently 404 Not Found #385

  • Getting started examples are all broken for tk-* #383

  • function strings for declarative event handlers appear in the markup #378

  • binding to multiple mustaches (e.g. foo="{{bar}} {{zot}}") causes exception #377

  • Attribute value not correctly propagated to elements #374

  • Calling this.super can refer to the wrong method #373

  • "Getting the code" instructions are out of date/broken #369

  • polymer-ui-menu-item does not show the icon #365

  • polymer-selected class is not applied to Polymer UI elements #364

  • InvalidCharacterError on document.register if $ exists in constructor function name #362

  • Exception when running on Canary without Experimental Web Platform Features #360

  • Page navigation issue #353

  • in polymer 0.0.20131025 element id attribute not allowed #332

  • FAQ entry on scoped animations is not accurate #141

0.1.1 (2013-12-12)

Closed issues:

  • Polyfill support for reprojecting content in shadow nodes #367

  • bower instructions don't work #366

  • Broken Links #359

  • Failing to import polymer.html can cause an infinite loop #356

  • The bower pkg looks broken #355

  • Documentation display issue #352

0.1.0 (2013-11-27)

Closed issues:

  • shim styling: need to support ^ and ^^ when they are defined outside of <polymer-element> #354

  • Extensions to type extension custom elements must specify an extends property when registering #347

  • ShadowDOM polyfill breaks CSS content: attr\(foo\) #345

v0.0.20131107 (2013-11-07)

Closed issues:

  • ready and created are listed in the wrong order #338

  • CSS: pseudo-classes don't work with :host under the polyfill #335

  • Allow bindings to wire events to functions #324

v0.0.20131025 (2013-10-25)

Implemented enhancements:

  • Consider providing a mechanism to easily observe a set of property paths #194

Closed issues:

  • binding style attribute in IE doesn't work #327

  • CSS: only add [is=..] selector if element is type-extension #320

  • Clarification on use of template repeat for <tr> & <select> #318

  • Autofocus doesn't work with polymer-veiling. #317

  • Polyfill: @polyfill @host rules are broken in an extended element #315

  • Polyfill: Parent styles are not inherited if there's no <template> in an extended class #314

Merged pull requests:

v0.0.20131010 (2013-10-10)

Closed issues:

  • trailing space in polymer attributes causes exception in IE10 #313

  • Calling cancelUnbindAll is cumbersome under the CustomElements polyfill #312

  • Calling methods on proxies returned when querying nodes can yield different results than calling directly on impl even without shadow dom use #309

  • Using this.$.[id] syntax yields different results in Canary than when using Polyfill #308

  • Debugging polymer apps: stack trace is wacko #307

  • Need Object.observe-enabled builders in waterfall #306

  • FR: Error on failed import #189

v0.0.20131003 (2013-10-03)

Implemented enhancements:

  • Allow hooking into the template instantiation process #156

  • Support stylesheets in element templates #146

  • System for automatic setting of component instance attributes #92

Closed issues:

  • Polymer tests failing with Object.observe enabled #302

  • FAQ bug: polymer fails CSP because of inline script tags not XHR. #301

  • <propertyName>Changed may get called twice for a single property value change #298

  • Two-way Binding doesn't work in canary #297

  • please create gh-pages #294

  • Conditional attributes are not properly bound #293

  • Bound boolean isn't set from true to false when radio button is unchecked #291

  • Bindings in nested templates with named scopes fail to update correctly after initial population #285

  • <content> not being displayed if too deep. #283

  • polymer-element who to fire properties change? #282

  • how to get inner element #280

  • how to bind tap event on children node #278

  • Provide finer control over unresolved element styling #276

  • Question regarding your usage of a getter #274

  • Consider removing "tools" submodule #271

  • Community registry in the wild #268

  • HTMLImports fails on IE9 #229

  • External element scripts not loading #216

  • polymer-element script tag are ignored when using innerHTML to inject polymer-element(s) into the page #205

  • Galaxy Nexus Stock-Browser #202

  • Allow body FOUC prevention to be optional #197

  • Consider converting attributes with dashes into to camelCased properties #193

  • (IE only) Last element created by <template repeat> is unbound #187

  • Can't bind to the value of a custom element that extends <input> #186

  • Calling offsetWidth in a style-modifying forEach is slow #180

  • Explicitly fire ready() #178

  • Consider deserializing to Number only if property is already Number-valued #120

  • Cannot load Google's jsapi inside of a component #115

  • Document toolkit styling helpers #101

  • Make sure properties are not doc'd as attributes #96

  • Document that attributes and properties are not dynamically converted #94

Merged pull requests:

  • Removes unnecessary px declarations in coordinate attributes. #289 (mrmrs)

  • remove extra argument to unbindProperty that was ignored #286 (jmesserly)

  • small fix to bubbles parameter of utils.fire #284 (jmesserly)

v0.0.20130912 (2013-09-12)

Fixed bugs:

  • Updated use of PathObservers to match new API #267

Closed issues:

  • Point each repo's CONTRIBUTING file to Polymer's #273

  • Nested templates throwing exceptions with reference to observe.js #264

  • Perf regression in polyfill - 20130808 release #236

  • Auto-registration of polymer-elements broken? #221

v0.0.20130905 (2013-09-05)

Closed issues:

  • SD polyfill in latest release breaks chromestatus.com #263

  • On latest Chrome Canary, using vulcanized version won't show the style of elements #262

  • grunt will fail using the latest commit of polymer-all #261

  • Need a way to get the activeElement inside a Polymer element #253

  • When using minified version on polymer, images of the button don't show in the ui-toolbar example #251

  • Make sure boolean properties are reflected as boolean attributes #240

  • Attributes are not reflected at bind time #239

  • HTML imports fail when url params contain '/' characters #238

  • Unable to use the Sandbox on Chrome <= 28 #138

v0.0.20130829 (2013-08-28)

Closed issues:

  • loading a local file (file:///) using polymer will fail to load properly #260

  • uppercase signals do not work #256

  • Chrome Packaged App: including UI elements in an application will show some errors #249

  • Changing a DOM attribute doesn't change the model #246

  • Latest build broken w/ jQuery (chrome 28) #243

  • window.Loader name colliding with ES6 window.Loader (modules) #237

Merged pull requests:

v0.0.20130815 (2013-08-15)

v0.0.20130816 (2013-08-15)

Fixed bugs:

  • FF broken in latest release w/ dom.webcomponents.enabled: true #235

Closed issues:

  • HTMLImports fails silently on Chrome 28.0.1500.95 (Debian , 64bit) #234

  • ss #233

  • Internet Explorer - not working at all #217

Merged pull requests:

v0.0.20130808 (2013-08-08)

Implemented enhancements:

  • Add @version string to build files #226

Closed issues:

  • Events on distributed nodes aren't bubbled to parent nodes in shadow DOM under polyfill #230

  • ReferenceError: PathObserver is not defined when loading in node-webkit #228

Merged pull requests:

v0.0.20130801 (2013-08-01)

Implemented enhancements:

  • It's awkward to make a property with an object default value #215

  • Throw a more useful error if Polymer.register is used #210

  • Consider if/when/how to reflect bound property values to attributes #188

  • Make platform and toolkit builds available as simple downloads and/or from CDN #87

Closed issues:

  • If Polymer\(\) is not called almost immediately, the element is not initialised. #214

  • Input value is not initialised. #213

  • Fail more gracefully on unsupported browsers #207

  • Binding and xxxChanged function break if element is moved to a different shadow #203

  • table element problems on firefox #196

  • Bindings on a range input not working well in google chrome #182

  • Add support for creating Polymer elements imperatively #163

  • Issue with scrolling using the flot library #162

  • [Feature Request] Using Bower instead of submodules #147

  • minor documentation typo #139

Merged pull requests:

v0.0.20130711 (2013-07-11)

Implemented enhancements:

  • Support resetStyleInheritance on prototype #199

  • Add styling polyfill support for pseudos #152

Fixed bugs:

  • template/element polyfill styling need !important #191

  • Type extension elements lose styling under polyfill #171

  • When polymer-scope="global" is used to pull a stylesheet to the document, it appears multiple times #155

  • PathObservers in observeProperties.js must be created at insertedCallback and removed at removeCallback #121

  • shimStyling: styles defined within shadowDOM are not prefixed with the scope name in Firefox #107

  • Event target is incorrect after certain DOM changes in ShadowDOM Polyfill #102

  • Bindings in icon-button fail under ShadowDOMPolyfill #83

  • [dev] Uncaught ReferenceError: SideTable is not defined #80

  • [dev] template iterate doesn't work inside component #79

  • Toolkit Components fail if they have a property named "node" #78

  • Support component upgrade using "is" style declaration #71

  • Styles declared in a component's shadowRoot should not leak out of the component #70

  • this.node.webkitShadowRoot needs to return ShadowRoot #68

  • Commented @host rule style gets applied #67

  • data: URLs are being rewritten to relative URLs in <style> #66

  • Custom Element shim incorrectly handles @host rule #65

  • path.js needs to handle absolute url paths #62

  • imperative instantiation is broken #56

  • nodes inside a component's shadowDOM have incorrect model when using shadowDOM shim #43

  • g-component custom events can be handled in wrong scope #30

Closed issues:

  • 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

Merged pull requests:

  • 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)