diff --git a/1.5.11/angular-1.5.11.zip b/1.5.11/angular-1.5.11.zip
new file mode 100644
index 0000000000..0e3a2051d5
Binary files /dev/null and b/1.5.11/angular-1.5.11.zip differ
diff --git a/1.5.11/angular-animate.js b/1.5.11/angular-animate.js
new file mode 100644
index 0000000000..bbe4c3f622
--- /dev/null
+++ b/1.5.11/angular-animate.js
@@ -0,0 +1,4152 @@
+/**
+ * @license AngularJS v1.5.11
+ * (c) 2010-2017 Google, Inc. http://angularjs.org
+ * License: MIT
+ */
+(function(window, angular) {'use strict';
+
+var ELEMENT_NODE = 1;
+var COMMENT_NODE = 8;
+
+var ADD_CLASS_SUFFIX = '-add';
+var REMOVE_CLASS_SUFFIX = '-remove';
+var EVENT_CLASS_PREFIX = 'ng-';
+var ACTIVE_CLASS_SUFFIX = '-active';
+var PREPARE_CLASS_SUFFIX = '-prepare';
+
+var NG_ANIMATE_CLASSNAME = 'ng-animate';
+var NG_ANIMATE_CHILDREN_DATA = '$$ngAnimateChildren';
+
+// Detect proper transitionend/animationend event names.
+var CSS_PREFIX = '', TRANSITION_PROP, TRANSITIONEND_EVENT, ANIMATION_PROP, ANIMATIONEND_EVENT;
+
+// If unprefixed events are not supported but webkit-prefixed are, use the latter.
+// Otherwise, just use W3C names, browsers not supporting them at all will just ignore them.
+// Note: Chrome implements `window.onwebkitanimationend` and doesn't implement `window.onanimationend`
+// but at the same time dispatches the `animationend` event and not `webkitAnimationEnd`.
+// Register both events in case `window.onanimationend` is not supported because of that,
+// do the same for `transitionend` as Safari is likely to exhibit similar behavior.
+// Also, the only modern browser that uses vendor prefixes for transitions/keyframes is webkit
+// therefore there is no reason to test anymore for other vendor prefixes:
+// http://caniuse.com/#search=transition
+if ((window.ontransitionend === undefined) && (window.onwebkittransitionend !== undefined)) {
+ CSS_PREFIX = '-webkit-';
+ TRANSITION_PROP = 'WebkitTransition';
+ TRANSITIONEND_EVENT = 'webkitTransitionEnd transitionend';
+} else {
+ TRANSITION_PROP = 'transition';
+ TRANSITIONEND_EVENT = 'transitionend';
+}
+
+if ((window.onanimationend === undefined) && (window.onwebkitanimationend !== undefined)) {
+ CSS_PREFIX = '-webkit-';
+ ANIMATION_PROP = 'WebkitAnimation';
+ ANIMATIONEND_EVENT = 'webkitAnimationEnd animationend';
+} else {
+ ANIMATION_PROP = 'animation';
+ ANIMATIONEND_EVENT = 'animationend';
+}
+
+var DURATION_KEY = 'Duration';
+var PROPERTY_KEY = 'Property';
+var DELAY_KEY = 'Delay';
+var TIMING_KEY = 'TimingFunction';
+var ANIMATION_ITERATION_COUNT_KEY = 'IterationCount';
+var ANIMATION_PLAYSTATE_KEY = 'PlayState';
+var SAFE_FAST_FORWARD_DURATION_VALUE = 9999;
+
+var ANIMATION_DELAY_PROP = ANIMATION_PROP + DELAY_KEY;
+var ANIMATION_DURATION_PROP = ANIMATION_PROP + DURATION_KEY;
+var TRANSITION_DELAY_PROP = TRANSITION_PROP + DELAY_KEY;
+var TRANSITION_DURATION_PROP = TRANSITION_PROP + DURATION_KEY;
+
+var ngMinErr = angular.$$minErr('ng');
+function assertArg(arg, name, reason) {
+ if (!arg) {
+ throw ngMinErr('areq', 'Argument \'{0}\' is {1}', (name || '?'), (reason || 'required'));
+ }
+ return arg;
+}
+
+function mergeClasses(a,b) {
+ if (!a && !b) return '';
+ if (!a) return b;
+ if (!b) return a;
+ if (isArray(a)) a = a.join(' ');
+ if (isArray(b)) b = b.join(' ');
+ return a + ' ' + b;
+}
+
+function packageStyles(options) {
+ var styles = {};
+ if (options && (options.to || options.from)) {
+ styles.to = options.to;
+ styles.from = options.from;
+ }
+ return styles;
+}
+
+function pendClasses(classes, fix, isPrefix) {
+ var className = '';
+ classes = isArray(classes)
+ ? classes
+ : classes && isString(classes) && classes.length
+ ? classes.split(/\s+/)
+ : [];
+ forEach(classes, function(klass, i) {
+ if (klass && klass.length > 0) {
+ className += (i > 0) ? ' ' : '';
+ className += isPrefix ? fix + klass
+ : klass + fix;
+ }
+ });
+ return className;
+}
+
+function removeFromArray(arr, val) {
+ var index = arr.indexOf(val);
+ if (val >= 0) {
+ arr.splice(index, 1);
+ }
+}
+
+function stripCommentsFromElement(element) {
+ if (element instanceof jqLite) {
+ switch (element.length) {
+ case 0:
+ return element;
+
+ case 1:
+ // there is no point of stripping anything if the element
+ // is the only element within the jqLite wrapper.
+ // (it's important that we retain the element instance.)
+ if (element[0].nodeType === ELEMENT_NODE) {
+ return element;
+ }
+ break;
+
+ default:
+ return jqLite(extractElementNode(element));
+ }
+ }
+
+ if (element.nodeType === ELEMENT_NODE) {
+ return jqLite(element);
+ }
+}
+
+function extractElementNode(element) {
+ if (!element[0]) return element;
+ for (var i = 0; i < element.length; i++) {
+ var elm = element[i];
+ if (elm.nodeType === ELEMENT_NODE) {
+ return elm;
+ }
+ }
+}
+
+function $$addClass($$jqLite, element, className) {
+ forEach(element, function(elm) {
+ $$jqLite.addClass(elm, className);
+ });
+}
+
+function $$removeClass($$jqLite, element, className) {
+ forEach(element, function(elm) {
+ $$jqLite.removeClass(elm, className);
+ });
+}
+
+function applyAnimationClassesFactory($$jqLite) {
+ return function(element, options) {
+ if (options.addClass) {
+ $$addClass($$jqLite, element, options.addClass);
+ options.addClass = null;
+ }
+ if (options.removeClass) {
+ $$removeClass($$jqLite, element, options.removeClass);
+ options.removeClass = null;
+ }
+ };
+}
+
+function prepareAnimationOptions(options) {
+ options = options || {};
+ if (!options.$$prepared) {
+ var domOperation = options.domOperation || noop;
+ options.domOperation = function() {
+ options.$$domOperationFired = true;
+ domOperation();
+ domOperation = noop;
+ };
+ options.$$prepared = true;
+ }
+ return options;
+}
+
+function applyAnimationStyles(element, options) {
+ applyAnimationFromStyles(element, options);
+ applyAnimationToStyles(element, options);
+}
+
+function applyAnimationFromStyles(element, options) {
+ if (options.from) {
+ element.css(options.from);
+ options.from = null;
+ }
+}
+
+function applyAnimationToStyles(element, options) {
+ if (options.to) {
+ element.css(options.to);
+ options.to = null;
+ }
+}
+
+function mergeAnimationDetails(element, oldAnimation, newAnimation) {
+ var target = oldAnimation.options || {};
+ var newOptions = newAnimation.options || {};
+
+ var toAdd = (target.addClass || '') + ' ' + (newOptions.addClass || '');
+ var toRemove = (target.removeClass || '') + ' ' + (newOptions.removeClass || '');
+ var classes = resolveElementClasses(element.attr('class'), toAdd, toRemove);
+
+ if (newOptions.preparationClasses) {
+ target.preparationClasses = concatWithSpace(newOptions.preparationClasses, target.preparationClasses);
+ delete newOptions.preparationClasses;
+ }
+
+ // noop is basically when there is no callback; otherwise something has been set
+ var realDomOperation = target.domOperation !== noop ? target.domOperation : null;
+
+ extend(target, newOptions);
+
+ // TODO(matsko or sreeramu): proper fix is to maintain all animation callback in array and call at last,but now only leave has the callback so no issue with this.
+ if (realDomOperation) {
+ target.domOperation = realDomOperation;
+ }
+
+ if (classes.addClass) {
+ target.addClass = classes.addClass;
+ } else {
+ target.addClass = null;
+ }
+
+ if (classes.removeClass) {
+ target.removeClass = classes.removeClass;
+ } else {
+ target.removeClass = null;
+ }
+
+ oldAnimation.addClass = target.addClass;
+ oldAnimation.removeClass = target.removeClass;
+
+ return target;
+}
+
+function resolveElementClasses(existing, toAdd, toRemove) {
+ var ADD_CLASS = 1;
+ var REMOVE_CLASS = -1;
+
+ var flags = {};
+ existing = splitClassesToLookup(existing);
+
+ toAdd = splitClassesToLookup(toAdd);
+ forEach(toAdd, function(value, key) {
+ flags[key] = ADD_CLASS;
+ });
+
+ toRemove = splitClassesToLookup(toRemove);
+ forEach(toRemove, function(value, key) {
+ flags[key] = flags[key] === ADD_CLASS ? null : REMOVE_CLASS;
+ });
+
+ var classes = {
+ addClass: '',
+ removeClass: ''
+ };
+
+ forEach(flags, function(val, klass) {
+ var prop, allow;
+ if (val === ADD_CLASS) {
+ prop = 'addClass';
+ allow = !existing[klass] || existing[klass + REMOVE_CLASS_SUFFIX];
+ } else if (val === REMOVE_CLASS) {
+ prop = 'removeClass';
+ allow = existing[klass] || existing[klass + ADD_CLASS_SUFFIX];
+ }
+ if (allow) {
+ if (classes[prop].length) {
+ classes[prop] += ' ';
+ }
+ classes[prop] += klass;
+ }
+ });
+
+ function splitClassesToLookup(classes) {
+ if (isString(classes)) {
+ classes = classes.split(' ');
+ }
+
+ var obj = {};
+ forEach(classes, function(klass) {
+ // sometimes the split leaves empty string values
+ // incase extra spaces were applied to the options
+ if (klass.length) {
+ obj[klass] = true;
+ }
+ });
+ return obj;
+ }
+
+ return classes;
+}
+
+function getDomNode(element) {
+ return (element instanceof jqLite) ? element[0] : element;
+}
+
+function applyGeneratedPreparationClasses(element, event, options) {
+ var classes = '';
+ if (event) {
+ classes = pendClasses(event, EVENT_CLASS_PREFIX, true);
+ }
+ if (options.addClass) {
+ classes = concatWithSpace(classes, pendClasses(options.addClass, ADD_CLASS_SUFFIX));
+ }
+ if (options.removeClass) {
+ classes = concatWithSpace(classes, pendClasses(options.removeClass, REMOVE_CLASS_SUFFIX));
+ }
+ if (classes.length) {
+ options.preparationClasses = classes;
+ element.addClass(classes);
+ }
+}
+
+function clearGeneratedClasses(element, options) {
+ if (options.preparationClasses) {
+ element.removeClass(options.preparationClasses);
+ options.preparationClasses = null;
+ }
+ if (options.activeClasses) {
+ element.removeClass(options.activeClasses);
+ options.activeClasses = null;
+ }
+}
+
+function blockTransitions(node, duration) {
+ // we use a negative delay value since it performs blocking
+ // yet it doesn't kill any existing transitions running on the
+ // same element which makes this safe for class-based animations
+ var value = duration ? '-' + duration + 's' : '';
+ applyInlineStyle(node, [TRANSITION_DELAY_PROP, value]);
+ return [TRANSITION_DELAY_PROP, value];
+}
+
+function blockKeyframeAnimations(node, applyBlock) {
+ var value = applyBlock ? 'paused' : '';
+ var key = ANIMATION_PROP + ANIMATION_PLAYSTATE_KEY;
+ applyInlineStyle(node, [key, value]);
+ return [key, value];
+}
+
+function applyInlineStyle(node, styleTuple) {
+ var prop = styleTuple[0];
+ var value = styleTuple[1];
+ node.style[prop] = value;
+}
+
+function concatWithSpace(a,b) {
+ if (!a) return b;
+ if (!b) return a;
+ return a + ' ' + b;
+}
+
+var $$rAFSchedulerFactory = ['$$rAF', function($$rAF) {
+ var queue, cancelFn;
+
+ function scheduler(tasks) {
+ // we make a copy since RAFScheduler mutates the state
+ // of the passed in array variable and this would be difficult
+ // to track down on the outside code
+ queue = queue.concat(tasks);
+ nextTick();
+ }
+
+ queue = scheduler.queue = [];
+
+ /* waitUntilQuiet does two things:
+ * 1. It will run the FINAL `fn` value only when an uncanceled RAF has passed through
+ * 2. It will delay the next wave of tasks from running until the quiet `fn` has run.
+ *
+ * The motivation here is that animation code can request more time from the scheduler
+ * before the next wave runs. This allows for certain DOM properties such as classes to
+ * be resolved in time for the next animation to run.
+ */
+ scheduler.waitUntilQuiet = function(fn) {
+ if (cancelFn) cancelFn();
+
+ cancelFn = $$rAF(function() {
+ cancelFn = null;
+ fn();
+ nextTick();
+ });
+ };
+
+ return scheduler;
+
+ function nextTick() {
+ if (!queue.length) return;
+
+ var items = queue.shift();
+ for (var i = 0; i < items.length; i++) {
+ items[i]();
+ }
+
+ if (!cancelFn) {
+ $$rAF(function() {
+ if (!cancelFn) nextTick();
+ });
+ }
+ }
+}];
+
+/**
+ * @ngdoc directive
+ * @name ngAnimateChildren
+ * @restrict AE
+ * @element ANY
+ *
+ * @description
+ *
+ * ngAnimateChildren allows you to specify that children of this element should animate even if any
+ * of the children's parents are currently animating. By default, when an element has an active `enter`, `leave`, or `move`
+ * (structural) animation, child elements that also have an active structural animation are not animated.
+ *
+ * Note that even if `ngAnimateChildren` is set, no child animations will run when the parent element is removed from the DOM (`leave` animation).
+ *
+ *
+ * @param {string} ngAnimateChildren If the value is empty, `true` or `on`,
+ * then child animations are allowed. If the value is `false`, child animations are not allowed.
+ *
+ * @example
+ *
+
+
+
+
+
+
+
+ List of items:
+
Item {{item}}
+
+
+
+
+
+
+ .container.ng-enter,
+ .container.ng-leave {
+ transition: all ease 1.5s;
+ }
+
+ .container.ng-enter,
+ .container.ng-leave-active {
+ opacity: 0;
+ }
+
+ .container.ng-leave,
+ .container.ng-enter-active {
+ opacity: 1;
+ }
+
+ .item {
+ background: firebrick;
+ color: #FFF;
+ margin-bottom: 10px;
+ }
+
+ .item.ng-enter,
+ .item.ng-leave {
+ transition: transform 1.5s ease;
+ }
+
+ .item.ng-enter {
+ transform: translateX(50px);
+ }
+
+ .item.ng-enter-active {
+ transform: translateX(0);
+ }
+
+
+ angular.module('ngAnimateChildren', ['ngAnimate'])
+ .controller('MainController', function MainController() {
+ this.animateChildren = false;
+ this.enterElement = false;
+ });
+
+
+ */
+var $$AnimateChildrenDirective = ['$interpolate', function($interpolate) {
+ return {
+ link: function(scope, element, attrs) {
+ var val = attrs.ngAnimateChildren;
+ if (isString(val) && val.length === 0) { //empty attribute
+ element.data(NG_ANIMATE_CHILDREN_DATA, true);
+ } else {
+ // Interpolate and set the value, so that it is available to
+ // animations that run right after compilation
+ setData($interpolate(val)(scope));
+ attrs.$observe('ngAnimateChildren', setData);
+ }
+
+ function setData(value) {
+ value = value === 'on' || value === 'true';
+ element.data(NG_ANIMATE_CHILDREN_DATA, value);
+ }
+ }
+ };
+}];
+
+/* exported $AnimateCssProvider */
+
+var ANIMATE_TIMER_KEY = '$$animateCss';
+
+/**
+ * @ngdoc service
+ * @name $animateCss
+ * @kind object
+ *
+ * @description
+ * The `$animateCss` service is a useful utility to trigger customized CSS-based transitions/keyframes
+ * from a JavaScript-based animation or directly from a directive. The purpose of `$animateCss` is NOT
+ * to side-step how `$animate` and ngAnimate work, but the goal is to allow pre-existing animations or
+ * directives to create more complex animations that can be purely driven using CSS code.
+ *
+ * Note that only browsers that support CSS transitions and/or keyframe animations are capable of
+ * rendering animations triggered via `$animateCss` (bad news for IE9 and lower).
+ *
+ * ## Usage
+ * Once again, `$animateCss` is designed to be used inside of a registered JavaScript animation that
+ * is powered by ngAnimate. It is possible to use `$animateCss` directly inside of a directive, however,
+ * any automatic control over cancelling animations and/or preventing animations from being run on
+ * child elements will not be handled by Angular. For this to work as expected, please use `$animate` to
+ * trigger the animation and then setup a JavaScript animation that injects `$animateCss` to trigger
+ * the CSS animation.
+ *
+ * The example below shows how we can create a folding animation on an element using `ng-if`:
+ *
+ * ```html
+ *
+ *
+ * This element will go BOOM
+ *
+ *
+ * ```
+ *
+ * Now we create the **JavaScript animation** that will trigger the CSS transition:
+ *
+ * ```js
+ * ngModule.animation('.fold-animation', ['$animateCss', function($animateCss) {
+ * return {
+ * enter: function(element, doneFn) {
+ * var height = element[0].offsetHeight;
+ * return $animateCss(element, {
+ * from: { height:'0px' },
+ * to: { height:height + 'px' },
+ * duration: 1 // one second
+ * });
+ * }
+ * }
+ * }]);
+ * ```
+ *
+ * ## More Advanced Uses
+ *
+ * `$animateCss` is the underlying code that ngAnimate uses to power **CSS-based animations** behind the scenes. Therefore CSS hooks
+ * like `.ng-EVENT`, `.ng-EVENT-active`, `.ng-EVENT-stagger` are all features that can be triggered using `$animateCss` via JavaScript code.
+ *
+ * This also means that just about any combination of adding classes, removing classes, setting styles, dynamically setting a keyframe animation,
+ * applying a hardcoded duration or delay value, changing the animation easing or applying a stagger animation are all options that work with
+ * `$animateCss`. The service itself is smart enough to figure out the combination of options and examine the element styling properties in order
+ * to provide a working animation that will run in CSS.
+ *
+ * The example below showcases a more advanced version of the `.fold-animation` from the example above:
+ *
+ * ```js
+ * ngModule.animation('.fold-animation', ['$animateCss', function($animateCss) {
+ * return {
+ * enter: function(element, doneFn) {
+ * var height = element[0].offsetHeight;
+ * return $animateCss(element, {
+ * addClass: 'red large-text pulse-twice',
+ * easing: 'ease-out',
+ * from: { height:'0px' },
+ * to: { height:height + 'px' },
+ * duration: 1 // one second
+ * });
+ * }
+ * }
+ * }]);
+ * ```
+ *
+ * Since we're adding/removing CSS classes then the CSS transition will also pick those up:
+ *
+ * ```css
+ * /* since a hardcoded duration value of 1 was provided in the JavaScript animation code,
+ * the CSS classes below will be transitioned despite them being defined as regular CSS classes */
+ * .red { background:red; }
+ * .large-text { font-size:20px; }
+ *
+ * /* we can also use a keyframe animation and $animateCss will make it work alongside the transition */
+ * .pulse-twice {
+ * animation: 0.5s pulse linear 2;
+ * -webkit-animation: 0.5s pulse linear 2;
+ * }
+ *
+ * @keyframes pulse {
+ * from { transform: scale(0.5); }
+ * to { transform: scale(1.5); }
+ * }
+ *
+ * @-webkit-keyframes pulse {
+ * from { -webkit-transform: scale(0.5); }
+ * to { -webkit-transform: scale(1.5); }
+ * }
+ * ```
+ *
+ * Given this complex combination of CSS classes, styles and options, `$animateCss` will figure everything out and make the animation happen.
+ *
+ * ## How the Options are handled
+ *
+ * `$animateCss` is very versatile and intelligent when it comes to figuring out what configurations to apply to the element to ensure the animation
+ * works with the options provided. Say for example we were adding a class that contained a keyframe value and we wanted to also animate some inline
+ * styles using the `from` and `to` properties.
+ *
+ * ```js
+ * var animator = $animateCss(element, {
+ * from: { background:'red' },
+ * to: { background:'blue' }
+ * });
+ * animator.start();
+ * ```
+ *
+ * ```css
+ * .rotating-animation {
+ * animation:0.5s rotate linear;
+ * -webkit-animation:0.5s rotate linear;
+ * }
+ *
+ * @keyframes rotate {
+ * from { transform: rotate(0deg); }
+ * to { transform: rotate(360deg); }
+ * }
+ *
+ * @-webkit-keyframes rotate {
+ * from { -webkit-transform: rotate(0deg); }
+ * to { -webkit-transform: rotate(360deg); }
+ * }
+ * ```
+ *
+ * The missing pieces here are that we do not have a transition set (within the CSS code nor within the `$animateCss` options) and the duration of the animation is
+ * going to be detected from what the keyframe styles on the CSS class are. In this event, `$animateCss` will automatically create an inline transition
+ * style matching the duration detected from the keyframe style (which is present in the CSS class that is being added) and then prepare both the transition
+ * and keyframe animations to run in parallel on the element. Then when the animation is underway the provided `from` and `to` CSS styles will be applied
+ * and spread across the transition and keyframe animation.
+ *
+ * ## What is returned
+ *
+ * `$animateCss` works in two stages: a preparation phase and an animation phase. Therefore when `$animateCss` is first called it will NOT actually
+ * start the animation. All that is going on here is that the element is being prepared for the animation (which means that the generated CSS classes are
+ * added and removed on the element). Once `$animateCss` is called it will return an object with the following properties:
+ *
+ * ```js
+ * var animator = $animateCss(element, { ... });
+ * ```
+ *
+ * Now what do the contents of our `animator` variable look like:
+ *
+ * ```js
+ * {
+ * // starts the animation
+ * start: Function,
+ *
+ * // ends (aborts) the animation
+ * end: Function
+ * }
+ * ```
+ *
+ * To actually start the animation we need to run `animation.start()` which will then return a promise that we can hook into to detect when the animation ends.
+ * If we choose not to run the animation then we MUST run `animation.end()` to perform a cleanup on the element (since some CSS classes and styles may have been
+ * applied to the element during the preparation phase). Note that all other properties such as duration, delay, transitions and keyframes are just properties
+ * and that changing them will not reconfigure the parameters of the animation.
+ *
+ * ### runner.done() vs runner.then()
+ * It is documented that `animation.start()` will return a promise object and this is true, however, there is also an additional method available on the
+ * runner called `.done(callbackFn)`. The done method works the same as `.finally(callbackFn)`, however, it does **not trigger a digest to occur**.
+ * Therefore, for performance reasons, it's always best to use `runner.done(callback)` instead of `runner.then()`, `runner.catch()` or `runner.finally()`
+ * unless you really need a digest to kick off afterwards.
+ *
+ * Keep in mind that, to make this easier, ngAnimate has tweaked the JS animations API to recognize when a runner instance is returned from $animateCss
+ * (so there is no need to call `runner.done(doneFn)` inside of your JavaScript animation code).
+ * Check the {@link ngAnimate.$animateCss#usage animation code above} to see how this works.
+ *
+ * @param {DOMElement} element the element that will be animated
+ * @param {object} options the animation-related options that will be applied during the animation
+ *
+ * * `event` - The DOM event (e.g. enter, leave, move). When used, a generated CSS class of `ng-EVENT` and `ng-EVENT-active` will be applied
+ * to the element during the animation. Multiple events can be provided when spaces are used as a separator. (Note that this will not perform any DOM operation.)
+ * * `structural` - Indicates that the `ng-` prefix will be added to the event class. Setting to `false` or omitting will turn `ng-EVENT` and
+ * `ng-EVENT-active` in `EVENT` and `EVENT-active`. Unused if `event` is omitted.
+ * * `easing` - The CSS easing value that will be applied to the transition or keyframe animation (or both).
+ * * `transitionStyle` - The raw CSS transition style that will be used (e.g. `1s linear all`).
+ * * `keyframeStyle` - The raw CSS keyframe animation style that will be used (e.g. `1s my_animation linear`).
+ * * `from` - The starting CSS styles (a key/value object) that will be applied at the start of the animation.
+ * * `to` - The ending CSS styles (a key/value object) that will be applied across the animation via a CSS transition.
+ * * `addClass` - A space separated list of CSS classes that will be added to the element and spread across the animation.
+ * * `removeClass` - A space separated list of CSS classes that will be removed from the element and spread across the animation.
+ * * `duration` - A number value representing the total duration of the transition and/or keyframe (note that a value of 1 is 1000ms). If a value of `0`
+ * is provided then the animation will be skipped entirely.
+ * * `delay` - A number value representing the total delay of the transition and/or keyframe (note that a value of 1 is 1000ms). If a value of `true` is
+ * used then whatever delay value is detected from the CSS classes will be mirrored on the elements styles (e.g. by setting delay true then the style value
+ * of the element will be `transition-delay: DETECTED_VALUE`). Using `true` is useful when you want the CSS classes and inline styles to all share the same
+ * CSS delay value.
+ * * `stagger` - A numeric time value representing the delay between successively animated elements
+ * ({@link ngAnimate#css-staggering-animations Click here to learn how CSS-based staggering works in ngAnimate.})
+ * * `staggerIndex` - The numeric index representing the stagger item (e.g. a value of 5 is equal to the sixth item in the stagger; therefore when a
+ * `stagger` option value of `0.1` is used then there will be a stagger delay of `600ms`)
+ * * `applyClassesEarly` - Whether or not the classes being added or removed will be used when detecting the animation. This is set by `$animate` when enter/leave/move animations are fired to ensure that the CSS classes are resolved in time. (Note that this will prevent any transitions from occurring on the classes being added and removed.)
+ * * `cleanupStyles` - Whether or not the provided `from` and `to` styles will be removed once
+ * the animation is closed. This is useful for when the styles are used purely for the sake of
+ * the animation and do not have a lasting visual effect on the element (e.g. a collapse and open animation).
+ * By default this value is set to `false`.
+ *
+ * @return {object} an object with start and end methods and details about the animation.
+ *
+ * * `start` - The method to start the animation. This will return a `Promise` when called.
+ * * `end` - This method will cancel the animation and remove all applied CSS classes and styles.
+ */
+var ONE_SECOND = 1000;
+
+var ELAPSED_TIME_MAX_DECIMAL_PLACES = 3;
+var CLOSING_TIME_BUFFER = 1.5;
+
+var DETECT_CSS_PROPERTIES = {
+ transitionDuration: TRANSITION_DURATION_PROP,
+ transitionDelay: TRANSITION_DELAY_PROP,
+ transitionProperty: TRANSITION_PROP + PROPERTY_KEY,
+ animationDuration: ANIMATION_DURATION_PROP,
+ animationDelay: ANIMATION_DELAY_PROP,
+ animationIterationCount: ANIMATION_PROP + ANIMATION_ITERATION_COUNT_KEY
+};
+
+var DETECT_STAGGER_CSS_PROPERTIES = {
+ transitionDuration: TRANSITION_DURATION_PROP,
+ transitionDelay: TRANSITION_DELAY_PROP,
+ animationDuration: ANIMATION_DURATION_PROP,
+ animationDelay: ANIMATION_DELAY_PROP
+};
+
+function getCssKeyframeDurationStyle(duration) {
+ return [ANIMATION_DURATION_PROP, duration + 's'];
+}
+
+function getCssDelayStyle(delay, isKeyframeAnimation) {
+ var prop = isKeyframeAnimation ? ANIMATION_DELAY_PROP : TRANSITION_DELAY_PROP;
+ return [prop, delay + 's'];
+}
+
+function computeCssStyles($window, element, properties) {
+ var styles = Object.create(null);
+ var detectedStyles = $window.getComputedStyle(element) || {};
+ forEach(properties, function(formalStyleName, actualStyleName) {
+ var val = detectedStyles[formalStyleName];
+ if (val) {
+ var c = val.charAt(0);
+
+ // only numerical-based values have a negative sign or digit as the first value
+ if (c === '-' || c === '+' || c >= 0) {
+ val = parseMaxTime(val);
+ }
+
+ // by setting this to null in the event that the delay is not set or is set directly as 0
+ // then we can still allow for negative values to be used later on and not mistake this
+ // value for being greater than any other negative value.
+ if (val === 0) {
+ val = null;
+ }
+ styles[actualStyleName] = val;
+ }
+ });
+
+ return styles;
+}
+
+function parseMaxTime(str) {
+ var maxValue = 0;
+ var values = str.split(/\s*,\s*/);
+ forEach(values, function(value) {
+ // it's always safe to consider only second values and omit `ms` values since
+ // getComputedStyle will always handle the conversion for us
+ if (value.charAt(value.length - 1) === 's') {
+ value = value.substring(0, value.length - 1);
+ }
+ value = parseFloat(value) || 0;
+ maxValue = maxValue ? Math.max(value, maxValue) : value;
+ });
+ return maxValue;
+}
+
+function truthyTimingValue(val) {
+ return val === 0 || val != null;
+}
+
+function getCssTransitionDurationStyle(duration, applyOnlyDuration) {
+ var style = TRANSITION_PROP;
+ var value = duration + 's';
+ if (applyOnlyDuration) {
+ style += DURATION_KEY;
+ } else {
+ value += ' linear all';
+ }
+ return [style, value];
+}
+
+function createLocalCacheLookup() {
+ var cache = Object.create(null);
+ return {
+ flush: function() {
+ cache = Object.create(null);
+ },
+
+ count: function(key) {
+ var entry = cache[key];
+ return entry ? entry.total : 0;
+ },
+
+ get: function(key) {
+ var entry = cache[key];
+ return entry && entry.value;
+ },
+
+ put: function(key, value) {
+ if (!cache[key]) {
+ cache[key] = { total: 1, value: value };
+ } else {
+ cache[key].total++;
+ }
+ }
+ };
+}
+
+// we do not reassign an already present style value since
+// if we detect the style property value again we may be
+// detecting styles that were added via the `from` styles.
+// We make use of `isDefined` here since an empty string
+// or null value (which is what getPropertyValue will return
+// for a non-existing style) will still be marked as a valid
+// value for the style (a falsy value implies that the style
+// is to be removed at the end of the animation). If we had a simple
+// "OR" statement then it would not be enough to catch that.
+function registerRestorableStyles(backup, node, properties) {
+ forEach(properties, function(prop) {
+ backup[prop] = isDefined(backup[prop])
+ ? backup[prop]
+ : node.style.getPropertyValue(prop);
+ });
+}
+
+var $AnimateCssProvider = ['$animateProvider', /** @this */ function($animateProvider) {
+ var gcsLookup = createLocalCacheLookup();
+ var gcsStaggerLookup = createLocalCacheLookup();
+
+ this.$get = ['$window', '$$jqLite', '$$AnimateRunner', '$timeout',
+ '$$forceReflow', '$sniffer', '$$rAFScheduler', '$$animateQueue',
+ function($window, $$jqLite, $$AnimateRunner, $timeout,
+ $$forceReflow, $sniffer, $$rAFScheduler, $$animateQueue) {
+
+ var applyAnimationClasses = applyAnimationClassesFactory($$jqLite);
+
+ var parentCounter = 0;
+ function gcsHashFn(node, extraClasses) {
+ var KEY = '$$ngAnimateParentKey';
+ var parentNode = node.parentNode;
+ var parentID = parentNode[KEY] || (parentNode[KEY] = ++parentCounter);
+ return parentID + '-' + node.getAttribute('class') + '-' + extraClasses;
+ }
+
+ function computeCachedCssStyles(node, className, cacheKey, properties) {
+ var timings = gcsLookup.get(cacheKey);
+
+ if (!timings) {
+ timings = computeCssStyles($window, node, properties);
+ if (timings.animationIterationCount === 'infinite') {
+ timings.animationIterationCount = 1;
+ }
+ }
+
+ // we keep putting this in multiple times even though the value and the cacheKey are the same
+ // because we're keeping an internal tally of how many duplicate animations are detected.
+ gcsLookup.put(cacheKey, timings);
+ return timings;
+ }
+
+ function computeCachedCssStaggerStyles(node, className, cacheKey, properties) {
+ var stagger;
+
+ // if we have one or more existing matches of matching elements
+ // containing the same parent + CSS styles (which is how cacheKey works)
+ // then staggering is possible
+ if (gcsLookup.count(cacheKey) > 0) {
+ stagger = gcsStaggerLookup.get(cacheKey);
+
+ if (!stagger) {
+ var staggerClassName = pendClasses(className, '-stagger');
+
+ $$jqLite.addClass(node, staggerClassName);
+
+ stagger = computeCssStyles($window, node, properties);
+
+ // force the conversion of a null value to zero incase not set
+ stagger.animationDuration = Math.max(stagger.animationDuration, 0);
+ stagger.transitionDuration = Math.max(stagger.transitionDuration, 0);
+
+ $$jqLite.removeClass(node, staggerClassName);
+
+ gcsStaggerLookup.put(cacheKey, stagger);
+ }
+ }
+
+ return stagger || {};
+ }
+
+ var rafWaitQueue = [];
+ function waitUntilQuiet(callback) {
+ rafWaitQueue.push(callback);
+ $$rAFScheduler.waitUntilQuiet(function() {
+ gcsLookup.flush();
+ gcsStaggerLookup.flush();
+
+ // DO NOT REMOVE THIS LINE OR REFACTOR OUT THE `pageWidth` variable.
+ // PLEASE EXAMINE THE `$$forceReflow` service to understand why.
+ var pageWidth = $$forceReflow();
+
+ // we use a for loop to ensure that if the queue is changed
+ // during this looping then it will consider new requests
+ for (var i = 0; i < rafWaitQueue.length; i++) {
+ rafWaitQueue[i](pageWidth);
+ }
+ rafWaitQueue.length = 0;
+ });
+ }
+
+ function computeTimings(node, className, cacheKey) {
+ var timings = computeCachedCssStyles(node, className, cacheKey, DETECT_CSS_PROPERTIES);
+ var aD = timings.animationDelay;
+ var tD = timings.transitionDelay;
+ timings.maxDelay = aD && tD
+ ? Math.max(aD, tD)
+ : (aD || tD);
+ timings.maxDuration = Math.max(
+ timings.animationDuration * timings.animationIterationCount,
+ timings.transitionDuration);
+
+ return timings;
+ }
+
+ return function init(element, initialOptions) {
+ // all of the animation functions should create
+ // a copy of the options data, however, if a
+ // parent service has already created a copy then
+ // we should stick to using that
+ var options = initialOptions || {};
+ if (!options.$$prepared) {
+ options = prepareAnimationOptions(copy(options));
+ }
+
+ var restoreStyles = {};
+ var node = getDomNode(element);
+ if (!node
+ || !node.parentNode
+ || !$$animateQueue.enabled()) {
+ return closeAndReturnNoopAnimator();
+ }
+
+ var temporaryStyles = [];
+ var classes = element.attr('class');
+ var styles = packageStyles(options);
+ var animationClosed;
+ var animationPaused;
+ var animationCompleted;
+ var runner;
+ var runnerHost;
+ var maxDelay;
+ var maxDelayTime;
+ var maxDuration;
+ var maxDurationTime;
+ var startTime;
+ var events = [];
+
+ if (options.duration === 0 || (!$sniffer.animations && !$sniffer.transitions)) {
+ return closeAndReturnNoopAnimator();
+ }
+
+ var method = options.event && isArray(options.event)
+ ? options.event.join(' ')
+ : options.event;
+
+ var isStructural = method && options.structural;
+ var structuralClassName = '';
+ var addRemoveClassName = '';
+
+ if (isStructural) {
+ structuralClassName = pendClasses(method, EVENT_CLASS_PREFIX, true);
+ } else if (method) {
+ structuralClassName = method;
+ }
+
+ if (options.addClass) {
+ addRemoveClassName += pendClasses(options.addClass, ADD_CLASS_SUFFIX);
+ }
+
+ if (options.removeClass) {
+ if (addRemoveClassName.length) {
+ addRemoveClassName += ' ';
+ }
+ addRemoveClassName += pendClasses(options.removeClass, REMOVE_CLASS_SUFFIX);
+ }
+
+ // there may be a situation where a structural animation is combined together
+ // with CSS classes that need to resolve before the animation is computed.
+ // However this means that there is no explicit CSS code to block the animation
+ // from happening (by setting 0s none in the class name). If this is the case
+ // we need to apply the classes before the first rAF so we know to continue if
+ // there actually is a detected transition or keyframe animation
+ if (options.applyClassesEarly && addRemoveClassName.length) {
+ applyAnimationClasses(element, options);
+ }
+
+ var preparationClasses = [structuralClassName, addRemoveClassName].join(' ').trim();
+ var fullClassName = classes + ' ' + preparationClasses;
+ var activeClasses = pendClasses(preparationClasses, ACTIVE_CLASS_SUFFIX);
+ var hasToStyles = styles.to && Object.keys(styles.to).length > 0;
+ var containsKeyframeAnimation = (options.keyframeStyle || '').length > 0;
+
+ // there is no way we can trigger an animation if no styles and
+ // no classes are being applied which would then trigger a transition,
+ // unless there a is raw keyframe value that is applied to the element.
+ if (!containsKeyframeAnimation
+ && !hasToStyles
+ && !preparationClasses) {
+ return closeAndReturnNoopAnimator();
+ }
+
+ var cacheKey, stagger;
+ if (options.stagger > 0) {
+ var staggerVal = parseFloat(options.stagger);
+ stagger = {
+ transitionDelay: staggerVal,
+ animationDelay: staggerVal,
+ transitionDuration: 0,
+ animationDuration: 0
+ };
+ } else {
+ cacheKey = gcsHashFn(node, fullClassName);
+ stagger = computeCachedCssStaggerStyles(node, preparationClasses, cacheKey, DETECT_STAGGER_CSS_PROPERTIES);
+ }
+
+ if (!options.$$skipPreparationClasses) {
+ $$jqLite.addClass(element, preparationClasses);
+ }
+
+ var applyOnlyDuration;
+
+ if (options.transitionStyle) {
+ var transitionStyle = [TRANSITION_PROP, options.transitionStyle];
+ applyInlineStyle(node, transitionStyle);
+ temporaryStyles.push(transitionStyle);
+ }
+
+ if (options.duration >= 0) {
+ applyOnlyDuration = node.style[TRANSITION_PROP].length > 0;
+ var durationStyle = getCssTransitionDurationStyle(options.duration, applyOnlyDuration);
+
+ // we set the duration so that it will be picked up by getComputedStyle later
+ applyInlineStyle(node, durationStyle);
+ temporaryStyles.push(durationStyle);
+ }
+
+ if (options.keyframeStyle) {
+ var keyframeStyle = [ANIMATION_PROP, options.keyframeStyle];
+ applyInlineStyle(node, keyframeStyle);
+ temporaryStyles.push(keyframeStyle);
+ }
+
+ var itemIndex = stagger
+ ? options.staggerIndex >= 0
+ ? options.staggerIndex
+ : gcsLookup.count(cacheKey)
+ : 0;
+
+ var isFirst = itemIndex === 0;
+
+ // this is a pre-emptive way of forcing the setup classes to be added and applied INSTANTLY
+ // without causing any combination of transitions to kick in. By adding a negative delay value
+ // it forces the setup class' transition to end immediately. We later then remove the negative
+ // transition delay to allow for the transition to naturally do it's thing. The beauty here is
+ // that if there is no transition defined then nothing will happen and this will also allow
+ // other transitions to be stacked on top of each other without any chopping them out.
+ if (isFirst && !options.skipBlocking) {
+ blockTransitions(node, SAFE_FAST_FORWARD_DURATION_VALUE);
+ }
+
+ var timings = computeTimings(node, fullClassName, cacheKey);
+ var relativeDelay = timings.maxDelay;
+ maxDelay = Math.max(relativeDelay, 0);
+ maxDuration = timings.maxDuration;
+
+ var flags = {};
+ flags.hasTransitions = timings.transitionDuration > 0;
+ flags.hasAnimations = timings.animationDuration > 0;
+ flags.hasTransitionAll = flags.hasTransitions && timings.transitionProperty === 'all';
+ flags.applyTransitionDuration = hasToStyles && (
+ (flags.hasTransitions && !flags.hasTransitionAll)
+ || (flags.hasAnimations && !flags.hasTransitions));
+ flags.applyAnimationDuration = options.duration && flags.hasAnimations;
+ flags.applyTransitionDelay = truthyTimingValue(options.delay) && (flags.applyTransitionDuration || flags.hasTransitions);
+ flags.applyAnimationDelay = truthyTimingValue(options.delay) && flags.hasAnimations;
+ flags.recalculateTimingStyles = addRemoveClassName.length > 0;
+
+ if (flags.applyTransitionDuration || flags.applyAnimationDuration) {
+ maxDuration = options.duration ? parseFloat(options.duration) : maxDuration;
+
+ if (flags.applyTransitionDuration) {
+ flags.hasTransitions = true;
+ timings.transitionDuration = maxDuration;
+ applyOnlyDuration = node.style[TRANSITION_PROP + PROPERTY_KEY].length > 0;
+ temporaryStyles.push(getCssTransitionDurationStyle(maxDuration, applyOnlyDuration));
+ }
+
+ if (flags.applyAnimationDuration) {
+ flags.hasAnimations = true;
+ timings.animationDuration = maxDuration;
+ temporaryStyles.push(getCssKeyframeDurationStyle(maxDuration));
+ }
+ }
+
+ if (maxDuration === 0 && !flags.recalculateTimingStyles) {
+ return closeAndReturnNoopAnimator();
+ }
+
+ if (options.delay != null) {
+ var delayStyle;
+ if (typeof options.delay !== 'boolean') {
+ delayStyle = parseFloat(options.delay);
+ // number in options.delay means we have to recalculate the delay for the closing timeout
+ maxDelay = Math.max(delayStyle, 0);
+ }
+
+ if (flags.applyTransitionDelay) {
+ temporaryStyles.push(getCssDelayStyle(delayStyle));
+ }
+
+ if (flags.applyAnimationDelay) {
+ temporaryStyles.push(getCssDelayStyle(delayStyle, true));
+ }
+ }
+
+ // we need to recalculate the delay value since we used a pre-emptive negative
+ // delay value and the delay value is required for the final event checking. This
+ // property will ensure that this will happen after the RAF phase has passed.
+ if (options.duration == null && timings.transitionDuration > 0) {
+ flags.recalculateTimingStyles = flags.recalculateTimingStyles || isFirst;
+ }
+
+ maxDelayTime = maxDelay * ONE_SECOND;
+ maxDurationTime = maxDuration * ONE_SECOND;
+ if (!options.skipBlocking) {
+ flags.blockTransition = timings.transitionDuration > 0;
+ flags.blockKeyframeAnimation = timings.animationDuration > 0 &&
+ stagger.animationDelay > 0 &&
+ stagger.animationDuration === 0;
+ }
+
+ if (options.from) {
+ if (options.cleanupStyles) {
+ registerRestorableStyles(restoreStyles, node, Object.keys(options.from));
+ }
+ applyAnimationFromStyles(element, options);
+ }
+
+ if (flags.blockTransition || flags.blockKeyframeAnimation) {
+ applyBlocking(maxDuration);
+ } else if (!options.skipBlocking) {
+ blockTransitions(node, false);
+ }
+
+ // TODO(matsko): for 1.5 change this code to have an animator object for better debugging
+ return {
+ $$willAnimate: true,
+ end: endFn,
+ start: function() {
+ if (animationClosed) return;
+
+ runnerHost = {
+ end: endFn,
+ cancel: cancelFn,
+ resume: null, //this will be set during the start() phase
+ pause: null
+ };
+
+ runner = new $$AnimateRunner(runnerHost);
+
+ waitUntilQuiet(start);
+
+ // we don't have access to pause/resume the animation
+ // since it hasn't run yet. AnimateRunner will therefore
+ // set noop functions for resume and pause and they will
+ // later be overridden once the animation is triggered
+ return runner;
+ }
+ };
+
+ function endFn() {
+ close();
+ }
+
+ function cancelFn() {
+ close(true);
+ }
+
+ function close(rejected) {
+ // if the promise has been called already then we shouldn't close
+ // the animation again
+ if (animationClosed || (animationCompleted && animationPaused)) return;
+ animationClosed = true;
+ animationPaused = false;
+
+ if (!options.$$skipPreparationClasses) {
+ $$jqLite.removeClass(element, preparationClasses);
+ }
+ $$jqLite.removeClass(element, activeClasses);
+
+ blockKeyframeAnimations(node, false);
+ blockTransitions(node, false);
+
+ forEach(temporaryStyles, function(entry) {
+ // There is only one way to remove inline style properties entirely from elements.
+ // By using `removeProperty` this works, but we need to convert camel-cased CSS
+ // styles down to hyphenated values.
+ node.style[entry[0]] = '';
+ });
+
+ applyAnimationClasses(element, options);
+ applyAnimationStyles(element, options);
+
+ if (Object.keys(restoreStyles).length) {
+ forEach(restoreStyles, function(value, prop) {
+ if (value) {
+ node.style.setProperty(prop, value);
+ } else {
+ node.style.removeProperty(prop);
+ }
+ });
+ }
+
+ // the reason why we have this option is to allow a synchronous closing callback
+ // that is fired as SOON as the animation ends (when the CSS is removed) or if
+ // the animation never takes off at all. A good example is a leave animation since
+ // the element must be removed just after the animation is over or else the element
+ // will appear on screen for one animation frame causing an overbearing flicker.
+ if (options.onDone) {
+ options.onDone();
+ }
+
+ if (events && events.length) {
+ // Remove the transitionend / animationend listener(s)
+ element.off(events.join(' '), onAnimationProgress);
+ }
+
+ //Cancel the fallback closing timeout and remove the timer data
+ var animationTimerData = element.data(ANIMATE_TIMER_KEY);
+ if (animationTimerData) {
+ $timeout.cancel(animationTimerData[0].timer);
+ element.removeData(ANIMATE_TIMER_KEY);
+ }
+
+ // if the preparation function fails then the promise is not setup
+ if (runner) {
+ runner.complete(!rejected);
+ }
+ }
+
+ function applyBlocking(duration) {
+ if (flags.blockTransition) {
+ blockTransitions(node, duration);
+ }
+
+ if (flags.blockKeyframeAnimation) {
+ blockKeyframeAnimations(node, !!duration);
+ }
+ }
+
+ function closeAndReturnNoopAnimator() {
+ runner = new $$AnimateRunner({
+ end: endFn,
+ cancel: cancelFn
+ });
+
+ // should flush the cache animation
+ waitUntilQuiet(noop);
+ close();
+
+ return {
+ $$willAnimate: false,
+ start: function() {
+ return runner;
+ },
+ end: endFn
+ };
+ }
+
+ function onAnimationProgress(event) {
+ event.stopPropagation();
+ var ev = event.originalEvent || event;
+
+ // we now always use `Date.now()` due to the recent changes with
+ // event.timeStamp in Firefox, Webkit and Chrome (see #13494 for more info)
+ var timeStamp = ev.$manualTimeStamp || Date.now();
+
+ /* Firefox (or possibly just Gecko) likes to not round values up
+ * when a ms measurement is used for the animation */
+ var elapsedTime = parseFloat(ev.elapsedTime.toFixed(ELAPSED_TIME_MAX_DECIMAL_PLACES));
+
+ /* $manualTimeStamp is a mocked timeStamp value which is set
+ * within browserTrigger(). This is only here so that tests can
+ * mock animations properly. Real events fallback to event.timeStamp,
+ * or, if they don't, then a timeStamp is automatically created for them.
+ * We're checking to see if the timeStamp surpasses the expected delay,
+ * but we're using elapsedTime instead of the timeStamp on the 2nd
+ * pre-condition since animationPauseds sometimes close off early */
+ if (Math.max(timeStamp - startTime, 0) >= maxDelayTime && elapsedTime >= maxDuration) {
+ // we set this flag to ensure that if the transition is paused then, when resumed,
+ // the animation will automatically close itself since transitions cannot be paused.
+ animationCompleted = true;
+ close();
+ }
+ }
+
+ function start() {
+ if (animationClosed) return;
+ if (!node.parentNode) {
+ close();
+ return;
+ }
+
+ // even though we only pause keyframe animations here the pause flag
+ // will still happen when transitions are used. Only the transition will
+ // not be paused since that is not possible. If the animation ends when
+ // paused then it will not complete until unpaused or cancelled.
+ var playPause = function(playAnimation) {
+ if (!animationCompleted) {
+ animationPaused = !playAnimation;
+ if (timings.animationDuration) {
+ var value = blockKeyframeAnimations(node, animationPaused);
+ if (animationPaused) {
+ temporaryStyles.push(value);
+ } else {
+ removeFromArray(temporaryStyles, value);
+ }
+ }
+ } else if (animationPaused && playAnimation) {
+ animationPaused = false;
+ close();
+ }
+ };
+
+ // checking the stagger duration prevents an accidentally cascade of the CSS delay style
+ // being inherited from the parent. If the transition duration is zero then we can safely
+ // rely that the delay value is an intentional stagger delay style.
+ var maxStagger = itemIndex > 0
+ && ((timings.transitionDuration && stagger.transitionDuration === 0) ||
+ (timings.animationDuration && stagger.animationDuration === 0))
+ && Math.max(stagger.animationDelay, stagger.transitionDelay);
+ if (maxStagger) {
+ $timeout(triggerAnimationStart,
+ Math.floor(maxStagger * itemIndex * ONE_SECOND),
+ false);
+ } else {
+ triggerAnimationStart();
+ }
+
+ // this will decorate the existing promise runner with pause/resume methods
+ runnerHost.resume = function() {
+ playPause(true);
+ };
+
+ runnerHost.pause = function() {
+ playPause(false);
+ };
+
+ function triggerAnimationStart() {
+ // just incase a stagger animation kicks in when the animation
+ // itself was cancelled entirely
+ if (animationClosed) return;
+
+ applyBlocking(false);
+
+ forEach(temporaryStyles, function(entry) {
+ var key = entry[0];
+ var value = entry[1];
+ node.style[key] = value;
+ });
+
+ applyAnimationClasses(element, options);
+ $$jqLite.addClass(element, activeClasses);
+
+ if (flags.recalculateTimingStyles) {
+ fullClassName = node.className + ' ' + preparationClasses;
+ cacheKey = gcsHashFn(node, fullClassName);
+
+ timings = computeTimings(node, fullClassName, cacheKey);
+ relativeDelay = timings.maxDelay;
+ maxDelay = Math.max(relativeDelay, 0);
+ maxDuration = timings.maxDuration;
+
+ if (maxDuration === 0) {
+ close();
+ return;
+ }
+
+ flags.hasTransitions = timings.transitionDuration > 0;
+ flags.hasAnimations = timings.animationDuration > 0;
+ }
+
+ if (flags.applyAnimationDelay) {
+ relativeDelay = typeof options.delay !== 'boolean' && truthyTimingValue(options.delay)
+ ? parseFloat(options.delay)
+ : relativeDelay;
+
+ maxDelay = Math.max(relativeDelay, 0);
+ timings.animationDelay = relativeDelay;
+ delayStyle = getCssDelayStyle(relativeDelay, true);
+ temporaryStyles.push(delayStyle);
+ node.style[delayStyle[0]] = delayStyle[1];
+ }
+
+ maxDelayTime = maxDelay * ONE_SECOND;
+ maxDurationTime = maxDuration * ONE_SECOND;
+
+ if (options.easing) {
+ var easeProp, easeVal = options.easing;
+ if (flags.hasTransitions) {
+ easeProp = TRANSITION_PROP + TIMING_KEY;
+ temporaryStyles.push([easeProp, easeVal]);
+ node.style[easeProp] = easeVal;
+ }
+ if (flags.hasAnimations) {
+ easeProp = ANIMATION_PROP + TIMING_KEY;
+ temporaryStyles.push([easeProp, easeVal]);
+ node.style[easeProp] = easeVal;
+ }
+ }
+
+ if (timings.transitionDuration) {
+ events.push(TRANSITIONEND_EVENT);
+ }
+
+ if (timings.animationDuration) {
+ events.push(ANIMATIONEND_EVENT);
+ }
+
+ startTime = Date.now();
+ var timerTime = maxDelayTime + CLOSING_TIME_BUFFER * maxDurationTime;
+ var endTime = startTime + timerTime;
+
+ var animationsData = element.data(ANIMATE_TIMER_KEY) || [];
+ var setupFallbackTimer = true;
+ if (animationsData.length) {
+ var currentTimerData = animationsData[0];
+ setupFallbackTimer = endTime > currentTimerData.expectedEndTime;
+ if (setupFallbackTimer) {
+ $timeout.cancel(currentTimerData.timer);
+ } else {
+ animationsData.push(close);
+ }
+ }
+
+ if (setupFallbackTimer) {
+ var timer = $timeout(onAnimationExpired, timerTime, false);
+ animationsData[0] = {
+ timer: timer,
+ expectedEndTime: endTime
+ };
+ animationsData.push(close);
+ element.data(ANIMATE_TIMER_KEY, animationsData);
+ }
+
+ if (events.length) {
+ element.on(events.join(' '), onAnimationProgress);
+ }
+
+ if (options.to) {
+ if (options.cleanupStyles) {
+ registerRestorableStyles(restoreStyles, node, Object.keys(options.to));
+ }
+ applyAnimationToStyles(element, options);
+ }
+ }
+
+ function onAnimationExpired() {
+ var animationsData = element.data(ANIMATE_TIMER_KEY);
+
+ // this will be false in the event that the element was
+ // removed from the DOM (via a leave animation or something
+ // similar)
+ if (animationsData) {
+ for (var i = 1; i < animationsData.length; i++) {
+ animationsData[i]();
+ }
+ element.removeData(ANIMATE_TIMER_KEY);
+ }
+ }
+ }
+ };
+ }];
+}];
+
+var $$AnimateCssDriverProvider = ['$$animationProvider', /** @this */ function($$animationProvider) {
+ $$animationProvider.drivers.push('$$animateCssDriver');
+
+ var NG_ANIMATE_SHIM_CLASS_NAME = 'ng-animate-shim';
+ var NG_ANIMATE_ANCHOR_CLASS_NAME = 'ng-anchor';
+
+ var NG_OUT_ANCHOR_CLASS_NAME = 'ng-anchor-out';
+ var NG_IN_ANCHOR_CLASS_NAME = 'ng-anchor-in';
+
+ function isDocumentFragment(node) {
+ return node.parentNode && node.parentNode.nodeType === 11;
+ }
+
+ this.$get = ['$animateCss', '$rootScope', '$$AnimateRunner', '$rootElement', '$sniffer', '$$jqLite', '$document',
+ function($animateCss, $rootScope, $$AnimateRunner, $rootElement, $sniffer, $$jqLite, $document) {
+
+ // only browsers that support these properties can render animations
+ if (!$sniffer.animations && !$sniffer.transitions) return noop;
+
+ var bodyNode = $document[0].body;
+ var rootNode = getDomNode($rootElement);
+
+ var rootBodyElement = jqLite(
+ // this is to avoid using something that exists outside of the body
+ // we also special case the doc fragment case because our unit test code
+ // appends the $rootElement to the body after the app has been bootstrapped
+ isDocumentFragment(rootNode) || bodyNode.contains(rootNode) ? rootNode : bodyNode
+ );
+
+ return function initDriverFn(animationDetails) {
+ return animationDetails.from && animationDetails.to
+ ? prepareFromToAnchorAnimation(animationDetails.from,
+ animationDetails.to,
+ animationDetails.classes,
+ animationDetails.anchors)
+ : prepareRegularAnimation(animationDetails);
+ };
+
+ function filterCssClasses(classes) {
+ //remove all the `ng-` stuff
+ return classes.replace(/\bng-\S+\b/g, '');
+ }
+
+ function getUniqueValues(a, b) {
+ if (isString(a)) a = a.split(' ');
+ if (isString(b)) b = b.split(' ');
+ return a.filter(function(val) {
+ return b.indexOf(val) === -1;
+ }).join(' ');
+ }
+
+ function prepareAnchoredAnimation(classes, outAnchor, inAnchor) {
+ var clone = jqLite(getDomNode(outAnchor).cloneNode(true));
+ var startingClasses = filterCssClasses(getClassVal(clone));
+
+ outAnchor.addClass(NG_ANIMATE_SHIM_CLASS_NAME);
+ inAnchor.addClass(NG_ANIMATE_SHIM_CLASS_NAME);
+
+ clone.addClass(NG_ANIMATE_ANCHOR_CLASS_NAME);
+
+ rootBodyElement.append(clone);
+
+ var animatorIn, animatorOut = prepareOutAnimation();
+
+ // the user may not end up using the `out` animation and
+ // only making use of the `in` animation or vice-versa.
+ // In either case we should allow this and not assume the
+ // animation is over unless both animations are not used.
+ if (!animatorOut) {
+ animatorIn = prepareInAnimation();
+ if (!animatorIn) {
+ return end();
+ }
+ }
+
+ var startingAnimator = animatorOut || animatorIn;
+
+ return {
+ start: function() {
+ var runner;
+
+ var currentAnimation = startingAnimator.start();
+ currentAnimation.done(function() {
+ currentAnimation = null;
+ if (!animatorIn) {
+ animatorIn = prepareInAnimation();
+ if (animatorIn) {
+ currentAnimation = animatorIn.start();
+ currentAnimation.done(function() {
+ currentAnimation = null;
+ end();
+ runner.complete();
+ });
+ return currentAnimation;
+ }
+ }
+ // in the event that there is no `in` animation
+ end();
+ runner.complete();
+ });
+
+ runner = new $$AnimateRunner({
+ end: endFn,
+ cancel: endFn
+ });
+
+ return runner;
+
+ function endFn() {
+ if (currentAnimation) {
+ currentAnimation.end();
+ }
+ }
+ }
+ };
+
+ function calculateAnchorStyles(anchor) {
+ var styles = {};
+
+ var coords = getDomNode(anchor).getBoundingClientRect();
+
+ // we iterate directly since safari messes up and doesn't return
+ // all the keys for the coords object when iterated
+ forEach(['width','height','top','left'], function(key) {
+ var value = coords[key];
+ switch (key) {
+ case 'top':
+ value += bodyNode.scrollTop;
+ break;
+ case 'left':
+ value += bodyNode.scrollLeft;
+ break;
+ }
+ styles[key] = Math.floor(value) + 'px';
+ });
+ return styles;
+ }
+
+ function prepareOutAnimation() {
+ var animator = $animateCss(clone, {
+ addClass: NG_OUT_ANCHOR_CLASS_NAME,
+ delay: true,
+ from: calculateAnchorStyles(outAnchor)
+ });
+
+ // read the comment within `prepareRegularAnimation` to understand
+ // why this check is necessary
+ return animator.$$willAnimate ? animator : null;
+ }
+
+ function getClassVal(element) {
+ return element.attr('class') || '';
+ }
+
+ function prepareInAnimation() {
+ var endingClasses = filterCssClasses(getClassVal(inAnchor));
+ var toAdd = getUniqueValues(endingClasses, startingClasses);
+ var toRemove = getUniqueValues(startingClasses, endingClasses);
+
+ var animator = $animateCss(clone, {
+ to: calculateAnchorStyles(inAnchor),
+ addClass: NG_IN_ANCHOR_CLASS_NAME + ' ' + toAdd,
+ removeClass: NG_OUT_ANCHOR_CLASS_NAME + ' ' + toRemove,
+ delay: true
+ });
+
+ // read the comment within `prepareRegularAnimation` to understand
+ // why this check is necessary
+ return animator.$$willAnimate ? animator : null;
+ }
+
+ function end() {
+ clone.remove();
+ outAnchor.removeClass(NG_ANIMATE_SHIM_CLASS_NAME);
+ inAnchor.removeClass(NG_ANIMATE_SHIM_CLASS_NAME);
+ }
+ }
+
+ function prepareFromToAnchorAnimation(from, to, classes, anchors) {
+ var fromAnimation = prepareRegularAnimation(from, noop);
+ var toAnimation = prepareRegularAnimation(to, noop);
+
+ var anchorAnimations = [];
+ forEach(anchors, function(anchor) {
+ var outElement = anchor['out'];
+ var inElement = anchor['in'];
+ var animator = prepareAnchoredAnimation(classes, outElement, inElement);
+ if (animator) {
+ anchorAnimations.push(animator);
+ }
+ });
+
+ // no point in doing anything when there are no elements to animate
+ if (!fromAnimation && !toAnimation && anchorAnimations.length === 0) return;
+
+ return {
+ start: function() {
+ var animationRunners = [];
+
+ if (fromAnimation) {
+ animationRunners.push(fromAnimation.start());
+ }
+
+ if (toAnimation) {
+ animationRunners.push(toAnimation.start());
+ }
+
+ forEach(anchorAnimations, function(animation) {
+ animationRunners.push(animation.start());
+ });
+
+ var runner = new $$AnimateRunner({
+ end: endFn,
+ cancel: endFn // CSS-driven animations cannot be cancelled, only ended
+ });
+
+ $$AnimateRunner.all(animationRunners, function(status) {
+ runner.complete(status);
+ });
+
+ return runner;
+
+ function endFn() {
+ forEach(animationRunners, function(runner) {
+ runner.end();
+ });
+ }
+ }
+ };
+ }
+
+ function prepareRegularAnimation(animationDetails) {
+ var element = animationDetails.element;
+ var options = animationDetails.options || {};
+
+ if (animationDetails.structural) {
+ options.event = animationDetails.event;
+ options.structural = true;
+ options.applyClassesEarly = true;
+
+ // we special case the leave animation since we want to ensure that
+ // the element is removed as soon as the animation is over. Otherwise
+ // a flicker might appear or the element may not be removed at all
+ if (animationDetails.event === 'leave') {
+ options.onDone = options.domOperation;
+ }
+ }
+
+ // We assign the preparationClasses as the actual animation event since
+ // the internals of $animateCss will just suffix the event token values
+ // with `-active` to trigger the animation.
+ if (options.preparationClasses) {
+ options.event = concatWithSpace(options.event, options.preparationClasses);
+ }
+
+ var animator = $animateCss(element, options);
+
+ // the driver lookup code inside of $$animation attempts to spawn a
+ // driver one by one until a driver returns a.$$willAnimate animator object.
+ // $animateCss will always return an object, however, it will pass in
+ // a flag as a hint as to whether an animation was detected or not
+ return animator.$$willAnimate ? animator : null;
+ }
+ }];
+}];
+
+// TODO(matsko): use caching here to speed things up for detection
+// TODO(matsko): add documentation
+// by the time...
+
+var $$AnimateJsProvider = ['$animateProvider', /** @this */ function($animateProvider) {
+ this.$get = ['$injector', '$$AnimateRunner', '$$jqLite',
+ function($injector, $$AnimateRunner, $$jqLite) {
+
+ var applyAnimationClasses = applyAnimationClassesFactory($$jqLite);
+ // $animateJs(element, 'enter');
+ return function(element, event, classes, options) {
+ var animationClosed = false;
+
+ // the `classes` argument is optional and if it is not used
+ // then the classes will be resolved from the element's className
+ // property as well as options.addClass/options.removeClass.
+ if (arguments.length === 3 && isObject(classes)) {
+ options = classes;
+ classes = null;
+ }
+
+ options = prepareAnimationOptions(options);
+ if (!classes) {
+ classes = element.attr('class') || '';
+ if (options.addClass) {
+ classes += ' ' + options.addClass;
+ }
+ if (options.removeClass) {
+ classes += ' ' + options.removeClass;
+ }
+ }
+
+ var classesToAdd = options.addClass;
+ var classesToRemove = options.removeClass;
+
+ // the lookupAnimations function returns a series of animation objects that are
+ // matched up with one or more of the CSS classes. These animation objects are
+ // defined via the module.animation factory function. If nothing is detected then
+ // we don't return anything which then makes $animation query the next driver.
+ var animations = lookupAnimations(classes);
+ var before, after;
+ if (animations.length) {
+ var afterFn, beforeFn;
+ if (event === 'leave') {
+ beforeFn = 'leave';
+ afterFn = 'afterLeave'; // TODO(matsko): get rid of this
+ } else {
+ beforeFn = 'before' + event.charAt(0).toUpperCase() + event.substr(1);
+ afterFn = event;
+ }
+
+ if (event !== 'enter' && event !== 'move') {
+ before = packageAnimations(element, event, options, animations, beforeFn);
+ }
+ after = packageAnimations(element, event, options, animations, afterFn);
+ }
+
+ // no matching animations
+ if (!before && !after) return;
+
+ function applyOptions() {
+ options.domOperation();
+ applyAnimationClasses(element, options);
+ }
+
+ function close() {
+ animationClosed = true;
+ applyOptions();
+ applyAnimationStyles(element, options);
+ }
+
+ var runner;
+
+ return {
+ $$willAnimate: true,
+ end: function() {
+ if (runner) {
+ runner.end();
+ } else {
+ close();
+ runner = new $$AnimateRunner();
+ runner.complete(true);
+ }
+ return runner;
+ },
+ start: function() {
+ if (runner) {
+ return runner;
+ }
+
+ runner = new $$AnimateRunner();
+ var closeActiveAnimations;
+ var chain = [];
+
+ if (before) {
+ chain.push(function(fn) {
+ closeActiveAnimations = before(fn);
+ });
+ }
+
+ if (chain.length) {
+ chain.push(function(fn) {
+ applyOptions();
+ fn(true);
+ });
+ } else {
+ applyOptions();
+ }
+
+ if (after) {
+ chain.push(function(fn) {
+ closeActiveAnimations = after(fn);
+ });
+ }
+
+ runner.setHost({
+ end: function() {
+ endAnimations();
+ },
+ cancel: function() {
+ endAnimations(true);
+ }
+ });
+
+ $$AnimateRunner.chain(chain, onComplete);
+ return runner;
+
+ function onComplete(success) {
+ close(success);
+ runner.complete(success);
+ }
+
+ function endAnimations(cancelled) {
+ if (!animationClosed) {
+ (closeActiveAnimations || noop)(cancelled);
+ onComplete(cancelled);
+ }
+ }
+ }
+ };
+
+ function executeAnimationFn(fn, element, event, options, onDone) {
+ var args;
+ switch (event) {
+ case 'animate':
+ args = [element, options.from, options.to, onDone];
+ break;
+
+ case 'setClass':
+ args = [element, classesToAdd, classesToRemove, onDone];
+ break;
+
+ case 'addClass':
+ args = [element, classesToAdd, onDone];
+ break;
+
+ case 'removeClass':
+ args = [element, classesToRemove, onDone];
+ break;
+
+ default:
+ args = [element, onDone];
+ break;
+ }
+
+ args.push(options);
+
+ var value = fn.apply(fn, args);
+ if (value) {
+ if (isFunction(value.start)) {
+ value = value.start();
+ }
+
+ if (value instanceof $$AnimateRunner) {
+ value.done(onDone);
+ } else if (isFunction(value)) {
+ // optional onEnd / onCancel callback
+ return value;
+ }
+ }
+
+ return noop;
+ }
+
+ function groupEventedAnimations(element, event, options, animations, fnName) {
+ var operations = [];
+ forEach(animations, function(ani) {
+ var animation = ani[fnName];
+ if (!animation) return;
+
+ // note that all of these animations will run in parallel
+ operations.push(function() {
+ var runner;
+ var endProgressCb;
+
+ var resolved = false;
+ var onAnimationComplete = function(rejected) {
+ if (!resolved) {
+ resolved = true;
+ (endProgressCb || noop)(rejected);
+ runner.complete(!rejected);
+ }
+ };
+
+ runner = new $$AnimateRunner({
+ end: function() {
+ onAnimationComplete();
+ },
+ cancel: function() {
+ onAnimationComplete(true);
+ }
+ });
+
+ endProgressCb = executeAnimationFn(animation, element, event, options, function(result) {
+ var cancelled = result === false;
+ onAnimationComplete(cancelled);
+ });
+
+ return runner;
+ });
+ });
+
+ return operations;
+ }
+
+ function packageAnimations(element, event, options, animations, fnName) {
+ var operations = groupEventedAnimations(element, event, options, animations, fnName);
+ if (operations.length === 0) {
+ var a, b;
+ if (fnName === 'beforeSetClass') {
+ a = groupEventedAnimations(element, 'removeClass', options, animations, 'beforeRemoveClass');
+ b = groupEventedAnimations(element, 'addClass', options, animations, 'beforeAddClass');
+ } else if (fnName === 'setClass') {
+ a = groupEventedAnimations(element, 'removeClass', options, animations, 'removeClass');
+ b = groupEventedAnimations(element, 'addClass', options, animations, 'addClass');
+ }
+
+ if (a) {
+ operations = operations.concat(a);
+ }
+ if (b) {
+ operations = operations.concat(b);
+ }
+ }
+
+ if (operations.length === 0) return;
+
+ // TODO(matsko): add documentation
+ return function startAnimation(callback) {
+ var runners = [];
+ if (operations.length) {
+ forEach(operations, function(animateFn) {
+ runners.push(animateFn());
+ });
+ }
+
+ if (runners.length) {
+ $$AnimateRunner.all(runners, callback);
+ } else {
+ callback();
+ }
+
+ return function endFn(reject) {
+ forEach(runners, function(runner) {
+ if (reject) {
+ runner.cancel();
+ } else {
+ runner.end();
+ }
+ });
+ };
+ };
+ }
+ };
+
+ function lookupAnimations(classes) {
+ classes = isArray(classes) ? classes : classes.split(' ');
+ var matches = [], flagMap = {};
+ for (var i = 0; i < classes.length; i++) {
+ var klass = classes[i],
+ animationFactory = $animateProvider.$$registeredAnimations[klass];
+ if (animationFactory && !flagMap[klass]) {
+ matches.push($injector.get(animationFactory));
+ flagMap[klass] = true;
+ }
+ }
+ return matches;
+ }
+ }];
+}];
+
+var $$AnimateJsDriverProvider = ['$$animationProvider', /** @this */ function($$animationProvider) {
+ $$animationProvider.drivers.push('$$animateJsDriver');
+ this.$get = ['$$animateJs', '$$AnimateRunner', function($$animateJs, $$AnimateRunner) {
+ return function initDriverFn(animationDetails) {
+ if (animationDetails.from && animationDetails.to) {
+ var fromAnimation = prepareAnimation(animationDetails.from);
+ var toAnimation = prepareAnimation(animationDetails.to);
+ if (!fromAnimation && !toAnimation) return;
+
+ return {
+ start: function() {
+ var animationRunners = [];
+
+ if (fromAnimation) {
+ animationRunners.push(fromAnimation.start());
+ }
+
+ if (toAnimation) {
+ animationRunners.push(toAnimation.start());
+ }
+
+ $$AnimateRunner.all(animationRunners, done);
+
+ var runner = new $$AnimateRunner({
+ end: endFnFactory(),
+ cancel: endFnFactory()
+ });
+
+ return runner;
+
+ function endFnFactory() {
+ return function() {
+ forEach(animationRunners, function(runner) {
+ // at this point we cannot cancel animations for groups just yet. 1.5+
+ runner.end();
+ });
+ };
+ }
+
+ function done(status) {
+ runner.complete(status);
+ }
+ }
+ };
+ } else {
+ return prepareAnimation(animationDetails);
+ }
+ };
+
+ function prepareAnimation(animationDetails) {
+ // TODO(matsko): make sure to check for grouped animations and delegate down to normal animations
+ var element = animationDetails.element;
+ var event = animationDetails.event;
+ var options = animationDetails.options;
+ var classes = animationDetails.classes;
+ return $$animateJs(element, event, classes, options);
+ }
+ }];
+}];
+
+var NG_ANIMATE_ATTR_NAME = 'data-ng-animate';
+var NG_ANIMATE_PIN_DATA = '$ngAnimatePin';
+var $$AnimateQueueProvider = ['$animateProvider', /** @this */ function($animateProvider) {
+ var PRE_DIGEST_STATE = 1;
+ var RUNNING_STATE = 2;
+ var ONE_SPACE = ' ';
+
+ var rules = this.rules = {
+ skip: [],
+ cancel: [],
+ join: []
+ };
+
+ function makeTruthyCssClassMap(classString) {
+ if (!classString) {
+ return null;
+ }
+
+ var keys = classString.split(ONE_SPACE);
+ var map = Object.create(null);
+
+ forEach(keys, function(key) {
+ map[key] = true;
+ });
+ return map;
+ }
+
+ function hasMatchingClasses(newClassString, currentClassString) {
+ if (newClassString && currentClassString) {
+ var currentClassMap = makeTruthyCssClassMap(currentClassString);
+ return newClassString.split(ONE_SPACE).some(function(className) {
+ return currentClassMap[className];
+ });
+ }
+ }
+
+ function isAllowed(ruleType, element, currentAnimation, previousAnimation) {
+ return rules[ruleType].some(function(fn) {
+ return fn(element, currentAnimation, previousAnimation);
+ });
+ }
+
+ function hasAnimationClasses(animation, and) {
+ var a = (animation.addClass || '').length > 0;
+ var b = (animation.removeClass || '').length > 0;
+ return and ? a && b : a || b;
+ }
+
+ rules.join.push(function(element, newAnimation, currentAnimation) {
+ // if the new animation is class-based then we can just tack that on
+ return !newAnimation.structural && hasAnimationClasses(newAnimation);
+ });
+
+ rules.skip.push(function(element, newAnimation, currentAnimation) {
+ // there is no need to animate anything if no classes are being added and
+ // there is no structural animation that will be triggered
+ return !newAnimation.structural && !hasAnimationClasses(newAnimation);
+ });
+
+ rules.skip.push(function(element, newAnimation, currentAnimation) {
+ // why should we trigger a new structural animation if the element will
+ // be removed from the DOM anyway?
+ return currentAnimation.event === 'leave' && newAnimation.structural;
+ });
+
+ rules.skip.push(function(element, newAnimation, currentAnimation) {
+ // if there is an ongoing current animation then don't even bother running the class-based animation
+ return currentAnimation.structural && currentAnimation.state === RUNNING_STATE && !newAnimation.structural;
+ });
+
+ rules.cancel.push(function(element, newAnimation, currentAnimation) {
+ // there can never be two structural animations running at the same time
+ return currentAnimation.structural && newAnimation.structural;
+ });
+
+ rules.cancel.push(function(element, newAnimation, currentAnimation) {
+ // if the previous animation is already running, but the new animation will
+ // be triggered, but the new animation is structural
+ return currentAnimation.state === RUNNING_STATE && newAnimation.structural;
+ });
+
+ rules.cancel.push(function(element, newAnimation, currentAnimation) {
+ // cancel the animation if classes added / removed in both animation cancel each other out,
+ // but only if the current animation isn't structural
+
+ if (currentAnimation.structural) return false;
+
+ var nA = newAnimation.addClass;
+ var nR = newAnimation.removeClass;
+ var cA = currentAnimation.addClass;
+ var cR = currentAnimation.removeClass;
+
+ // early detection to save the global CPU shortage :)
+ if ((isUndefined(nA) && isUndefined(nR)) || (isUndefined(cA) && isUndefined(cR))) {
+ return false;
+ }
+
+ return hasMatchingClasses(nA, cR) || hasMatchingClasses(nR, cA);
+ });
+
+ this.$get = ['$$rAF', '$rootScope', '$rootElement', '$document', '$$HashMap',
+ '$$animation', '$$AnimateRunner', '$templateRequest', '$$jqLite', '$$forceReflow',
+ function($$rAF, $rootScope, $rootElement, $document, $$HashMap,
+ $$animation, $$AnimateRunner, $templateRequest, $$jqLite, $$forceReflow) {
+
+ var activeAnimationsLookup = new $$HashMap();
+ var disabledElementsLookup = new $$HashMap();
+ var animationsEnabled = null;
+
+ function postDigestTaskFactory() {
+ var postDigestCalled = false;
+ return function(fn) {
+ // we only issue a call to postDigest before
+ // it has first passed. This prevents any callbacks
+ // from not firing once the animation has completed
+ // since it will be out of the digest cycle.
+ if (postDigestCalled) {
+ fn();
+ } else {
+ $rootScope.$$postDigest(function() {
+ postDigestCalled = true;
+ fn();
+ });
+ }
+ };
+ }
+
+ // Wait until all directive and route-related templates are downloaded and
+ // compiled. The $templateRequest.totalPendingRequests variable keeps track of
+ // all of the remote templates being currently downloaded. If there are no
+ // templates currently downloading then the watcher will still fire anyway.
+ var deregisterWatch = $rootScope.$watch(
+ function() { return $templateRequest.totalPendingRequests === 0; },
+ function(isEmpty) {
+ if (!isEmpty) return;
+ deregisterWatch();
+
+ // Now that all templates have been downloaded, $animate will wait until
+ // the post digest queue is empty before enabling animations. By having two
+ // calls to $postDigest calls we can ensure that the flag is enabled at the
+ // very end of the post digest queue. Since all of the animations in $animate
+ // use $postDigest, it's important that the code below executes at the end.
+ // This basically means that the page is fully downloaded and compiled before
+ // any animations are triggered.
+ $rootScope.$$postDigest(function() {
+ $rootScope.$$postDigest(function() {
+ // we check for null directly in the event that the application already called
+ // .enabled() with whatever arguments that it provided it with
+ if (animationsEnabled === null) {
+ animationsEnabled = true;
+ }
+ });
+ });
+ }
+ );
+
+ var callbackRegistry = Object.create(null);
+
+ // remember that the classNameFilter is set during the provider/config
+ // stage therefore we can optimize here and setup a helper function
+ var classNameFilter = $animateProvider.classNameFilter();
+ var isAnimatableClassName = !classNameFilter
+ ? function() { return true; }
+ : function(className) {
+ return classNameFilter.test(className);
+ };
+
+ var applyAnimationClasses = applyAnimationClassesFactory($$jqLite);
+
+ function normalizeAnimationDetails(element, animation) {
+ return mergeAnimationDetails(element, animation, {});
+ }
+
+ // IE9-11 has no method "contains" in SVG element and in Node.prototype. Bug #10259.
+ var contains = window.Node.prototype.contains || /** @this */ function(arg) {
+ // eslint-disable-next-line no-bitwise
+ return this === arg || !!(this.compareDocumentPosition(arg) & 16);
+ };
+
+ function findCallbacks(parent, element, event) {
+ var targetNode = getDomNode(element);
+ var targetParentNode = getDomNode(parent);
+
+ var matches = [];
+ var entries = callbackRegistry[event];
+ if (entries) {
+ forEach(entries, function(entry) {
+ if (contains.call(entry.node, targetNode)) {
+ matches.push(entry.callback);
+ } else if (event === 'leave' && contains.call(entry.node, targetParentNode)) {
+ matches.push(entry.callback);
+ }
+ });
+ }
+
+ return matches;
+ }
+
+ function filterFromRegistry(list, matchContainer, matchCallback) {
+ var containerNode = extractElementNode(matchContainer);
+ return list.filter(function(entry) {
+ var isMatch = entry.node === containerNode &&
+ (!matchCallback || entry.callback === matchCallback);
+ return !isMatch;
+ });
+ }
+
+ function cleanupEventListeners(phase, element) {
+ if (phase === 'close' && !element[0].parentNode) {
+ // If the element is not attached to a parentNode, it has been removed by
+ // the domOperation, and we can safely remove the event callbacks
+ $animate.off(element);
+ }
+ }
+
+ var $animate = {
+ on: function(event, container, callback) {
+ var node = extractElementNode(container);
+ callbackRegistry[event] = callbackRegistry[event] || [];
+ callbackRegistry[event].push({
+ node: node,
+ callback: callback
+ });
+
+ // Remove the callback when the element is removed from the DOM
+ jqLite(container).on('$destroy', function() {
+ var animationDetails = activeAnimationsLookup.get(node);
+
+ if (!animationDetails) {
+ // If there's an animation ongoing, the callback calling code will remove
+ // the event listeners. If we'd remove here, the callbacks would be removed
+ // before the animation ends
+ $animate.off(event, container, callback);
+ }
+ });
+ },
+
+ off: function(event, container, callback) {
+ if (arguments.length === 1 && !isString(arguments[0])) {
+ container = arguments[0];
+ for (var eventType in callbackRegistry) {
+ callbackRegistry[eventType] = filterFromRegistry(callbackRegistry[eventType], container);
+ }
+
+ return;
+ }
+
+ var entries = callbackRegistry[event];
+ if (!entries) return;
+
+ callbackRegistry[event] = arguments.length === 1
+ ? null
+ : filterFromRegistry(entries, container, callback);
+ },
+
+ pin: function(element, parentElement) {
+ assertArg(isElement(element), 'element', 'not an element');
+ assertArg(isElement(parentElement), 'parentElement', 'not an element');
+ element.data(NG_ANIMATE_PIN_DATA, parentElement);
+ },
+
+ push: function(element, event, options, domOperation) {
+ options = options || {};
+ options.domOperation = domOperation;
+ return queueAnimation(element, event, options);
+ },
+
+ // this method has four signatures:
+ // () - global getter
+ // (bool) - global setter
+ // (element) - element getter
+ // (element, bool) - element setter
+ enabled: function(element, bool) {
+ var argCount = arguments.length;
+
+ if (argCount === 0) {
+ // () - Global getter
+ bool = !!animationsEnabled;
+ } else {
+ var hasElement = isElement(element);
+
+ if (!hasElement) {
+ // (bool) - Global setter
+ bool = animationsEnabled = !!element;
+ } else {
+ var node = getDomNode(element);
+
+ if (argCount === 1) {
+ // (element) - Element getter
+ bool = !disabledElementsLookup.get(node);
+ } else {
+ // (element, bool) - Element setter
+ disabledElementsLookup.put(node, !bool);
+ }
+ }
+ }
+
+ return bool;
+ }
+ };
+
+ return $animate;
+
+ function queueAnimation(element, event, initialOptions) {
+ // we always make a copy of the options since
+ // there should never be any side effects on
+ // the input data when running `$animateCss`.
+ var options = copy(initialOptions);
+
+ var node, parent;
+ element = stripCommentsFromElement(element);
+ if (element) {
+ node = getDomNode(element);
+ parent = element.parent();
+ }
+
+ options = prepareAnimationOptions(options);
+
+ // we create a fake runner with a working promise.
+ // These methods will become available after the digest has passed
+ var runner = new $$AnimateRunner();
+
+ // this is used to trigger callbacks in postDigest mode
+ var runInNextPostDigestOrNow = postDigestTaskFactory();
+
+ if (isArray(options.addClass)) {
+ options.addClass = options.addClass.join(' ');
+ }
+
+ if (options.addClass && !isString(options.addClass)) {
+ options.addClass = null;
+ }
+
+ if (isArray(options.removeClass)) {
+ options.removeClass = options.removeClass.join(' ');
+ }
+
+ if (options.removeClass && !isString(options.removeClass)) {
+ options.removeClass = null;
+ }
+
+ if (options.from && !isObject(options.from)) {
+ options.from = null;
+ }
+
+ if (options.to && !isObject(options.to)) {
+ options.to = null;
+ }
+
+ // there are situations where a directive issues an animation for
+ // a jqLite wrapper that contains only comment nodes... If this
+ // happens then there is no way we can perform an animation
+ if (!node) {
+ close();
+ return runner;
+ }
+
+ var className = [node.className, options.addClass, options.removeClass].join(' ');
+ if (!isAnimatableClassName(className)) {
+ close();
+ return runner;
+ }
+
+ var isStructural = ['enter', 'move', 'leave'].indexOf(event) >= 0;
+
+ var documentHidden = $document[0].hidden;
+
+ // this is a hard disable of all animations for the application or on
+ // the element itself, therefore there is no need to continue further
+ // past this point if not enabled
+ // Animations are also disabled if the document is currently hidden (page is not visible
+ // to the user), because browsers slow down or do not flush calls to requestAnimationFrame
+ var skipAnimations = !animationsEnabled || documentHidden || disabledElementsLookup.get(node);
+ var existingAnimation = (!skipAnimations && activeAnimationsLookup.get(node)) || {};
+ var hasExistingAnimation = !!existingAnimation.state;
+
+ // there is no point in traversing the same collection of parent ancestors if a followup
+ // animation will be run on the same element that already did all that checking work
+ if (!skipAnimations && (!hasExistingAnimation || existingAnimation.state !== PRE_DIGEST_STATE)) {
+ skipAnimations = !areAnimationsAllowed(element, parent, event);
+ }
+
+ if (skipAnimations) {
+ // Callbacks should fire even if the document is hidden (regression fix for issue #14120)
+ if (documentHidden) notifyProgress(runner, event, 'start');
+ close();
+ if (documentHidden) notifyProgress(runner, event, 'close');
+ return runner;
+ }
+
+ if (isStructural) {
+ closeChildAnimations(element);
+ }
+
+ var newAnimation = {
+ structural: isStructural,
+ element: element,
+ event: event,
+ addClass: options.addClass,
+ removeClass: options.removeClass,
+ close: close,
+ options: options,
+ runner: runner
+ };
+
+ if (hasExistingAnimation) {
+ var skipAnimationFlag = isAllowed('skip', element, newAnimation, existingAnimation);
+ if (skipAnimationFlag) {
+ if (existingAnimation.state === RUNNING_STATE) {
+ close();
+ return runner;
+ } else {
+ mergeAnimationDetails(element, existingAnimation, newAnimation);
+ return existingAnimation.runner;
+ }
+ }
+ var cancelAnimationFlag = isAllowed('cancel', element, newAnimation, existingAnimation);
+ if (cancelAnimationFlag) {
+ if (existingAnimation.state === RUNNING_STATE) {
+ // this will end the animation right away and it is safe
+ // to do so since the animation is already running and the
+ // runner callback code will run in async
+ existingAnimation.runner.end();
+ } else if (existingAnimation.structural) {
+ // this means that the animation is queued into a digest, but
+ // hasn't started yet. Therefore it is safe to run the close
+ // method which will call the runner methods in async.
+ existingAnimation.close();
+ } else {
+ // this will merge the new animation options into existing animation options
+ mergeAnimationDetails(element, existingAnimation, newAnimation);
+
+ return existingAnimation.runner;
+ }
+ } else {
+ // a joined animation means that this animation will take over the existing one
+ // so an example would involve a leave animation taking over an enter. Then when
+ // the postDigest kicks in the enter will be ignored.
+ var joinAnimationFlag = isAllowed('join', element, newAnimation, existingAnimation);
+ if (joinAnimationFlag) {
+ if (existingAnimation.state === RUNNING_STATE) {
+ normalizeAnimationDetails(element, newAnimation);
+ } else {
+ applyGeneratedPreparationClasses(element, isStructural ? event : null, options);
+
+ event = newAnimation.event = existingAnimation.event;
+ options = mergeAnimationDetails(element, existingAnimation, newAnimation);
+
+ //we return the same runner since only the option values of this animation will
+ //be fed into the `existingAnimation`.
+ return existingAnimation.runner;
+ }
+ }
+ }
+ } else {
+ // normalization in this case means that it removes redundant CSS classes that
+ // already exist (addClass) or do not exist (removeClass) on the element
+ normalizeAnimationDetails(element, newAnimation);
+ }
+
+ // when the options are merged and cleaned up we may end up not having to do
+ // an animation at all, therefore we should check this before issuing a post
+ // digest callback. Structural animations will always run no matter what.
+ var isValidAnimation = newAnimation.structural;
+ if (!isValidAnimation) {
+ // animate (from/to) can be quickly checked first, otherwise we check if any classes are present
+ isValidAnimation = (newAnimation.event === 'animate' && Object.keys(newAnimation.options.to || {}).length > 0)
+ || hasAnimationClasses(newAnimation);
+ }
+
+ if (!isValidAnimation) {
+ close();
+ clearElementAnimationState(element);
+ return runner;
+ }
+
+ // the counter keeps track of cancelled animations
+ var counter = (existingAnimation.counter || 0) + 1;
+ newAnimation.counter = counter;
+
+ markElementAnimationState(element, PRE_DIGEST_STATE, newAnimation);
+
+ $rootScope.$$postDigest(function() {
+ var animationDetails = activeAnimationsLookup.get(node);
+ var animationCancelled = !animationDetails;
+ animationDetails = animationDetails || {};
+
+ // if addClass/removeClass is called before something like enter then the
+ // registered parent element may not be present. The code below will ensure
+ // that a final value for parent element is obtained
+ var parentElement = element.parent() || [];
+
+ // animate/structural/class-based animations all have requirements. Otherwise there
+ // is no point in performing an animation. The parent node must also be set.
+ var isValidAnimation = parentElement.length > 0
+ && (animationDetails.event === 'animate'
+ || animationDetails.structural
+ || hasAnimationClasses(animationDetails));
+
+ // this means that the previous animation was cancelled
+ // even if the follow-up animation is the same event
+ if (animationCancelled || animationDetails.counter !== counter || !isValidAnimation) {
+ // if another animation did not take over then we need
+ // to make sure that the domOperation and options are
+ // handled accordingly
+ if (animationCancelled) {
+ applyAnimationClasses(element, options);
+ applyAnimationStyles(element, options);
+ }
+
+ // if the event changed from something like enter to leave then we do
+ // it, otherwise if it's the same then the end result will be the same too
+ if (animationCancelled || (isStructural && animationDetails.event !== event)) {
+ options.domOperation();
+ runner.end();
+ }
+
+ // in the event that the element animation was not cancelled or a follow-up animation
+ // isn't allowed to animate from here then we need to clear the state of the element
+ // so that any future animations won't read the expired animation data.
+ if (!isValidAnimation) {
+ clearElementAnimationState(element);
+ }
+
+ return;
+ }
+
+ // this combined multiple class to addClass / removeClass into a setClass event
+ // so long as a structural event did not take over the animation
+ event = !animationDetails.structural && hasAnimationClasses(animationDetails, true)
+ ? 'setClass'
+ : animationDetails.event;
+
+ markElementAnimationState(element, RUNNING_STATE);
+ var realRunner = $$animation(element, event, animationDetails.options);
+
+ // this will update the runner's flow-control events based on
+ // the `realRunner` object.
+ runner.setHost(realRunner);
+ notifyProgress(runner, event, 'start', {});
+
+ realRunner.done(function(status) {
+ close(!status);
+ var animationDetails = activeAnimationsLookup.get(node);
+ if (animationDetails && animationDetails.counter === counter) {
+ clearElementAnimationState(getDomNode(element));
+ }
+ notifyProgress(runner, event, 'close', {});
+ });
+ });
+
+ return runner;
+
+ function notifyProgress(runner, event, phase, data) {
+ runInNextPostDigestOrNow(function() {
+ var callbacks = findCallbacks(parent, element, event);
+ if (callbacks.length) {
+ // do not optimize this call here to RAF because
+ // we don't know how heavy the callback code here will
+ // be and if this code is buffered then this can
+ // lead to a performance regression.
+ $$rAF(function() {
+ forEach(callbacks, function(callback) {
+ callback(element, phase, data);
+ });
+ cleanupEventListeners(phase, element);
+ });
+ } else {
+ cleanupEventListeners(phase, element);
+ }
+ });
+ runner.progress(event, phase, data);
+ }
+
+ function close(reject) {
+ clearGeneratedClasses(element, options);
+ applyAnimationClasses(element, options);
+ applyAnimationStyles(element, options);
+ options.domOperation();
+ runner.complete(!reject);
+ }
+ }
+
+ function closeChildAnimations(element) {
+ var node = getDomNode(element);
+ var children = node.querySelectorAll('[' + NG_ANIMATE_ATTR_NAME + ']');
+ forEach(children, function(child) {
+ var state = parseInt(child.getAttribute(NG_ANIMATE_ATTR_NAME), 10);
+ var animationDetails = activeAnimationsLookup.get(child);
+ if (animationDetails) {
+ switch (state) {
+ case RUNNING_STATE:
+ animationDetails.runner.end();
+ /* falls through */
+ case PRE_DIGEST_STATE:
+ activeAnimationsLookup.remove(child);
+ break;
+ }
+ }
+ });
+ }
+
+ function clearElementAnimationState(element) {
+ var node = getDomNode(element);
+ node.removeAttribute(NG_ANIMATE_ATTR_NAME);
+ activeAnimationsLookup.remove(node);
+ }
+
+ function isMatchingElement(nodeOrElmA, nodeOrElmB) {
+ return getDomNode(nodeOrElmA) === getDomNode(nodeOrElmB);
+ }
+
+ /**
+ * This fn returns false if any of the following is true:
+ * a) animations on any parent element are disabled, and animations on the element aren't explicitly allowed
+ * b) a parent element has an ongoing structural animation, and animateChildren is false
+ * c) the element is not a child of the body
+ * d) the element is not a child of the $rootElement
+ */
+ function areAnimationsAllowed(element, parentElement, event) {
+ var bodyElement = jqLite($document[0].body);
+ var bodyElementDetected = isMatchingElement(element, bodyElement) || element[0].nodeName === 'HTML';
+ var rootElementDetected = isMatchingElement(element, $rootElement);
+ var parentAnimationDetected = false;
+ var animateChildren;
+ var elementDisabled = disabledElementsLookup.get(getDomNode(element));
+
+ var parentHost = jqLite.data(element[0], NG_ANIMATE_PIN_DATA);
+ if (parentHost) {
+ parentElement = parentHost;
+ }
+
+ parentElement = getDomNode(parentElement);
+
+ while (parentElement) {
+ if (!rootElementDetected) {
+ // angular doesn't want to attempt to animate elements outside of the application
+ // therefore we need to ensure that the rootElement is an ancestor of the current element
+ rootElementDetected = isMatchingElement(parentElement, $rootElement);
+ }
+
+ if (parentElement.nodeType !== ELEMENT_NODE) {
+ // no point in inspecting the #document element
+ break;
+ }
+
+ var details = activeAnimationsLookup.get(parentElement) || {};
+ // either an enter, leave or move animation will commence
+ // therefore we can't allow any animations to take place
+ // but if a parent animation is class-based then that's ok
+ if (!parentAnimationDetected) {
+ var parentElementDisabled = disabledElementsLookup.get(parentElement);
+
+ if (parentElementDisabled === true && elementDisabled !== false) {
+ // disable animations if the user hasn't explicitly enabled animations on the
+ // current element
+ elementDisabled = true;
+ // element is disabled via parent element, no need to check anything else
+ break;
+ } else if (parentElementDisabled === false) {
+ elementDisabled = false;
+ }
+ parentAnimationDetected = details.structural;
+ }
+
+ if (isUndefined(animateChildren) || animateChildren === true) {
+ var value = jqLite.data(parentElement, NG_ANIMATE_CHILDREN_DATA);
+ if (isDefined(value)) {
+ animateChildren = value;
+ }
+ }
+
+ // there is no need to continue traversing at this point
+ if (parentAnimationDetected && animateChildren === false) break;
+
+ if (!bodyElementDetected) {
+ // we also need to ensure that the element is or will be a part of the body element
+ // otherwise it is pointless to even issue an animation to be rendered
+ bodyElementDetected = isMatchingElement(parentElement, bodyElement);
+ }
+
+ if (bodyElementDetected && rootElementDetected) {
+ // If both body and root have been found, any other checks are pointless,
+ // as no animation data should live outside the application
+ break;
+ }
+
+ if (!rootElementDetected) {
+ // If no rootElement is detected, check if the parentElement is pinned to another element
+ parentHost = jqLite.data(parentElement, NG_ANIMATE_PIN_DATA);
+ if (parentHost) {
+ // The pin target element becomes the next parent element
+ parentElement = getDomNode(parentHost);
+ continue;
+ }
+ }
+
+ parentElement = parentElement.parentNode;
+ }
+
+ var allowAnimation = (!parentAnimationDetected || animateChildren) && elementDisabled !== true;
+ return allowAnimation && rootElementDetected && bodyElementDetected;
+ }
+
+ function markElementAnimationState(element, state, details) {
+ details = details || {};
+ details.state = state;
+
+ var node = getDomNode(element);
+ node.setAttribute(NG_ANIMATE_ATTR_NAME, state);
+
+ var oldValue = activeAnimationsLookup.get(node);
+ var newValue = oldValue
+ ? extend(oldValue, details)
+ : details;
+ activeAnimationsLookup.put(node, newValue);
+ }
+ }];
+}];
+
+/* exported $$AnimationProvider */
+
+var $$AnimationProvider = ['$animateProvider', /** @this */ function($animateProvider) {
+ var NG_ANIMATE_REF_ATTR = 'ng-animate-ref';
+
+ var drivers = this.drivers = [];
+
+ var RUNNER_STORAGE_KEY = '$$animationRunner';
+
+ function setRunner(element, runner) {
+ element.data(RUNNER_STORAGE_KEY, runner);
+ }
+
+ function removeRunner(element) {
+ element.removeData(RUNNER_STORAGE_KEY);
+ }
+
+ function getRunner(element) {
+ return element.data(RUNNER_STORAGE_KEY);
+ }
+
+ this.$get = ['$$jqLite', '$rootScope', '$injector', '$$AnimateRunner', '$$HashMap', '$$rAFScheduler',
+ function($$jqLite, $rootScope, $injector, $$AnimateRunner, $$HashMap, $$rAFScheduler) {
+
+ var animationQueue = [];
+ var applyAnimationClasses = applyAnimationClassesFactory($$jqLite);
+
+ function sortAnimations(animations) {
+ var tree = { children: [] };
+ var i, lookup = new $$HashMap();
+
+ // this is done first beforehand so that the hashmap
+ // is filled with a list of the elements that will be animated
+ for (i = 0; i < animations.length; i++) {
+ var animation = animations[i];
+ lookup.put(animation.domNode, animations[i] = {
+ domNode: animation.domNode,
+ fn: animation.fn,
+ children: []
+ });
+ }
+
+ for (i = 0; i < animations.length; i++) {
+ processNode(animations[i]);
+ }
+
+ return flatten(tree);
+
+ function processNode(entry) {
+ if (entry.processed) return entry;
+ entry.processed = true;
+
+ var elementNode = entry.domNode;
+ var parentNode = elementNode.parentNode;
+ lookup.put(elementNode, entry);
+
+ var parentEntry;
+ while (parentNode) {
+ parentEntry = lookup.get(parentNode);
+ if (parentEntry) {
+ if (!parentEntry.processed) {
+ parentEntry = processNode(parentEntry);
+ }
+ break;
+ }
+ parentNode = parentNode.parentNode;
+ }
+
+ (parentEntry || tree).children.push(entry);
+ return entry;
+ }
+
+ function flatten(tree) {
+ var result = [];
+ var queue = [];
+ var i;
+
+ for (i = 0; i < tree.children.length; i++) {
+ queue.push(tree.children[i]);
+ }
+
+ var remainingLevelEntries = queue.length;
+ var nextLevelEntries = 0;
+ var row = [];
+
+ for (i = 0; i < queue.length; i++) {
+ var entry = queue[i];
+ if (remainingLevelEntries <= 0) {
+ remainingLevelEntries = nextLevelEntries;
+ nextLevelEntries = 0;
+ result.push(row);
+ row = [];
+ }
+ row.push(entry.fn);
+ entry.children.forEach(function(childEntry) {
+ nextLevelEntries++;
+ queue.push(childEntry);
+ });
+ remainingLevelEntries--;
+ }
+
+ if (row.length) {
+ result.push(row);
+ }
+
+ return result;
+ }
+ }
+
+ // TODO(matsko): document the signature in a better way
+ return function(element, event, options) {
+ options = prepareAnimationOptions(options);
+ var isStructural = ['enter', 'move', 'leave'].indexOf(event) >= 0;
+
+ // there is no animation at the current moment, however
+ // these runner methods will get later updated with the
+ // methods leading into the driver's end/cancel methods
+ // for now they just stop the animation from starting
+ var runner = new $$AnimateRunner({
+ end: function() { close(); },
+ cancel: function() { close(true); }
+ });
+
+ if (!drivers.length) {
+ close();
+ return runner;
+ }
+
+ setRunner(element, runner);
+
+ var classes = mergeClasses(element.attr('class'), mergeClasses(options.addClass, options.removeClass));
+ var tempClasses = options.tempClasses;
+ if (tempClasses) {
+ classes += ' ' + tempClasses;
+ options.tempClasses = null;
+ }
+
+ var prepareClassName;
+ if (isStructural) {
+ prepareClassName = 'ng-' + event + PREPARE_CLASS_SUFFIX;
+ $$jqLite.addClass(element, prepareClassName);
+ }
+
+ animationQueue.push({
+ // this data is used by the postDigest code and passed into
+ // the driver step function
+ element: element,
+ classes: classes,
+ event: event,
+ structural: isStructural,
+ options: options,
+ beforeStart: beforeStart,
+ close: close
+ });
+
+ element.on('$destroy', handleDestroyedElement);
+
+ // we only want there to be one function called within the post digest
+ // block. This way we can group animations for all the animations that
+ // were apart of the same postDigest flush call.
+ if (animationQueue.length > 1) return runner;
+
+ $rootScope.$$postDigest(function() {
+ var animations = [];
+ forEach(animationQueue, function(entry) {
+ // the element was destroyed early on which removed the runner
+ // form its storage. This means we can't animate this element
+ // at all and it already has been closed due to destruction.
+ if (getRunner(entry.element)) {
+ animations.push(entry);
+ } else {
+ entry.close();
+ }
+ });
+
+ // now any future animations will be in another postDigest
+ animationQueue.length = 0;
+
+ var groupedAnimations = groupAnimations(animations);
+ var toBeSortedAnimations = [];
+
+ forEach(groupedAnimations, function(animationEntry) {
+ toBeSortedAnimations.push({
+ domNode: getDomNode(animationEntry.from ? animationEntry.from.element : animationEntry.element),
+ fn: function triggerAnimationStart() {
+ // it's important that we apply the `ng-animate` CSS class and the
+ // temporary classes before we do any driver invoking since these
+ // CSS classes may be required for proper CSS detection.
+ animationEntry.beforeStart();
+
+ var startAnimationFn, closeFn = animationEntry.close;
+
+ // in the event that the element was removed before the digest runs or
+ // during the RAF sequencing then we should not trigger the animation.
+ var targetElement = animationEntry.anchors
+ ? (animationEntry.from.element || animationEntry.to.element)
+ : animationEntry.element;
+
+ if (getRunner(targetElement)) {
+ var operation = invokeFirstDriver(animationEntry);
+ if (operation) {
+ startAnimationFn = operation.start;
+ }
+ }
+
+ if (!startAnimationFn) {
+ closeFn();
+ } else {
+ var animationRunner = startAnimationFn();
+ animationRunner.done(function(status) {
+ closeFn(!status);
+ });
+ updateAnimationRunners(animationEntry, animationRunner);
+ }
+ }
+ });
+ });
+
+ // we need to sort each of the animations in order of parent to child
+ // relationships. This ensures that the child classes are applied at the
+ // right time.
+ $$rAFScheduler(sortAnimations(toBeSortedAnimations));
+ });
+
+ return runner;
+
+ // TODO(matsko): change to reference nodes
+ function getAnchorNodes(node) {
+ var SELECTOR = '[' + NG_ANIMATE_REF_ATTR + ']';
+ var items = node.hasAttribute(NG_ANIMATE_REF_ATTR)
+ ? [node]
+ : node.querySelectorAll(SELECTOR);
+ var anchors = [];
+ forEach(items, function(node) {
+ var attr = node.getAttribute(NG_ANIMATE_REF_ATTR);
+ if (attr && attr.length) {
+ anchors.push(node);
+ }
+ });
+ return anchors;
+ }
+
+ function groupAnimations(animations) {
+ var preparedAnimations = [];
+ var refLookup = {};
+ forEach(animations, function(animation, index) {
+ var element = animation.element;
+ var node = getDomNode(element);
+ var event = animation.event;
+ var enterOrMove = ['enter', 'move'].indexOf(event) >= 0;
+ var anchorNodes = animation.structural ? getAnchorNodes(node) : [];
+
+ if (anchorNodes.length) {
+ var direction = enterOrMove ? 'to' : 'from';
+
+ forEach(anchorNodes, function(anchor) {
+ var key = anchor.getAttribute(NG_ANIMATE_REF_ATTR);
+ refLookup[key] = refLookup[key] || {};
+ refLookup[key][direction] = {
+ animationID: index,
+ element: jqLite(anchor)
+ };
+ });
+ } else {
+ preparedAnimations.push(animation);
+ }
+ });
+
+ var usedIndicesLookup = {};
+ var anchorGroups = {};
+ forEach(refLookup, function(operations, key) {
+ var from = operations.from;
+ var to = operations.to;
+
+ if (!from || !to) {
+ // only one of these is set therefore we can't have an
+ // anchor animation since all three pieces are required
+ var index = from ? from.animationID : to.animationID;
+ var indexKey = index.toString();
+ if (!usedIndicesLookup[indexKey]) {
+ usedIndicesLookup[indexKey] = true;
+ preparedAnimations.push(animations[index]);
+ }
+ return;
+ }
+
+ var fromAnimation = animations[from.animationID];
+ var toAnimation = animations[to.animationID];
+ var lookupKey = from.animationID.toString();
+ if (!anchorGroups[lookupKey]) {
+ var group = anchorGroups[lookupKey] = {
+ structural: true,
+ beforeStart: function() {
+ fromAnimation.beforeStart();
+ toAnimation.beforeStart();
+ },
+ close: function() {
+ fromAnimation.close();
+ toAnimation.close();
+ },
+ classes: cssClassesIntersection(fromAnimation.classes, toAnimation.classes),
+ from: fromAnimation,
+ to: toAnimation,
+ anchors: [] // TODO(matsko): change to reference nodes
+ };
+
+ // the anchor animations require that the from and to elements both have at least
+ // one shared CSS class which effectively marries the two elements together to use
+ // the same animation driver and to properly sequence the anchor animation.
+ if (group.classes.length) {
+ preparedAnimations.push(group);
+ } else {
+ preparedAnimations.push(fromAnimation);
+ preparedAnimations.push(toAnimation);
+ }
+ }
+
+ anchorGroups[lookupKey].anchors.push({
+ 'out': from.element, 'in': to.element
+ });
+ });
+
+ return preparedAnimations;
+ }
+
+ function cssClassesIntersection(a,b) {
+ a = a.split(' ');
+ b = b.split(' ');
+ var matches = [];
+
+ for (var i = 0; i < a.length; i++) {
+ var aa = a[i];
+ if (aa.substring(0,3) === 'ng-') continue;
+
+ for (var j = 0; j < b.length; j++) {
+ if (aa === b[j]) {
+ matches.push(aa);
+ break;
+ }
+ }
+ }
+
+ return matches.join(' ');
+ }
+
+ function invokeFirstDriver(animationDetails) {
+ // we loop in reverse order since the more general drivers (like CSS and JS)
+ // may attempt more elements, but custom drivers are more particular
+ for (var i = drivers.length - 1; i >= 0; i--) {
+ var driverName = drivers[i];
+ var factory = $injector.get(driverName);
+ var driver = factory(animationDetails);
+ if (driver) {
+ return driver;
+ }
+ }
+ }
+
+ function beforeStart() {
+ element.addClass(NG_ANIMATE_CLASSNAME);
+ if (tempClasses) {
+ $$jqLite.addClass(element, tempClasses);
+ }
+ if (prepareClassName) {
+ $$jqLite.removeClass(element, prepareClassName);
+ prepareClassName = null;
+ }
+ }
+
+ function updateAnimationRunners(animation, newRunner) {
+ if (animation.from && animation.to) {
+ update(animation.from.element);
+ update(animation.to.element);
+ } else {
+ update(animation.element);
+ }
+
+ function update(element) {
+ var runner = getRunner(element);
+ if (runner) runner.setHost(newRunner);
+ }
+ }
+
+ function handleDestroyedElement() {
+ var runner = getRunner(element);
+ if (runner && (event !== 'leave' || !options.$$domOperationFired)) {
+ runner.end();
+ }
+ }
+
+ function close(rejected) {
+ element.off('$destroy', handleDestroyedElement);
+ removeRunner(element);
+
+ applyAnimationClasses(element, options);
+ applyAnimationStyles(element, options);
+ options.domOperation();
+
+ if (tempClasses) {
+ $$jqLite.removeClass(element, tempClasses);
+ }
+
+ element.removeClass(NG_ANIMATE_CLASSNAME);
+ runner.complete(!rejected);
+ }
+ };
+ }];
+}];
+
+/**
+ * @ngdoc directive
+ * @name ngAnimateSwap
+ * @restrict A
+ * @scope
+ *
+ * @description
+ *
+ * ngAnimateSwap is a animation-oriented directive that allows for the container to
+ * be removed and entered in whenever the associated expression changes. A
+ * common usecase for this directive is a rotating banner or slider component which
+ * contains one image being present at a time. When the active image changes
+ * then the old image will perform a `leave` animation and the new element
+ * will be inserted via an `enter` animation.
+ *
+ * @animations
+ * | Animation | Occurs |
+ * |----------------------------------|--------------------------------------|
+ * | {@link ng.$animate#enter enter} | when the new element is inserted to the DOM |
+ * | {@link ng.$animate#leave leave} | when the old element is removed from the DOM |
+ *
+ * @example
+ *
+ *
+ *
+ *
+ * {{ number }}
+ *
+ *
+ *
+ *
+ * angular.module('ngAnimateSwapExample', ['ngAnimate'])
+ * .controller('AppCtrl', ['$scope', '$interval', function($scope, $interval) {
+ * $scope.number = 0;
+ * $interval(function() {
+ * $scope.number++;
+ * }, 1000);
+ *
+ * var colors = ['red','blue','green','yellow','orange'];
+ * $scope.colorClass = function(number) {
+ * return colors[number % colors.length];
+ * };
+ * }]);
+ *
+ *
+ * .container {
+ * height:250px;
+ * width:250px;
+ * position:relative;
+ * overflow:hidden;
+ * border:2px solid black;
+ * }
+ * .container .cell {
+ * font-size:150px;
+ * text-align:center;
+ * line-height:250px;
+ * position:absolute;
+ * top:0;
+ * left:0;
+ * right:0;
+ * border-bottom:2px solid black;
+ * }
+ * .swap-animation.ng-enter, .swap-animation.ng-leave {
+ * transition:0.5s linear all;
+ * }
+ * .swap-animation.ng-enter {
+ * top:-250px;
+ * }
+ * .swap-animation.ng-enter-active {
+ * top:0px;
+ * }
+ * .swap-animation.ng-leave {
+ * top:0px;
+ * }
+ * .swap-animation.ng-leave-active {
+ * top:250px;
+ * }
+ * .red { background:red; }
+ * .green { background:green; }
+ * .blue { background:blue; }
+ * .yellow { background:yellow; }
+ * .orange { background:orange; }
+ *
+ *
+ */
+var ngAnimateSwapDirective = ['$animate', '$rootScope', function($animate, $rootScope) {
+ return {
+ restrict: 'A',
+ transclude: 'element',
+ terminal: true,
+ priority: 600, // we use 600 here to ensure that the directive is caught before others
+ link: function(scope, $element, attrs, ctrl, $transclude) {
+ var previousElement, previousScope;
+ scope.$watchCollection(attrs.ngAnimateSwap || attrs['for'], function(value) {
+ if (previousElement) {
+ $animate.leave(previousElement);
+ }
+ if (previousScope) {
+ previousScope.$destroy();
+ previousScope = null;
+ }
+ if (value || value === 0) {
+ previousScope = scope.$new();
+ $transclude(previousScope, function(element) {
+ previousElement = element;
+ $animate.enter(element, null, $element);
+ });
+ }
+ });
+ }
+ };
+}];
+
+/**
+ * @ngdoc module
+ * @name ngAnimate
+ * @description
+ *
+ * The `ngAnimate` module provides support for CSS-based animations (keyframes and transitions) as well as JavaScript-based animations via
+ * callback hooks. Animations are not enabled by default, however, by including `ngAnimate` the animation hooks are enabled for an Angular app.
+ *
+ *
+ *
+ * # Usage
+ * Simply put, there are two ways to make use of animations when ngAnimate is used: by using **CSS** and **JavaScript**. The former works purely based
+ * using CSS (by using matching CSS selectors/styles) and the latter triggers animations that are registered via `module.animation()`. For
+ * both CSS and JS animations the sole requirement is to have a matching `CSS class` that exists both in the registered animation and within
+ * the HTML element that the animation will be triggered on.
+ *
+ * ## Directive Support
+ * The following directives are "animation aware":
+ *
+ * | Directive | Supported Animations |
+ * |----------------------------------------------------------------------------------------------------------|--------------------------------------------------------------------------|
+ * | {@link ng.directive:ngRepeat#animations ngRepeat} | enter, leave and move |
+ * | {@link ngRoute.directive:ngView#animations ngView} | enter and leave |
+ * | {@link ng.directive:ngInclude#animations ngInclude} | enter and leave |
+ * | {@link ng.directive:ngSwitch#animations ngSwitch} | enter and leave |
+ * | {@link ng.directive:ngIf#animations ngIf} | enter and leave |
+ * | {@link ng.directive:ngClass#animations ngClass} | add and remove (the CSS class(es) present) |
+ * | {@link ng.directive:ngShow#animations ngShow} & {@link ng.directive:ngHide#animations ngHide} | add and remove (the ng-hide class value) |
+ * | {@link ng.directive:form#animation-hooks form} & {@link ng.directive:ngModel#animation-hooks ngModel} | add and remove (dirty, pristine, valid, invalid & all other validations) |
+ * | {@link module:ngMessages#animations ngMessages} | add and remove (ng-active & ng-inactive) |
+ * | {@link module:ngMessages#animations ngMessage} | enter and leave |
+ *
+ * (More information can be found by visiting each the documentation associated with each directive.)
+ *
+ * ## CSS-based Animations
+ *
+ * CSS-based animations with ngAnimate are unique since they require no JavaScript code at all. By using a CSS class that we reference between our HTML
+ * and CSS code we can create an animation that will be picked up by Angular when an underlying directive performs an operation.
+ *
+ * The example below shows how an `enter` animation can be made possible on an element using `ng-if`:
+ *
+ * ```html
+ *
+ * Fade me in out
+ *
+ *
+ *
+ * ```
+ *
+ * Notice the CSS class **fade**? We can now create the CSS transition code that references this class:
+ *
+ * ```css
+ * /* The starting CSS styles for the enter animation */
+ * .fade.ng-enter {
+ * transition:0.5s linear all;
+ * opacity:0;
+ * }
+ *
+ * /* The finishing CSS styles for the enter animation */
+ * .fade.ng-enter.ng-enter-active {
+ * opacity:1;
+ * }
+ * ```
+ *
+ * The key thing to remember here is that, depending on the animation event (which each of the directives above trigger depending on what's going on) two
+ * generated CSS classes will be applied to the element; in the example above we have `.ng-enter` and `.ng-enter-active`. For CSS transitions, the transition
+ * code **must** be defined within the starting CSS class (in this case `.ng-enter`). The destination class is what the transition will animate towards.
+ *
+ * If for example we wanted to create animations for `leave` and `move` (ngRepeat triggers move) then we can do so using the same CSS naming conventions:
+ *
+ * ```css
+ * /* now the element will fade out before it is removed from the DOM */
+ * .fade.ng-leave {
+ * transition:0.5s linear all;
+ * opacity:1;
+ * }
+ * .fade.ng-leave.ng-leave-active {
+ * opacity:0;
+ * }
+ * ```
+ *
+ * We can also make use of **CSS Keyframes** by referencing the keyframe animation within the starting CSS class:
+ *
+ * ```css
+ * /* there is no need to define anything inside of the destination
+ * CSS class since the keyframe will take charge of the animation */
+ * .fade.ng-leave {
+ * animation: my_fade_animation 0.5s linear;
+ * -webkit-animation: my_fade_animation 0.5s linear;
+ * }
+ *
+ * @keyframes my_fade_animation {
+ * from { opacity:1; }
+ * to { opacity:0; }
+ * }
+ *
+ * @-webkit-keyframes my_fade_animation {
+ * from { opacity:1; }
+ * to { opacity:0; }
+ * }
+ * ```
+ *
+ * Feel free also mix transitions and keyframes together as well as any other CSS classes on the same element.
+ *
+ * ### CSS Class-based Animations
+ *
+ * Class-based animations (animations that are triggered via `ngClass`, `ngShow`, `ngHide` and some other directives) have a slightly different
+ * naming convention. Class-based animations are basic enough that a standard transition or keyframe can be referenced on the class being added
+ * and removed.
+ *
+ * For example if we wanted to do a CSS animation for `ngHide` then we place an animation on the `.ng-hide` CSS class:
+ *
+ * ```html
+ *
+ * Show and hide me
+ *
+ *
+ *
+ *
+ * ```
+ *
+ * All that is going on here with ngShow/ngHide behind the scenes is the `.ng-hide` class is added/removed (when the hidden state is valid). Since
+ * ngShow and ngHide are animation aware then we can match up a transition and ngAnimate handles the rest.
+ *
+ * In addition the addition and removal of the CSS class, ngAnimate also provides two helper methods that we can use to further decorate the animation
+ * with CSS styles.
+ *
+ * ```html
+ *
+ * Highlight this box
+ *
+ *
+ *
+ *
+ * ```
+ *
+ * We can also make use of CSS keyframes by placing them within the CSS classes.
+ *
+ *
+ * ### CSS Staggering Animations
+ * A Staggering animation is a collection of animations that are issued with a slight delay in between each successive operation resulting in a
+ * curtain-like effect. The ngAnimate module (versions >=1.2) supports staggering animations and the stagger effect can be
+ * performed by creating a **ng-EVENT-stagger** CSS class and attaching that class to the base CSS class used for
+ * the animation. The style property expected within the stagger class can either be a **transition-delay** or an
+ * **animation-delay** property (or both if your animation contains both transitions and keyframe animations).
+ *
+ * ```css
+ * .my-animation.ng-enter {
+ * /* standard transition code */
+ * transition: 1s linear all;
+ * opacity:0;
+ * }
+ * .my-animation.ng-enter-stagger {
+ * /* this will have a 100ms delay between each successive leave animation */
+ * transition-delay: 0.1s;
+ *
+ * /* As of 1.4.4, this must always be set: it signals ngAnimate
+ * to not accidentally inherit a delay property from another CSS class */
+ * transition-duration: 0s;
+ * }
+ * .my-animation.ng-enter.ng-enter-active {
+ * /* standard transition styles */
+ * opacity:1;
+ * }
+ * ```
+ *
+ * Staggering animations work by default in ngRepeat (so long as the CSS class is defined). Outside of ngRepeat, to use staggering animations
+ * on your own, they can be triggered by firing multiple calls to the same event on $animate. However, the restrictions surrounding this
+ * are that each of the elements must have the same CSS className value as well as the same parent element. A stagger operation
+ * will also be reset if one or more animation frames have passed since the multiple calls to `$animate` were fired.
+ *
+ * The following code will issue the **ng-leave-stagger** event on the element provided:
+ *
+ * ```js
+ * var kids = parent.children();
+ *
+ * $animate.leave(kids[0]); //stagger index=0
+ * $animate.leave(kids[1]); //stagger index=1
+ * $animate.leave(kids[2]); //stagger index=2
+ * $animate.leave(kids[3]); //stagger index=3
+ * $animate.leave(kids[4]); //stagger index=4
+ *
+ * window.requestAnimationFrame(function() {
+ * //stagger has reset itself
+ * $animate.leave(kids[5]); //stagger index=0
+ * $animate.leave(kids[6]); //stagger index=1
+ *
+ * $scope.$digest();
+ * });
+ * ```
+ *
+ * Stagger animations are currently only supported within CSS-defined animations.
+ *
+ * ### The `ng-animate` CSS class
+ *
+ * When ngAnimate is animating an element it will apply the `ng-animate` CSS class to the element for the duration of the animation.
+ * This is a temporary CSS class and it will be removed once the animation is over (for both JavaScript and CSS-based animations).
+ *
+ * Therefore, animations can be applied to an element using this temporary class directly via CSS.
+ *
+ * ```css
+ * .zipper.ng-animate {
+ * transition:0.5s linear all;
+ * }
+ * .zipper.ng-enter {
+ * opacity:0;
+ * }
+ * .zipper.ng-enter.ng-enter-active {
+ * opacity:1;
+ * }
+ * .zipper.ng-leave {
+ * opacity:1;
+ * }
+ * .zipper.ng-leave.ng-leave-active {
+ * opacity:0;
+ * }
+ * ```
+ *
+ * (Note that the `ng-animate` CSS class is reserved and it cannot be applied on an element directly since ngAnimate will always remove
+ * the CSS class once an animation has completed.)
+ *
+ *
+ * ### The `ng-[event]-prepare` class
+ *
+ * This is a special class that can be used to prevent unwanted flickering / flash of content before
+ * the actual animation starts. The class is added as soon as an animation is initialized, but removed
+ * before the actual animation starts (after waiting for a $digest).
+ * It is also only added for *structural* animations (`enter`, `move`, and `leave`).
+ *
+ * In practice, flickering can appear when nesting elements with structural animations such as `ngIf`
+ * into elements that have class-based animations such as `ngClass`.
+ *
+ * ```html
+ *
+ *
+ *
+ *
+ *
+ * ```
+ *
+ * It is possible that during the `enter` animation, the `.message` div will be briefly visible before it starts animating.
+ * In that case, you can add styles to the CSS that make sure the element stays hidden before the animation starts:
+ *
+ * ```css
+ * .message.ng-enter-prepare {
+ * opacity: 0;
+ * }
+ *
+ * ```
+ *
+ * ## JavaScript-based Animations
+ *
+ * ngAnimate also allows for animations to be consumed by JavaScript code. The approach is similar to CSS-based animations (where there is a shared
+ * CSS class that is referenced in our HTML code) but in addition we need to register the JavaScript animation on the module. By making use of the
+ * `module.animation()` module function we can register the animation.
+ *
+ * Let's see an example of a enter/leave animation using `ngRepeat`:
+ *
+ * ```html
+ *
+ * {{ item }}
+ *
+ * ```
+ *
+ * See the **slide** CSS class? Let's use that class to define an animation that we'll structure in our module code by using `module.animation`:
+ *
+ * ```js
+ * myModule.animation('.slide', [function() {
+ * return {
+ * // make note that other events (like addClass/removeClass)
+ * // have different function input parameters
+ * enter: function(element, doneFn) {
+ * jQuery(element).fadeIn(1000, doneFn);
+ *
+ * // remember to call doneFn so that angular
+ * // knows that the animation has concluded
+ * },
+ *
+ * move: function(element, doneFn) {
+ * jQuery(element).fadeIn(1000, doneFn);
+ * },
+ *
+ * leave: function(element, doneFn) {
+ * jQuery(element).fadeOut(1000, doneFn);
+ * }
+ * }
+ * }]);
+ * ```
+ *
+ * The nice thing about JS-based animations is that we can inject other services and make use of advanced animation libraries such as
+ * greensock.js and velocity.js.
+ *
+ * If our animation code class-based (meaning that something like `ngClass`, `ngHide` and `ngShow` triggers it) then we can still define
+ * our animations inside of the same registered animation, however, the function input arguments are a bit different:
+ *
+ * ```html
+ *
+ * this box is moody
+ *
+ *
+ *
+ *
+ * ```
+ *
+ * ```js
+ * myModule.animation('.colorful', [function() {
+ * return {
+ * addClass: function(element, className, doneFn) {
+ * // do some cool animation and call the doneFn
+ * },
+ * removeClass: function(element, className, doneFn) {
+ * // do some cool animation and call the doneFn
+ * },
+ * setClass: function(element, addedClass, removedClass, doneFn) {
+ * // do some cool animation and call the doneFn
+ * }
+ * }
+ * }]);
+ * ```
+ *
+ * ## CSS + JS Animations Together
+ *
+ * AngularJS 1.4 and higher has taken steps to make the amalgamation of CSS and JS animations more flexible. However, unlike earlier versions of Angular,
+ * defining CSS and JS animations to work off of the same CSS class will not work anymore. Therefore the example below will only result in **JS animations taking
+ * charge of the animation**:
+ *
+ * ```html
+ *
+ * Slide in and out
+ *
+ * ```
+ *
+ * ```js
+ * myModule.animation('.slide', [function() {
+ * return {
+ * enter: function(element, doneFn) {
+ * jQuery(element).slideIn(1000, doneFn);
+ * }
+ * }
+ * }]);
+ * ```
+ *
+ * ```css
+ * .slide.ng-enter {
+ * transition:0.5s linear all;
+ * transform:translateY(-100px);
+ * }
+ * .slide.ng-enter.ng-enter-active {
+ * transform:translateY(0);
+ * }
+ * ```
+ *
+ * Does this mean that CSS and JS animations cannot be used together? Do JS-based animations always have higher priority? We can make up for the
+ * lack of CSS animations by using the `$animateCss` service to trigger our own tweaked-out, CSS-based animations directly from
+ * our own JS-based animation code:
+ *
+ * ```js
+ * myModule.animation('.slide', ['$animateCss', function($animateCss) {
+ * return {
+ * enter: function(element) {
+* // this will trigger `.slide.ng-enter` and `.slide.ng-enter-active`.
+ * return $animateCss(element, {
+ * event: 'enter',
+ * structural: true
+ * });
+ * }
+ * }
+ * }]);
+ * ```
+ *
+ * The nice thing here is that we can save bandwidth by sticking to our CSS-based animation code and we don't need to rely on a 3rd-party animation framework.
+ *
+ * The `$animateCss` service is very powerful since we can feed in all kinds of extra properties that will be evaluated and fed into a CSS transition or
+ * keyframe animation. For example if we wanted to animate the height of an element while adding and removing classes then we can do so by providing that
+ * data into `$animateCss` directly:
+ *
+ * ```js
+ * myModule.animation('.slide', ['$animateCss', function($animateCss) {
+ * return {
+ * enter: function(element) {
+ * return $animateCss(element, {
+ * event: 'enter',
+ * structural: true,
+ * addClass: 'maroon-setting',
+ * from: { height:0 },
+ * to: { height: 200 }
+ * });
+ * }
+ * }
+ * }]);
+ * ```
+ *
+ * Now we can fill in the rest via our transition CSS code:
+ *
+ * ```css
+ * /* the transition tells ngAnimate to make the animation happen */
+ * .slide.ng-enter { transition:0.5s linear all; }
+ *
+ * /* this extra CSS class will be absorbed into the transition
+ * since the $animateCss code is adding the class */
+ * .maroon-setting { background:red; }
+ * ```
+ *
+ * And `$animateCss` will figure out the rest. Just make sure to have the `done()` callback fire the `doneFn` function to signal when the animation is over.
+ *
+ * To learn more about what's possible be sure to visit the {@link ngAnimate.$animateCss $animateCss service}.
+ *
+ * ## Animation Anchoring (via `ng-animate-ref`)
+ *
+ * ngAnimate in AngularJS 1.4 comes packed with the ability to cross-animate elements between
+ * structural areas of an application (like views) by pairing up elements using an attribute
+ * called `ng-animate-ref`.
+ *
+ * Let's say for example we have two views that are managed by `ng-view` and we want to show
+ * that there is a relationship between two components situated in within these views. By using the
+ * `ng-animate-ref` attribute we can identify that the two components are paired together and we
+ * can then attach an animation, which is triggered when the view changes.
+ *
+ * Say for example we have the following template code:
+ *
+ * ```html
+ *
+ *
+ *
+ *
+ *
+ *
+ *
+ *
+ *
+ *
+ *
+ * ```
+ *
+ * Now, when the view changes (once the link is clicked), ngAnimate will examine the
+ * HTML contents to see if there is a match reference between any components in the view
+ * that is leaving and the view that is entering. It will scan both the view which is being
+ * removed (leave) and inserted (enter) to see if there are any paired DOM elements that
+ * contain a matching ref value.
+ *
+ * The two images match since they share the same ref value. ngAnimate will now create a
+ * transport element (which is a clone of the first image element) and it will then attempt
+ * to animate to the position of the second image element in the next view. For the animation to
+ * work a special CSS class called `ng-anchor` will be added to the transported element.
+ *
+ * We can now attach a transition onto the `.banner.ng-anchor` CSS class and then
+ * ngAnimate will handle the entire transition for us as well as the addition and removal of
+ * any changes of CSS classes between the elements:
+ *
+ * ```css
+ * .banner.ng-anchor {
+ * /* this animation will last for 1 second since there are
+ * two phases to the animation (an `in` and an `out` phase) */
+ * transition:0.5s linear all;
+ * }
+ * ```
+ *
+ * We also **must** include animations for the views that are being entered and removed
+ * (otherwise anchoring wouldn't be possible since the new view would be inserted right away).
+ *
+ * ```css
+ * .view-animation.ng-enter, .view-animation.ng-leave {
+ * transition:0.5s linear all;
+ * position:fixed;
+ * left:0;
+ * top:0;
+ * width:100%;
+ * }
+ * .view-animation.ng-enter {
+ * transform:translateX(100%);
+ * }
+ * .view-animation.ng-leave,
+ * .view-animation.ng-enter.ng-enter-active {
+ * transform:translateX(0%);
+ * }
+ * .view-animation.ng-leave.ng-leave-active {
+ * transform:translateX(-100%);
+ * }
+ * ```
+ *
+ * Now we can jump back to the anchor animation. When the animation happens, there are two stages that occur:
+ * an `out` and an `in` stage. The `out` stage happens first and that is when the element is animated away
+ * from its origin. Once that animation is over then the `in` stage occurs which animates the
+ * element to its destination. The reason why there are two animations is to give enough time
+ * for the enter animation on the new element to be ready.
+ *
+ * The example above sets up a transition for both the in and out phases, but we can also target the out or
+ * in phases directly via `ng-anchor-out` and `ng-anchor-in`.
+ *
+ * ```css
+ * .banner.ng-anchor-out {
+ * transition: 0.5s linear all;
+ *
+ * /* the scale will be applied during the out animation,
+ * but will be animated away when the in animation runs */
+ * transform: scale(1.2);
+ * }
+ *
+ * .banner.ng-anchor-in {
+ * transition: 1s linear all;
+ * }
+ * ```
+ *
+ *
+ *
+ *
+ * ### Anchoring Demo
+ *
+
+
+ Home
+
+
+
+
+ .record {
+ display:block;
+ font-size:20px;
+ }
+ .profile {
+ background:black;
+ color:white;
+ font-size:100px;
+ }
+ .view-container {
+ position:relative;
+ }
+ .view-container > .view.ng-animate {
+ position:absolute;
+ top:0;
+ left:0;
+ width:100%;
+ min-height:500px;
+ }
+ .view.ng-enter, .view.ng-leave,
+ .record.ng-anchor {
+ transition:0.5s linear all;
+ }
+ .view.ng-enter {
+ transform:translateX(100%);
+ }
+ .view.ng-enter.ng-enter-active, .view.ng-leave {
+ transform:translateX(0%);
+ }
+ .view.ng-leave.ng-leave-active {
+ transform:translateX(-100%);
+ }
+ .record.ng-anchor-out {
+ background:red;
+ }
+
+
+ *
+ * ### How is the element transported?
+ *
+ * When an anchor animation occurs, ngAnimate will clone the starting element and position it exactly where the starting
+ * element is located on screen via absolute positioning. The cloned element will be placed inside of the root element
+ * of the application (where ng-app was defined) and all of the CSS classes of the starting element will be applied. The
+ * element will then animate into the `out` and `in` animations and will eventually reach the coordinates and match
+ * the dimensions of the destination element. During the entire animation a CSS class of `.ng-animate-shim` will be applied
+ * to both the starting and destination elements in order to hide them from being visible (the CSS styling for the class
+ * is: `visibility:hidden`). Once the anchor reaches its destination then it will be removed and the destination element
+ * will become visible since the shim class will be removed.
+ *
+ * ### How is the morphing handled?
+ *
+ * CSS Anchoring relies on transitions and keyframes and the internal code is intelligent enough to figure out
+ * what CSS classes differ between the starting element and the destination element. These different CSS classes
+ * will be added/removed on the anchor element and a transition will be applied (the transition that is provided
+ * in the anchor class). Long story short, ngAnimate will figure out what classes to add and remove which will
+ * make the transition of the element as smooth and automatic as possible. Be sure to use simple CSS classes that
+ * do not rely on DOM nesting structure so that the anchor element appears the same as the starting element (since
+ * the cloned element is placed inside of root element which is likely close to the body element).
+ *
+ * Note that if the root element is on the `` element then the cloned node will be placed inside of body.
+ *
+ *
+ * ## Using $animate in your directive code
+ *
+ * So far we've explored how to feed in animations into an Angular application, but how do we trigger animations within our own directives in our application?
+ * By injecting the `$animate` service into our directive code, we can trigger structural and class-based hooks which can then be consumed by animations. Let's
+ * imagine we have a greeting box that shows and hides itself when the data changes
+ *
+ * ```html
+ * Hi there
+ * ```
+ *
+ * ```js
+ * ngModule.directive('greetingBox', ['$animate', function($animate) {
+ * return function(scope, element, attrs) {
+ * attrs.$observe('active', function(value) {
+ * value ? $animate.addClass(element, 'on') : $animate.removeClass(element, 'on');
+ * });
+ * });
+ * }]);
+ * ```
+ *
+ * Now the `on` CSS class is added and removed on the greeting box component. Now if we add a CSS class on top of the greeting box element
+ * in our HTML code then we can trigger a CSS or JS animation to happen.
+ *
+ * ```css
+ * /* normally we would create a CSS class to reference on the element */
+ * greeting-box.on { transition:0.5s linear all; background:green; color:white; }
+ * ```
+ *
+ * The `$animate` service contains a variety of other methods like `enter`, `leave`, `animate` and `setClass`. To learn more about what's
+ * possible be sure to visit the {@link ng.$animate $animate service API page}.
+ *
+ *
+ * ## Callbacks and Promises
+ *
+ * When `$animate` is called it returns a promise that can be used to capture when the animation has ended. Therefore if we were to trigger
+ * an animation (within our directive code) then we can continue performing directive and scope related activities after the animation has
+ * ended by chaining onto the returned promise that animation method returns.
+ *
+ * ```js
+ * // somewhere within the depths of the directive
+ * $animate.enter(element, parent).then(function() {
+ * //the animation has completed
+ * });
+ * ```
+ *
+ * (Note that earlier versions of Angular prior to v1.4 required the promise code to be wrapped using `$scope.$apply(...)`. This is not the case
+ * anymore.)
+ *
+ * In addition to the animation promise, we can also make use of animation-related callbacks within our directives and controller code by registering
+ * an event listener using the `$animate` service. Let's say for example that an animation was triggered on our view
+ * routing controller to hook into that:
+ *
+ * ```js
+ * ngModule.controller('HomePageController', ['$animate', function($animate) {
+ * $animate.on('enter', ngViewElement, function(element) {
+ * // the animation for this route has completed
+ * }]);
+ * }])
+ * ```
+ *
+ * (Note that you will need to trigger a digest within the callback to get angular to notice any scope-related changes.)
+ */
+
+var copy;
+var extend;
+var forEach;
+var isArray;
+var isDefined;
+var isElement;
+var isFunction;
+var isObject;
+var isString;
+var isUndefined;
+var jqLite;
+var noop;
+
+/**
+ * @ngdoc service
+ * @name $animate
+ * @kind object
+ *
+ * @description
+ * The ngAnimate `$animate` service documentation is the same for the core `$animate` service.
+ *
+ * Click here {@link ng.$animate to learn more about animations with `$animate`}.
+ */
+angular.module('ngAnimate', [], function initAngularHelpers() {
+ // Access helpers from angular core.
+ // Do it inside a `config` block to ensure `window.angular` is available.
+ noop = angular.noop;
+ copy = angular.copy;
+ extend = angular.extend;
+ jqLite = angular.element;
+ forEach = angular.forEach;
+ isArray = angular.isArray;
+ isString = angular.isString;
+ isObject = angular.isObject;
+ isUndefined = angular.isUndefined;
+ isDefined = angular.isDefined;
+ isFunction = angular.isFunction;
+ isElement = angular.isElement;
+})
+ .directive('ngAnimateSwap', ngAnimateSwapDirective)
+
+ .directive('ngAnimateChildren', $$AnimateChildrenDirective)
+ .factory('$$rAFScheduler', $$rAFSchedulerFactory)
+
+ .provider('$$animateQueue', $$AnimateQueueProvider)
+ .provider('$$animation', $$AnimationProvider)
+
+ .provider('$animateCss', $AnimateCssProvider)
+ .provider('$$animateCssDriver', $$AnimateCssDriverProvider)
+
+ .provider('$$animateJs', $$AnimateJsProvider)
+ .provider('$$animateJsDriver', $$AnimateJsDriverProvider);
+
+
+})(window, window.angular);
diff --git a/1.5.11/angular-animate.min.js b/1.5.11/angular-animate.min.js
new file mode 100644
index 0000000000..3733313fc8
--- /dev/null
+++ b/1.5.11/angular-animate.min.js
@@ -0,0 +1,57 @@
+/*
+ AngularJS v1.5.11
+ (c) 2010-2017 Google, Inc. http://angularjs.org
+ License: MIT
+*/
+(function(R,B){'use strict';function Da(a,b,c){if(!a)throw Ma("areq",b||"?",c||"required");return a}function Ea(a,b){if(!a&&!b)return"";if(!a)return b;if(!b)return a;X(a)&&(a=a.join(" "));X(b)&&(b=b.join(" "));return a+" "+b}function Na(a){var b={};a&&(a.to||a.from)&&(b.to=a.to,b.from=a.from);return b}function Y(a,b,c){var d="";a=X(a)?a:a&&G(a)&&a.length?a.split(/\s+/):[];s(a,function(a,l){a&&0=a&&(a=e,e=0,b.push(k),k=[]);k.push(g.fn);g.children.forEach(function(a){e++;c.push(a)});a--}k.length&&b.push(k);return b}(c)}var u=[],C=Z(a);return function(n,Q,t){function H(a){a=
+a.hasAttribute("ng-animate-ref")?[a]:a.querySelectorAll("[ng-animate-ref]");var b=[];s(a,function(a){var c=a.getAttribute("ng-animate-ref");c&&c.length&&b.push(a)});return b}function T(a){var b=[],c={};s(a,function(a,d){var h=y(a.element),e=0<=["enter","move"].indexOf(a.event),h=a.structural?H(h):[];if(h.length){var k=e?"to":"from";s(h,function(a){var b=a.getAttribute("ng-animate-ref");c[b]=c[b]||{};c[b][k]={animationID:d,element:F(a)}})}else b.push(a)});var d={},e={};s(c,function(c,k){var r=c.from,
+p=c.to;if(r&&p){var z=a[r.animationID],g=a[p.animationID],A=r.animationID.toString();if(!e[A]){var n=e[A]={structural:!0,beforeStart:function(){z.beforeStart();g.beforeStart()},close:function(){z.close();g.close()},classes:O(z.classes,g.classes),from:z,to:g,anchors:[]};n.classes.length?b.push(n):(b.push(z),b.push(g))}e[A].anchors.push({out:r.element,"in":p.element})}else r=r?r.animationID:p.animationID,p=r.toString(),d[p]||(d[p]=!0,b.push(a[r]))});return b}function O(a,b){a=a.split(" ");b=b.split(" ");
+for(var c=[],d=0;d=R&&b>=m&&(F=!0,k())}function N(){function b(){if(!w){M(!1);s(x,function(a){h.style[a[0]]=a[1]});T(a,f);e.addClass(a,ea);if(q.recalculateTimingStyles){na=
+h.className+" "+ga;ia=B(h,na);D=H(h,na,ia);ca=D.maxDelay;J=Math.max(ca,0);m=D.maxDuration;if(0===m){k();return}q.hasTransitions=0l.expectedEndTime)?n.cancel(l.timer):g.push(k)}N&&(p=n(c,p,!1),g[0]={timer:p,expectedEndTime:d},g.push(k),a.data("$$animateCss",g));if(fa.length)a.on(fa.join(" "),z);f.to&&(f.cleanupStyles&&Ka(A,h,Object.keys(f.to)),Ga(a,f))}}function c(){var b=a.data("$$animateCss");if(b){for(var d=1;dARIA](http://www.w3.org/TR/wai-aria/)
+ * attributes that convey state or semantic information about the application for users
+ * of assistive technologies, such as screen readers.
+ *
+ *
+ *
+ * ## Usage
+ *
+ * For ngAria to do its magic, simply include the module `ngAria` as a dependency. The following
+ * directives are supported:
+ * `ngModel`, `ngChecked`, `ngReadonly`, `ngRequired`, `ngValue`, `ngDisabled`, `ngShow`, `ngHide`, `ngClick`,
+ * `ngDblClick`, and `ngMessages`.
+ *
+ * Below is a more detailed breakdown of the attributes handled by ngAria:
+ *
+ * | Directive | Supported Attributes |
+ * |---------------------------------------------|----------------------------------------------------------------------------------------|
+ * | {@link ng.directive:ngModel ngModel} | aria-checked, aria-valuemin, aria-valuemax, aria-valuenow, aria-invalid, aria-required, input roles |
+ * | {@link ng.directive:ngDisabled ngDisabled} | aria-disabled |
+ * | {@link ng.directive:ngRequired ngRequired} | aria-required
+ * | {@link ng.directive:ngChecked ngChecked} | aria-checked
+ * | {@link ng.directive:ngReadonly ngReadonly} | aria-readonly |
+ * | {@link ng.directive:ngValue ngValue} | aria-checked |
+ * | {@link ng.directive:ngShow ngShow} | aria-hidden |
+ * | {@link ng.directive:ngHide ngHide} | aria-hidden |
+ * | {@link ng.directive:ngDblclick ngDblclick} | tabindex |
+ * | {@link module:ngMessages ngMessages} | aria-live |
+ * | {@link ng.directive:ngClick ngClick} | tabindex, keypress event, button role |
+ *
+ * Find out more information about each directive by reading the
+ * {@link guide/accessibility ngAria Developer Guide}.
+ *
+ * ## Example
+ * Using ngDisabled with ngAria:
+ * ```html
+ *
+ * ```
+ * Becomes:
+ * ```html
+ *
+ * ```
+ *
+ * ## Disabling Attributes
+ * It's possible to disable individual attributes added by ngAria with the
+ * {@link ngAria.$ariaProvider#config config} method. For more details, see the
+ * {@link guide/accessibility Developer Guide}.
+ */
+var ngAriaModule = angular.module('ngAria', ['ng']).
+ provider('$aria', $AriaProvider);
+
+/**
+* Internal Utilities
+*/
+var nodeBlackList = ['BUTTON', 'A', 'INPUT', 'TEXTAREA', 'SELECT', 'DETAILS', 'SUMMARY'];
+
+var isNodeOneOf = function(elem, nodeTypeArray) {
+ if (nodeTypeArray.indexOf(elem[0].nodeName) !== -1) {
+ return true;
+ }
+};
+/**
+ * @ngdoc provider
+ * @name $ariaProvider
+ * @this
+ *
+ * @description
+ *
+ * Used for configuring the ARIA attributes injected and managed by ngAria.
+ *
+ * ```js
+ * angular.module('myApp', ['ngAria'], function config($ariaProvider) {
+ * $ariaProvider.config({
+ * ariaValue: true,
+ * tabindex: false
+ * });
+ * });
+ *```
+ *
+ * ## Dependencies
+ * Requires the {@link ngAria} module to be installed.
+ *
+ */
+function $AriaProvider() {
+ var config = {
+ ariaHidden: true,
+ ariaChecked: true,
+ ariaReadonly: true,
+ ariaDisabled: true,
+ ariaRequired: true,
+ ariaInvalid: true,
+ ariaValue: true,
+ tabindex: true,
+ bindKeypress: true,
+ bindRoleForClick: true
+ };
+
+ /**
+ * @ngdoc method
+ * @name $ariaProvider#config
+ *
+ * @param {object} config object to enable/disable specific ARIA attributes
+ *
+ * - **ariaHidden** – `{boolean}` – Enables/disables aria-hidden tags
+ * - **ariaChecked** – `{boolean}` – Enables/disables aria-checked tags
+ * - **ariaReadonly** – `{boolean}` – Enables/disables aria-readonly tags
+ * - **ariaDisabled** – `{boolean}` – Enables/disables aria-disabled tags
+ * - **ariaRequired** – `{boolean}` – Enables/disables aria-required tags
+ * - **ariaInvalid** – `{boolean}` – Enables/disables aria-invalid tags
+ * - **ariaValue** – `{boolean}` – Enables/disables aria-valuemin, aria-valuemax and aria-valuenow tags
+ * - **tabindex** – `{boolean}` – Enables/disables tabindex tags
+ * - **bindKeypress** – `{boolean}` – Enables/disables keypress event binding on `div` and
+ * `li` elements with ng-click
+ * - **bindRoleForClick** – `{boolean}` – Adds role=button to non-interactive elements like `div`
+ * using ng-click, making them more accessible to users of assistive technologies
+ *
+ * @description
+ * Enables/disables various ARIA attributes
+ */
+ this.config = function(newConfig) {
+ config = angular.extend(config, newConfig);
+ };
+
+ function watchExpr(attrName, ariaAttr, nodeBlackList, negate) {
+ return function(scope, elem, attr) {
+ var ariaCamelName = attr.$normalize(ariaAttr);
+ if (config[ariaCamelName] && !isNodeOneOf(elem, nodeBlackList) && !attr[ariaCamelName]) {
+ scope.$watch(attr[attrName], function(boolVal) {
+ // ensure boolean value
+ boolVal = negate ? !boolVal : !!boolVal;
+ elem.attr(ariaAttr, boolVal);
+ });
+ }
+ };
+ }
+ /**
+ * @ngdoc service
+ * @name $aria
+ *
+ * @description
+ * @priority 200
+ *
+ * The $aria service contains helper methods for applying common
+ * [ARIA](http://www.w3.org/TR/wai-aria/) attributes to HTML directives.
+ *
+ * ngAria injects common accessibility attributes that tell assistive technologies when HTML
+ * elements are enabled, selected, hidden, and more. To see how this is performed with ngAria,
+ * let's review a code snippet from ngAria itself:
+ *
+ *```js
+ * ngAriaModule.directive('ngDisabled', ['$aria', function($aria) {
+ * return $aria.$$watchExpr('ngDisabled', 'aria-disabled', nodeBlackList, false);
+ * }])
+ *```
+ * Shown above, the ngAria module creates a directive with the same signature as the
+ * traditional `ng-disabled` directive. But this ngAria version is dedicated to
+ * solely managing accessibility attributes on custom elements. The internal `$aria` service is
+ * used to watch the boolean attribute `ngDisabled`. If it has not been explicitly set by the
+ * developer, `aria-disabled` is injected as an attribute with its value synchronized to the
+ * value in `ngDisabled`.
+ *
+ * Because ngAria hooks into the `ng-disabled` directive, developers do not have to do
+ * anything to enable this feature. The `aria-disabled` attribute is automatically managed
+ * simply as a silent side-effect of using `ng-disabled` with the ngAria module.
+ *
+ * The full list of directives that interface with ngAria:
+ * * **ngModel**
+ * * **ngChecked**
+ * * **ngReadonly**
+ * * **ngRequired**
+ * * **ngDisabled**
+ * * **ngValue**
+ * * **ngShow**
+ * * **ngHide**
+ * * **ngClick**
+ * * **ngDblclick**
+ * * **ngMessages**
+ *
+ * Read the {@link guide/accessibility ngAria Developer Guide} for a thorough explanation of each
+ * directive.
+ *
+ *
+ * ## Dependencies
+ * Requires the {@link ngAria} module to be installed.
+ */
+ this.$get = function() {
+ return {
+ config: function(key) {
+ return config[key];
+ },
+ $$watchExpr: watchExpr
+ };
+ };
+}
+
+
+ngAriaModule.directive('ngShow', ['$aria', function($aria) {
+ return $aria.$$watchExpr('ngShow', 'aria-hidden', [], true);
+}])
+.directive('ngHide', ['$aria', function($aria) {
+ return $aria.$$watchExpr('ngHide', 'aria-hidden', [], false);
+}])
+.directive('ngValue', ['$aria', function($aria) {
+ return $aria.$$watchExpr('ngValue', 'aria-checked', nodeBlackList, false);
+}])
+.directive('ngChecked', ['$aria', function($aria) {
+ return $aria.$$watchExpr('ngChecked', 'aria-checked', nodeBlackList, false);
+}])
+.directive('ngReadonly', ['$aria', function($aria) {
+ return $aria.$$watchExpr('ngReadonly', 'aria-readonly', nodeBlackList, false);
+}])
+.directive('ngRequired', ['$aria', function($aria) {
+ return $aria.$$watchExpr('ngRequired', 'aria-required', nodeBlackList, false);
+}])
+.directive('ngModel', ['$aria', function($aria) {
+
+ function shouldAttachAttr(attr, normalizedAttr, elem, allowBlacklistEls) {
+ return $aria.config(normalizedAttr) && !elem.attr(attr) && (allowBlacklistEls || !isNodeOneOf(elem, nodeBlackList));
+ }
+
+ function shouldAttachRole(role, elem) {
+ // if element does not have role attribute
+ // AND element type is equal to role (if custom element has a type equaling shape) <-- remove?
+ // AND element is not INPUT
+ return !elem.attr('role') && (elem.attr('type') === role) && (elem[0].nodeName !== 'INPUT');
+ }
+
+ function getShape(attr, elem) {
+ var type = attr.type,
+ role = attr.role;
+
+ return ((type || role) === 'checkbox' || role === 'menuitemcheckbox') ? 'checkbox' :
+ ((type || role) === 'radio' || role === 'menuitemradio') ? 'radio' :
+ (type === 'range' || role === 'progressbar' || role === 'slider') ? 'range' : '';
+ }
+
+ return {
+ restrict: 'A',
+ require: 'ngModel',
+ priority: 200, //Make sure watches are fired after any other directives that affect the ngModel value
+ compile: function(elem, attr) {
+ var shape = getShape(attr, elem);
+
+ return {
+ pre: function(scope, elem, attr, ngModel) {
+ if (shape === 'checkbox') {
+ //Use the input[checkbox] $isEmpty implementation for elements with checkbox roles
+ ngModel.$isEmpty = function(value) {
+ return value === false;
+ };
+ }
+ },
+ post: function(scope, elem, attr, ngModel) {
+ var needsTabIndex = shouldAttachAttr('tabindex', 'tabindex', elem, false);
+
+ function ngAriaWatchModelValue() {
+ return ngModel.$modelValue;
+ }
+
+ function getRadioReaction(newVal) {
+ // Strict comparison would cause a BC
+ // eslint-disable-next-line eqeqeq
+ var boolVal = (attr.value == ngModel.$viewValue);
+ elem.attr('aria-checked', boolVal);
+ }
+
+ function getCheckboxReaction() {
+ elem.attr('aria-checked', !ngModel.$isEmpty(ngModel.$viewValue));
+ }
+
+ switch (shape) {
+ case 'radio':
+ case 'checkbox':
+ if (shouldAttachRole(shape, elem)) {
+ elem.attr('role', shape);
+ }
+ if (shouldAttachAttr('aria-checked', 'ariaChecked', elem, false)) {
+ scope.$watch(ngAriaWatchModelValue, shape === 'radio' ?
+ getRadioReaction : getCheckboxReaction);
+ }
+ if (needsTabIndex) {
+ elem.attr('tabindex', 0);
+ }
+ break;
+ case 'range':
+ if (shouldAttachRole(shape, elem)) {
+ elem.attr('role', 'slider');
+ }
+ if ($aria.config('ariaValue')) {
+ var needsAriaValuemin = !elem.attr('aria-valuemin') &&
+ (attr.hasOwnProperty('min') || attr.hasOwnProperty('ngMin'));
+ var needsAriaValuemax = !elem.attr('aria-valuemax') &&
+ (attr.hasOwnProperty('max') || attr.hasOwnProperty('ngMax'));
+ var needsAriaValuenow = !elem.attr('aria-valuenow');
+
+ if (needsAriaValuemin) {
+ attr.$observe('min', function ngAriaValueMinReaction(newVal) {
+ elem.attr('aria-valuemin', newVal);
+ });
+ }
+ if (needsAriaValuemax) {
+ attr.$observe('max', function ngAriaValueMinReaction(newVal) {
+ elem.attr('aria-valuemax', newVal);
+ });
+ }
+ if (needsAriaValuenow) {
+ scope.$watch(ngAriaWatchModelValue, function ngAriaValueNowReaction(newVal) {
+ elem.attr('aria-valuenow', newVal);
+ });
+ }
+ }
+ if (needsTabIndex) {
+ elem.attr('tabindex', 0);
+ }
+ break;
+ }
+
+ if (!attr.hasOwnProperty('ngRequired') && ngModel.$validators.required
+ && shouldAttachAttr('aria-required', 'ariaRequired', elem, false)) {
+ // ngModel.$error.required is undefined on custom controls
+ attr.$observe('required', function() {
+ elem.attr('aria-required', !!attr['required']);
+ });
+ }
+
+ if (shouldAttachAttr('aria-invalid', 'ariaInvalid', elem, true)) {
+ scope.$watch(function ngAriaInvalidWatch() {
+ return ngModel.$invalid;
+ }, function ngAriaInvalidReaction(newVal) {
+ elem.attr('aria-invalid', !!newVal);
+ });
+ }
+ }
+ };
+ }
+ };
+}])
+.directive('ngDisabled', ['$aria', function($aria) {
+ return $aria.$$watchExpr('ngDisabled', 'aria-disabled', nodeBlackList, false);
+}])
+.directive('ngMessages', function() {
+ return {
+ restrict: 'A',
+ require: '?ngMessages',
+ link: function(scope, elem, attr, ngMessages) {
+ if (!elem.attr('aria-live')) {
+ elem.attr('aria-live', 'assertive');
+ }
+ }
+ };
+})
+.directive('ngClick',['$aria', '$parse', function($aria, $parse) {
+ return {
+ restrict: 'A',
+ compile: function(elem, attr) {
+ var fn = $parse(attr.ngClick, /* interceptorFn */ null, /* expensiveChecks */ true);
+ return function(scope, elem, attr) {
+
+ if (!isNodeOneOf(elem, nodeBlackList)) {
+
+ if ($aria.config('bindRoleForClick') && !elem.attr('role')) {
+ elem.attr('role', 'button');
+ }
+
+ if ($aria.config('tabindex') && !elem.attr('tabindex')) {
+ elem.attr('tabindex', 0);
+ }
+
+ if ($aria.config('bindKeypress') && !attr.ngKeypress) {
+ elem.on('keypress', function(event) {
+ var keyCode = event.which || event.keyCode;
+ if (keyCode === 32 || keyCode === 13) {
+ scope.$apply(callback);
+ }
+
+ function callback() {
+ fn(scope, { $event: event });
+ }
+ });
+ }
+ }
+ };
+ }
+ };
+}])
+.directive('ngDblclick', ['$aria', function($aria) {
+ return function(scope, elem, attr) {
+ if ($aria.config('tabindex') && !elem.attr('tabindex') && !isNodeOneOf(elem, nodeBlackList)) {
+ elem.attr('tabindex', 0);
+ }
+ };
+}]);
+
+
+})(window, window.angular);
diff --git a/1.5.11/angular-aria.min.js b/1.5.11/angular-aria.min.js
new file mode 100644
index 0000000000..4cd2d3781b
--- /dev/null
+++ b/1.5.11/angular-aria.min.js
@@ -0,0 +1,14 @@
+/*
+ AngularJS v1.5.11
+ (c) 2010-2017 Google, Inc. http://angularjs.org
+ License: MIT
+*/
+(function(t,p){'use strict';var b="BUTTON A INPUT TEXTAREA SELECT DETAILS SUMMARY".split(" "),l=function(a,c){if(-1!==c.indexOf(a[0].nodeName))return!0};p.module("ngAria",["ng"]).provider("$aria",function(){function a(a,b,m,h){return function(d,f,e){var q=e.$normalize(b);!c[q]||l(f,m)||e[q]||d.$watch(e[a],function(a){a=h?!a:!!a;f.attr(b,a)})}}var c={ariaHidden:!0,ariaChecked:!0,ariaReadonly:!0,ariaDisabled:!0,ariaRequired:!0,ariaInvalid:!0,ariaValue:!0,tabindex:!0,bindKeypress:!0,bindRoleForClick:!0};
+this.config=function(a){c=p.extend(c,a)};this.$get=function(){return{config:function(a){return c[a]},$$watchExpr:a}}}).directive("ngShow",["$aria",function(a){return a.$$watchExpr("ngShow","aria-hidden",[],!0)}]).directive("ngHide",["$aria",function(a){return a.$$watchExpr("ngHide","aria-hidden",[],!1)}]).directive("ngValue",["$aria",function(a){return a.$$watchExpr("ngValue","aria-checked",b,!1)}]).directive("ngChecked",["$aria",function(a){return a.$$watchExpr("ngChecked","aria-checked",b,!1)}]).directive("ngReadonly",
+["$aria",function(a){return a.$$watchExpr("ngReadonly","aria-readonly",b,!1)}]).directive("ngRequired",["$aria",function(a){return a.$$watchExpr("ngRequired","aria-required",b,!1)}]).directive("ngModel",["$aria",function(a){function c(c,h,d,f){return a.config(h)&&!d.attr(c)&&(f||!l(d,b))}function g(a,c){return!c.attr("role")&&c.attr("type")===a&&"INPUT"!==c[0].nodeName}function k(a,c){var d=a.type,f=a.role;return"checkbox"===(d||f)||"menuitemcheckbox"===f?"checkbox":"radio"===(d||f)||"menuitemradio"===
+f?"radio":"range"===d||"progressbar"===f||"slider"===f?"range":""}return{restrict:"A",require:"ngModel",priority:200,compile:function(b,h){var d=k(h,b);return{pre:function(a,e,c,b){"checkbox"===d&&(b.$isEmpty=function(a){return!1===a})},post:function(f,e,b,n){function h(){return n.$modelValue}function k(a){e.attr("aria-checked",b.value==n.$viewValue)}function l(){e.attr("aria-checked",!n.$isEmpty(n.$viewValue))}var m=c("tabindex","tabindex",e,!1);switch(d){case "radio":case "checkbox":g(d,e)&&e.attr("role",
+d);c("aria-checked","ariaChecked",e,!1)&&f.$watch(h,"radio"===d?k:l);m&&e.attr("tabindex",0);break;case "range":g(d,e)&&e.attr("role","slider");if(a.config("ariaValue")){var p=!e.attr("aria-valuemin")&&(b.hasOwnProperty("min")||b.hasOwnProperty("ngMin")),r=!e.attr("aria-valuemax")&&(b.hasOwnProperty("max")||b.hasOwnProperty("ngMax")),s=!e.attr("aria-valuenow");p&&b.$observe("min",function(a){e.attr("aria-valuemin",a)});r&&b.$observe("max",function(a){e.attr("aria-valuemax",a)});s&&f.$watch(h,function(a){e.attr("aria-valuenow",
+a)})}m&&e.attr("tabindex",0)}!b.hasOwnProperty("ngRequired")&&n.$validators.required&&c("aria-required","ariaRequired",e,!1)&&b.$observe("required",function(){e.attr("aria-required",!!b.required)});c("aria-invalid","ariaInvalid",e,!0)&&f.$watch(function(){return n.$invalid},function(a){e.attr("aria-invalid",!!a)})}}}}}]).directive("ngDisabled",["$aria",function(a){return a.$$watchExpr("ngDisabled","aria-disabled",b,!1)}]).directive("ngMessages",function(){return{restrict:"A",require:"?ngMessages",
+link:function(a,b,g,k){b.attr("aria-live")||b.attr("aria-live","assertive")}}}).directive("ngClick",["$aria","$parse",function(a,c){return{restrict:"A",compile:function(g,k){var m=c(k.ngClick,null,!0);return function(c,d,f){if(!l(d,b)&&(a.config("bindRoleForClick")&&!d.attr("role")&&d.attr("role","button"),a.config("tabindex")&&!d.attr("tabindex")&&d.attr("tabindex",0),a.config("bindKeypress")&&!f.ngKeypress))d.on("keypress",function(a){function b(){m(c,{$event:a})}var d=a.which||a.keyCode;32!==d&&
+13!==d||c.$apply(b)})}}}}]).directive("ngDblclick",["$aria",function(a){return function(c,g,k){!a.config("tabindex")||g.attr("tabindex")||l(g,b)||g.attr("tabindex",0)}}])})(window,window.angular);
+//# sourceMappingURL=angular-aria.min.js.map
diff --git a/1.5.11/angular-aria.min.js.map b/1.5.11/angular-aria.min.js.map
new file mode 100644
index 0000000000..61f27a1a64
--- /dev/null
+++ b/1.5.11/angular-aria.min.js.map
@@ -0,0 +1,8 @@
+{
+"version":3,
+"file":"angular-aria.min.js",
+"lineCount":13,
+"mappings":"A;;;;;aAKC,SAAQ,CAACA,CAAD,CAASC,CAAT,CAAkB,CA6D3B,IAAIC,EAAgB,gDAAA,MAAA,CAAA,GAAA,CAApB,CAEIC,EAAcA,QAAQ,CAACC,CAAD,CAAOC,CAAP,CAAsB,CAC9C,GAAiD,EAAjD,GAAIA,CAAAC,QAAA,CAAsBF,CAAA,CAAK,CAAL,CAAAG,SAAtB,CAAJ,CACE,MAAO,CAAA,CAFqC,CAR7BN,EAAAO,OAAA,CAAe,QAAf,CAAyB,CAAC,IAAD,CAAzB,CAAAC,SAAAC,CACc,OADdA,CAmCnBC,QAAsB,EAAG,CAwCvBC,QAASA,EAAS,CAACC,CAAD,CAAWC,CAAX,CAAqBZ,CAArB,CAAoCa,CAApC,CAA4C,CAC5D,MAAO,SAAQ,CAACC,CAAD,CAAQZ,CAAR,CAAca,CAAd,CAAoB,CACjC,IAAIC,EAAgBD,CAAAE,WAAA,CAAgBL,CAAhB,CAChB,EAAAM,CAAA,CAAOF,CAAP,CAAJ,EAA8Bf,CAAA,CAAYC,CAAZ,CAAkBF,CAAlB,CAA9B,EAAmEe,CAAA,CAAKC,CAAL,CAAnE,EACEF,CAAAK,OAAA,CAAaJ,CAAA,CAAKJ,CAAL,CAAb,CAA6B,QAAQ,CAACS,CAAD,CAAU,CAE7CA,CAAA,CAAUP,CAAA,CAAS,CAACO,CAAV,CAAoB,CAAEA,CAAAA,CAChClB,EAAAa,KAAA,CAAUH,CAAV,CAAoBQ,CAApB,CAH6C,CAA/C,CAH+B,CADyB,CAvC9D,IAAIF,EAAS,CACXG,WAAY,CAAA,CADD,CAEXC,YAAa,CAAA,CAFF,CAGXC,aAAc,CAAA,CAHH,CAIXC,aAAc,CAAA,CAJH,CAKXC,aAAc,CAAA,CALH,CAMXC,YAAa,CAAA,CANF,CAOXC,UAAW,CAAA,CAPA,CAQXC,SAAU,CAAA,CARC,CASXC,aAAc,CAAA,CATH,CAUXC,iBAAkB,CAAA,CAVP,CAmCb;IAAAZ,OAAA,CAAca,QAAQ,CAACC,CAAD,CAAY,CAChCd,CAAA,CAASnB,CAAAkC,OAAA,CAAef,CAAf,CAAuBc,CAAvB,CADuB,CAkElC,KAAAE,KAAA,CAAYC,QAAQ,EAAG,CACrB,MAAO,CACLjB,OAAQA,QAAQ,CAACkB,CAAD,CAAM,CACpB,MAAOlB,EAAA,CAAOkB,CAAP,CADa,CADjB,CAILC,YAAa3B,CAJR,CADc,CAtGA,CAnCNF,CAoJnB8B,UAAA,CAAuB,QAAvB,CAAiC,CAAC,OAAD,CAAU,QAAQ,CAACC,CAAD,CAAQ,CACzD,MAAOA,EAAAF,YAAA,CAAkB,QAAlB,CAA4B,aAA5B,CAA2C,EAA3C,CAA+C,CAAA,CAA/C,CADkD,CAA1B,CAAjC,CAAAC,UAAA,CAGW,QAHX,CAGqB,CAAC,OAAD,CAAU,QAAQ,CAACC,CAAD,CAAQ,CAC7C,MAAOA,EAAAF,YAAA,CAAkB,QAAlB,CAA4B,aAA5B,CAA2C,EAA3C,CAA+C,CAAA,CAA/C,CADsC,CAA1B,CAHrB,CAAAC,UAAA,CAMW,SANX,CAMsB,CAAC,OAAD,CAAU,QAAQ,CAACC,CAAD,CAAQ,CAC9C,MAAOA,EAAAF,YAAA,CAAkB,SAAlB,CAA6B,cAA7B,CAA6CrC,CAA7C,CAA4D,CAAA,CAA5D,CADuC,CAA1B,CANtB,CAAAsC,UAAA,CASW,WATX,CASwB,CAAC,OAAD,CAAU,QAAQ,CAACC,CAAD,CAAQ,CAChD,MAAOA,EAAAF,YAAA,CAAkB,WAAlB,CAA+B,cAA/B,CAA+CrC,CAA/C,CAA8D,CAAA,CAA9D,CADyC,CAA1B,CATxB,CAAAsC,UAAA,CAYW,YAZX;AAYyB,CAAC,OAAD,CAAU,QAAQ,CAACC,CAAD,CAAQ,CACjD,MAAOA,EAAAF,YAAA,CAAkB,YAAlB,CAAgC,eAAhC,CAAiDrC,CAAjD,CAAgE,CAAA,CAAhE,CAD0C,CAA1B,CAZzB,CAAAsC,UAAA,CAeW,YAfX,CAeyB,CAAC,OAAD,CAAU,QAAQ,CAACC,CAAD,CAAQ,CACjD,MAAOA,EAAAF,YAAA,CAAkB,YAAlB,CAAgC,eAAhC,CAAiDrC,CAAjD,CAAgE,CAAA,CAAhE,CAD0C,CAA1B,CAfzB,CAAAsC,UAAA,CAkBW,SAlBX,CAkBsB,CAAC,OAAD,CAAU,QAAQ,CAACC,CAAD,CAAQ,CAE9CC,QAASA,EAAgB,CAACzB,CAAD,CAAO0B,CAAP,CAAuBvC,CAAvB,CAA6BwC,CAA7B,CAAgD,CACvE,MAAOH,EAAArB,OAAA,CAAauB,CAAb,CAAP,EAAuC,CAACvC,CAAAa,KAAA,CAAUA,CAAV,CAAxC,GAA4D2B,CAA5D,EAAiF,CAACzC,CAAA,CAAYC,CAAZ,CAAkBF,CAAlB,CAAlF,CADuE,CAIzE2C,QAASA,EAAgB,CAACC,CAAD,CAAO1C,CAAP,CAAa,CAIpC,MAAO,CAACA,CAAAa,KAAA,CAAU,MAAV,CAAR,EAA8Bb,CAAAa,KAAA,CAAU,MAAV,CAA9B,GAAoD6B,CAApD,EAAmF,OAAnF,GAA8D1C,CAAA,CAAK,CAAL,CAAAG,SAJ1B,CAOtCwC,QAASA,EAAQ,CAAC9B,CAAD,CAAOb,CAAP,CAAa,CAAA,IACxB4C,EAAO/B,CAAA+B,KADiB,CAExBF,EAAO7B,CAAA6B,KAEX,OAA2B,UAApB,IAAEE,CAAF,EAAUF,CAAV,GAA2C,kBAA3C,GAAkCA,CAAlC,CAAiE,UAAjE,CACoB,OAApB,IAAEE,CAAF,EAAUF,CAAV,GAA2C,eAA3C;AAAkCA,CAAlC,CAA8D,OAA9D,CACU,OAAV,GAACE,CAAD,EAA2C,aAA3C,GAAkCF,CAAlC,EAAqE,QAArE,GAA4DA,CAA5D,CAAiF,OAAjF,CAA2F,EANtE,CAS9B,MAAO,CACLG,SAAU,GADL,CAELC,QAAS,SAFJ,CAGLC,SAAU,GAHL,CAILC,QAASA,QAAQ,CAAChD,CAAD,CAAOa,CAAP,CAAa,CAC5B,IAAIoC,EAAQN,CAAA,CAAS9B,CAAT,CAAeb,CAAf,CAEZ,OAAO,CACLkD,IAAKA,QAAQ,CAACtC,CAAD,CAAQZ,CAAR,CAAca,CAAd,CAAoBsC,CAApB,CAA6B,CAC1B,UAAd,GAAIF,CAAJ,GAEEE,CAAAC,SAFF,CAEqBC,QAAQ,CAACC,CAAD,CAAQ,CACjC,MAAiB,CAAA,CAAjB,GAAOA,CAD0B,CAFrC,CADwC,CADrC,CASLC,KAAMA,QAAQ,CAAC3C,CAAD,CAAQZ,CAAR,CAAca,CAAd,CAAoBsC,CAApB,CAA6B,CAGzCK,QAASA,EAAqB,EAAG,CAC/B,MAAOL,EAAAM,YADwB,CAIjCC,QAASA,EAAgB,CAACC,CAAD,CAAS,CAIhC3D,CAAAa,KAAA,CAAU,cAAV,CADeA,CAAAyC,MACf,EAD6BH,CAAAS,WAC7B,CAJgC,CAOlCC,QAASA,EAAmB,EAAG,CAC7B7D,CAAAa,KAAA,CAAU,cAAV,CAA0B,CAACsC,CAAAC,SAAA,CAAiBD,CAAAS,WAAjB,CAA3B,CAD6B,CAb/B,IAAIE,EAAgBxB,CAAA,CAAiB,UAAjB,CAA6B,UAA7B,CAAyCtC,CAAzC,CAA+C,CAAA,CAA/C,CAiBpB,QAAQiD,CAAR,EACE,KAAK,OAAL,CACA,KAAK,UAAL,CACMR,CAAA,CAAiBQ,CAAjB,CAAwBjD,CAAxB,CAAJ,EACEA,CAAAa,KAAA,CAAU,MAAV;AAAkBoC,CAAlB,CAEEX,EAAA,CAAiB,cAAjB,CAAiC,aAAjC,CAAgDtC,CAAhD,CAAsD,CAAA,CAAtD,CAAJ,EACEY,CAAAK,OAAA,CAAauC,CAAb,CAA8C,OAAV,GAAAP,CAAA,CAChCS,CADgC,CACbG,CADvB,CAGEC,EAAJ,EACE9D,CAAAa,KAAA,CAAU,UAAV,CAAsB,CAAtB,CAEF,MACF,MAAK,OAAL,CACM4B,CAAA,CAAiBQ,CAAjB,CAAwBjD,CAAxB,CAAJ,EACEA,CAAAa,KAAA,CAAU,MAAV,CAAkB,QAAlB,CAEF,IAAIwB,CAAArB,OAAA,CAAa,WAAb,CAAJ,CAA+B,CAC7B,IAAI+C,EAAoB,CAAC/D,CAAAa,KAAA,CAAU,eAAV,CAArBkD,GACClD,CAAAmD,eAAA,CAAoB,KAApB,CADDD,EAC+BlD,CAAAmD,eAAA,CAAoB,OAApB,CAD/BD,CAAJ,CAEIE,EAAoB,CAACjE,CAAAa,KAAA,CAAU,eAAV,CAArBoD,GACCpD,CAAAmD,eAAA,CAAoB,KAApB,CADDC,EAC+BpD,CAAAmD,eAAA,CAAoB,OAApB,CAD/BC,CAFJ,CAIIC,EAAoB,CAAClE,CAAAa,KAAA,CAAU,eAAV,CAErBkD,EAAJ,EACElD,CAAAsD,SAAA,CAAc,KAAd,CAAqBC,QAA+B,CAACT,CAAD,CAAS,CAC3D3D,CAAAa,KAAA,CAAU,eAAV,CAA2B8C,CAA3B,CAD2D,CAA7D,CAIEM,EAAJ,EACEpD,CAAAsD,SAAA,CAAc,KAAd,CAAqBC,QAA+B,CAACT,CAAD,CAAS,CAC3D3D,CAAAa,KAAA,CAAU,eAAV,CAA2B8C,CAA3B,CAD2D,CAA7D,CAIEO,EAAJ,EACEtD,CAAAK,OAAA,CAAauC,CAAb,CAAoCa,QAA+B,CAACV,CAAD,CAAS,CAC1E3D,CAAAa,KAAA,CAAU,eAAV;AAA2B8C,CAA3B,CAD0E,CAA5E,CAlB2B,CAuB3BG,CAAJ,EACE9D,CAAAa,KAAA,CAAU,UAAV,CAAsB,CAAtB,CA1CN,CA+CK,CAAAA,CAAAmD,eAAA,CAAoB,YAApB,CAAL,EAA0Cb,CAAAmB,YAAAC,SAA1C,EACKjC,CAAA,CAAiB,eAAjB,CAAkC,cAAlC,CAAkDtC,CAAlD,CAAwD,CAAA,CAAxD,CADL,EAGEa,CAAAsD,SAAA,CAAc,UAAd,CAA0B,QAAQ,EAAG,CACnCnE,CAAAa,KAAA,CAAU,eAAV,CAA2B,CAAE,CAAAA,CAAA,SAA7B,CADmC,CAArC,CAKEyB,EAAA,CAAiB,cAAjB,CAAiC,aAAjC,CAAgDtC,CAAhD,CAAsD,CAAA,CAAtD,CAAJ,EACEY,CAAAK,OAAA,CAAauD,QAA2B,EAAG,CACzC,MAAOrB,EAAAsB,SADkC,CAA3C,CAEGC,QAA8B,CAACf,CAAD,CAAS,CACxC3D,CAAAa,KAAA,CAAU,cAAV,CAA0B,CAAE8C,CAAAA,CAA5B,CADwC,CAF1C,CA1EuC,CATtC,CAHqB,CAJzB,CAtBuC,CAA1B,CAlBtB,CAAAvB,UAAA,CA6IW,YA7IX,CA6IyB,CAAC,OAAD,CAAU,QAAQ,CAACC,CAAD,CAAQ,CACjD,MAAOA,EAAAF,YAAA,CAAkB,YAAlB,CAAgC,eAAhC,CAAiDrC,CAAjD,CAAgE,CAAA,CAAhE,CAD0C,CAA1B,CA7IzB,CAAAsC,UAAA,CAgJW,YAhJX,CAgJyB,QAAQ,EAAG,CAClC,MAAO,CACLS,SAAU,GADL,CAELC,QAAS,aAFJ;AAGL6B,KAAMA,QAAQ,CAAC/D,CAAD,CAAQZ,CAAR,CAAca,CAAd,CAAoB+D,CAApB,CAAgC,CACvC5E,CAAAa,KAAA,CAAU,WAAV,CAAL,EACEb,CAAAa,KAAA,CAAU,WAAV,CAAuB,WAAvB,CAF0C,CAHzC,CAD2B,CAhJpC,CAAAuB,UAAA,CA2JW,SA3JX,CA2JqB,CAAC,OAAD,CAAU,QAAV,CAAoB,QAAQ,CAACC,CAAD,CAAQwC,CAAR,CAAgB,CAC/D,MAAO,CACLhC,SAAU,GADL,CAELG,QAASA,QAAQ,CAAChD,CAAD,CAAOa,CAAP,CAAa,CAC5B,IAAIiE,EAAKD,CAAA,CAAOhE,CAAAkE,QAAP,CAAyC,IAAzC,CAAqE,CAAA,CAArE,CACT,OAAO,SAAQ,CAACnE,CAAD,CAAQZ,CAAR,CAAca,CAAd,CAAoB,CAEjC,GAAK,CAAAd,CAAA,CAAYC,CAAZ,CAAkBF,CAAlB,CAAL,GAEMuC,CAAArB,OAAA,CAAa,kBAAb,CAQA,EARqC,CAAAhB,CAAAa,KAAA,CAAU,MAAV,CAQrC,EAPFb,CAAAa,KAAA,CAAU,MAAV,CAAkB,QAAlB,CAOE,CAJAwB,CAAArB,OAAA,CAAa,UAAb,CAIA,EAJ6B,CAAAhB,CAAAa,KAAA,CAAU,UAAV,CAI7B,EAHFb,CAAAa,KAAA,CAAU,UAAV,CAAsB,CAAtB,CAGE,CAAAwB,CAAArB,OAAA,CAAa,cAAb,CAAA,EAAiCgE,CAAAnE,CAAAmE,WAVvC,EAWIhF,CAAAiF,GAAA,CAAQ,UAAR,CAAoB,QAAQ,CAACC,CAAD,CAAQ,CAMlCC,QAASA,EAAQ,EAAG,CAClBL,CAAA,CAAGlE,CAAH,CAAU,CAAEwE,OAAQF,CAAV,CAAV,CADkB,CALpB,IAAIG,EAAUH,CAAAI,MAAVD,EAAyBH,CAAAG,QACb,GAAhB,GAAIA,CAAJ;AAAkC,EAAlC,GAAsBA,CAAtB,EACEzE,CAAA2E,OAAA,CAAaJ,CAAb,CAHgC,CAApC,CAb6B,CAFP,CAFzB,CADwD,CAA5C,CA3JrB,CAAA/C,UAAA,CA6LW,YA7LX,CA6LyB,CAAC,OAAD,CAAU,QAAQ,CAACC,CAAD,CAAQ,CACjD,MAAO,SAAQ,CAACzB,CAAD,CAAQZ,CAAR,CAAca,CAAd,CAAoB,CAC7B,CAAAwB,CAAArB,OAAA,CAAa,UAAb,CAAJ,EAAiChB,CAAAa,KAAA,CAAU,UAAV,CAAjC,EAA2Dd,CAAA,CAAYC,CAAZ,CAAkBF,CAAlB,CAA3D,EACEE,CAAAa,KAAA,CAAU,UAAV,CAAsB,CAAtB,CAF+B,CADc,CAA1B,CA7LzB,CA3M2B,CAA1B,CAAD,CAiZGjB,MAjZH,CAiZWA,MAAAC,QAjZX;",
+"sources":["angular-aria.js"],
+"names":["window","angular","nodeBlackList","isNodeOneOf","elem","nodeTypeArray","indexOf","nodeName","module","provider","ngAriaModule","$AriaProvider","watchExpr","attrName","ariaAttr","negate","scope","attr","ariaCamelName","$normalize","config","$watch","boolVal","ariaHidden","ariaChecked","ariaReadonly","ariaDisabled","ariaRequired","ariaInvalid","ariaValue","tabindex","bindKeypress","bindRoleForClick","this.config","newConfig","extend","$get","this.$get","key","$$watchExpr","directive","$aria","shouldAttachAttr","normalizedAttr","allowBlacklistEls","shouldAttachRole","role","getShape","type","restrict","require","priority","compile","shape","pre","ngModel","$isEmpty","ngModel.$isEmpty","value","post","ngAriaWatchModelValue","$modelValue","getRadioReaction","newVal","$viewValue","getCheckboxReaction","needsTabIndex","needsAriaValuemin","hasOwnProperty","needsAriaValuemax","needsAriaValuenow","$observe","ngAriaValueMinReaction","ngAriaValueNowReaction","$validators","required","ngAriaInvalidWatch","$invalid","ngAriaInvalidReaction","link","ngMessages","$parse","fn","ngClick","ngKeypress","on","event","callback","$event","keyCode","which","$apply"]
+}
diff --git a/1.5.11/angular-cookies.js b/1.5.11/angular-cookies.js
new file mode 100644
index 0000000000..c3a9e1a516
--- /dev/null
+++ b/1.5.11/angular-cookies.js
@@ -0,0 +1,330 @@
+/**
+ * @license AngularJS v1.5.11
+ * (c) 2010-2017 Google, Inc. http://angularjs.org
+ * License: MIT
+ */
+(function(window, angular) {'use strict';
+
+/**
+ * @ngdoc module
+ * @name ngCookies
+ * @description
+ *
+ * # ngCookies
+ *
+ * The `ngCookies` module provides a convenient wrapper for reading and writing browser cookies.
+ *
+ *
+ *
+ *
+ * See {@link ngCookies.$cookies `$cookies`} for usage.
+ */
+
+
+angular.module('ngCookies', ['ng']).
+ /**
+ * @ngdoc provider
+ * @name $cookiesProvider
+ * @description
+ * Use `$cookiesProvider` to change the default behavior of the {@link ngCookies.$cookies $cookies} service.
+ * */
+ provider('$cookies', [/** @this */function $CookiesProvider() {
+ /**
+ * @ngdoc property
+ * @name $cookiesProvider#defaults
+ * @description
+ *
+ * Object containing default options to pass when setting cookies.
+ *
+ * The object may have following properties:
+ *
+ * - **path** - `{string}` - The cookie will be available only for this path and its
+ * sub-paths. By default, this is the URL that appears in your `` tag.
+ * - **domain** - `{string}` - The cookie will be available only for this domain and
+ * its sub-domains. For security reasons the user agent will not accept the cookie
+ * if the current domain is not a sub-domain of this domain or equal to it.
+ * - **expires** - `{string|Date}` - String of the form "Wdy, DD Mon YYYY HH:MM:SS GMT"
+ * or a Date object indicating the exact date/time this cookie will expire.
+ * - **secure** - `{boolean}` - If `true`, then the cookie will only be available through a
+ * secured connection.
+ *
+ * Note: By default, the address that appears in your `` tag will be used as the path.
+ * This is important so that cookies will be visible for all routes when html5mode is enabled.
+ *
+ * @example
+ *
+ * ```js
+ * angular.module('cookiesProviderExample', ['ngCookies'])
+ * .config(['$cookiesProvider', function($cookiesProvider) {
+ * // Setting default options
+ * $cookiesProvider.defaults.domain = 'foo.com';
+ * $cookiesProvider.defaults.secure = true;
+ * }]);
+ * ```
+ **/
+ var defaults = this.defaults = {};
+
+ function calcOptions(options) {
+ return options ? angular.extend({}, defaults, options) : defaults;
+ }
+
+ /**
+ * @ngdoc service
+ * @name $cookies
+ *
+ * @description
+ * Provides read/write access to browser's cookies.
+ *
+ *
+ * Up until Angular 1.3, `$cookies` exposed properties that represented the
+ * current browser cookie values. In version 1.4, this behavior has changed, and
+ * `$cookies` now provides a standard api of getters, setters etc.
+ *
+ *
+ * Requires the {@link ngCookies `ngCookies`} module to be installed.
+ *
+ * @example
+ *
+ * ```js
+ * angular.module('cookiesExample', ['ngCookies'])
+ * .controller('ExampleController', ['$cookies', function($cookies) {
+ * // Retrieving a cookie
+ * var favoriteCookie = $cookies.get('myFavorite');
+ * // Setting a cookie
+ * $cookies.put('myFavorite', 'oatmeal');
+ * }]);
+ * ```
+ */
+ this.$get = ['$$cookieReader', '$$cookieWriter', function($$cookieReader, $$cookieWriter) {
+ return {
+ /**
+ * @ngdoc method
+ * @name $cookies#get
+ *
+ * @description
+ * Returns the value of given cookie key
+ *
+ * @param {string} key Id to use for lookup.
+ * @returns {string} Raw cookie value.
+ */
+ get: function(key) {
+ return $$cookieReader()[key];
+ },
+
+ /**
+ * @ngdoc method
+ * @name $cookies#getObject
+ *
+ * @description
+ * Returns the deserialized value of given cookie key
+ *
+ * @param {string} key Id to use for lookup.
+ * @returns {Object} Deserialized cookie value.
+ */
+ getObject: function(key) {
+ var value = this.get(key);
+ return value ? angular.fromJson(value) : value;
+ },
+
+ /**
+ * @ngdoc method
+ * @name $cookies#getAll
+ *
+ * @description
+ * Returns a key value object with all the cookies
+ *
+ * @returns {Object} All cookies
+ */
+ getAll: function() {
+ return $$cookieReader();
+ },
+
+ /**
+ * @ngdoc method
+ * @name $cookies#put
+ *
+ * @description
+ * Sets a value for given cookie key
+ *
+ * @param {string} key Id for the `value`.
+ * @param {string} value Raw value to be stored.
+ * @param {Object=} options Options object.
+ * See {@link ngCookies.$cookiesProvider#defaults $cookiesProvider.defaults}
+ */
+ put: function(key, value, options) {
+ $$cookieWriter(key, value, calcOptions(options));
+ },
+
+ /**
+ * @ngdoc method
+ * @name $cookies#putObject
+ *
+ * @description
+ * Serializes and sets a value for given cookie key
+ *
+ * @param {string} key Id for the `value`.
+ * @param {Object} value Value to be stored.
+ * @param {Object=} options Options object.
+ * See {@link ngCookies.$cookiesProvider#defaults $cookiesProvider.defaults}
+ */
+ putObject: function(key, value, options) {
+ this.put(key, angular.toJson(value), options);
+ },
+
+ /**
+ * @ngdoc method
+ * @name $cookies#remove
+ *
+ * @description
+ * Remove given cookie
+ *
+ * @param {string} key Id of the key-value pair to delete.
+ * @param {Object=} options Options object.
+ * See {@link ngCookies.$cookiesProvider#defaults $cookiesProvider.defaults}
+ */
+ remove: function(key, options) {
+ $$cookieWriter(key, undefined, calcOptions(options));
+ }
+ };
+ }];
+ }]);
+
+angular.module('ngCookies').
+/**
+ * @ngdoc service
+ * @name $cookieStore
+ * @deprecated
+ * sinceVersion="v1.4.0"
+ * Please use the {@link ngCookies.$cookies `$cookies`} service instead.
+ *
+ * @requires $cookies
+ *
+ * @description
+ * Provides a key-value (string-object) storage, that is backed by session cookies.
+ * Objects put or retrieved from this storage are automatically serialized or
+ * deserialized by angular's toJson/fromJson.
+ *
+ * Requires the {@link ngCookies `ngCookies`} module to be installed.
+ *
+ * @example
+ *
+ * ```js
+ * angular.module('cookieStoreExample', ['ngCookies'])
+ * .controller('ExampleController', ['$cookieStore', function($cookieStore) {
+ * // Put cookie
+ * $cookieStore.put('myFavorite','oatmeal');
+ * // Get cookie
+ * var favoriteCookie = $cookieStore.get('myFavorite');
+ * // Removing a cookie
+ * $cookieStore.remove('myFavorite');
+ * }]);
+ * ```
+ */
+ factory('$cookieStore', ['$cookies', function($cookies) {
+
+ return {
+ /**
+ * @ngdoc method
+ * @name $cookieStore#get
+ *
+ * @description
+ * Returns the value of given cookie key
+ *
+ * @param {string} key Id to use for lookup.
+ * @returns {Object} Deserialized cookie value, undefined if the cookie does not exist.
+ */
+ get: function(key) {
+ return $cookies.getObject(key);
+ },
+
+ /**
+ * @ngdoc method
+ * @name $cookieStore#put
+ *
+ * @description
+ * Sets a value for given cookie key
+ *
+ * @param {string} key Id for the `value`.
+ * @param {Object} value Value to be stored.
+ */
+ put: function(key, value) {
+ $cookies.putObject(key, value);
+ },
+
+ /**
+ * @ngdoc method
+ * @name $cookieStore#remove
+ *
+ * @description
+ * Remove given cookie
+ *
+ * @param {string} key Id of the key-value pair to delete.
+ */
+ remove: function(key) {
+ $cookies.remove(key);
+ }
+ };
+
+ }]);
+
+/**
+ * @name $$cookieWriter
+ * @requires $document
+ *
+ * @description
+ * This is a private service for writing cookies
+ *
+ * @param {string} name Cookie name
+ * @param {string=} value Cookie value (if undefined, cookie will be deleted)
+ * @param {Object=} options Object with options that need to be stored for the cookie.
+ */
+function $$CookieWriter($document, $log, $browser) {
+ var cookiePath = $browser.baseHref();
+ var rawDocument = $document[0];
+
+ function buildCookieString(name, value, options) {
+ var path, expires;
+ options = options || {};
+ expires = options.expires;
+ path = angular.isDefined(options.path) ? options.path : cookiePath;
+ if (angular.isUndefined(value)) {
+ expires = 'Thu, 01 Jan 1970 00:00:00 GMT';
+ value = '';
+ }
+ if (angular.isString(expires)) {
+ expires = new Date(expires);
+ }
+
+ var str = encodeURIComponent(name) + '=' + encodeURIComponent(value);
+ str += path ? ';path=' + path : '';
+ str += options.domain ? ';domain=' + options.domain : '';
+ str += expires ? ';expires=' + expires.toUTCString() : '';
+ str += options.secure ? ';secure' : '';
+
+ // per http://www.ietf.org/rfc/rfc2109.txt browser must allow at minimum:
+ // - 300 cookies
+ // - 20 cookies per unique domain
+ // - 4096 bytes per cookie
+ var cookieLength = str.length + 1;
+ if (cookieLength > 4096) {
+ $log.warn('Cookie \'' + name +
+ '\' possibly not set or overflowed because it was too large (' +
+ cookieLength + ' > 4096 bytes)!');
+ }
+
+ return str;
+ }
+
+ return function(name, value, options) {
+ rawDocument.cookie = buildCookieString(name, value, options);
+ };
+}
+
+$$CookieWriter.$inject = ['$document', '$log', '$browser'];
+
+angular.module('ngCookies').provider('$$cookieWriter', /** @this */ function $$CookieWriterProvider() {
+ this.$get = $$CookieWriter;
+});
+
+
+})(window, window.angular);
diff --git a/1.5.11/angular-cookies.min.js b/1.5.11/angular-cookies.min.js
new file mode 100644
index 0000000000..64e4caa5e0
--- /dev/null
+++ b/1.5.11/angular-cookies.min.js
@@ -0,0 +1,9 @@
+/*
+ AngularJS v1.5.11
+ (c) 2010-2017 Google, Inc. http://angularjs.org
+ License: MIT
+*/
+(function(n,c){'use strict';function l(b,a,g){var d=g.baseHref(),k=b[0];return function(b,e,f){var g,h;f=f||{};h=f.expires;g=c.isDefined(f.path)?f.path:d;c.isUndefined(e)&&(h="Thu, 01 Jan 1970 00:00:00 GMT",e="");c.isString(h)&&(h=new Date(h));e=encodeURIComponent(b)+"="+encodeURIComponent(e);e=e+(g?";path="+g:"")+(f.domain?";domain="+f.domain:"");e+=h?";expires="+h.toUTCString():"";e+=f.secure?";secure":"";f=e.length+1;4096 4096 bytes)!");k.cookie=e}}c.module("ngCookies",["ng"]).provider("$cookies",[function(){var b=this.defaults={};this.$get=["$$cookieReader","$$cookieWriter",function(a,g){return{get:function(d){return a()[d]},getObject:function(d){return(d=this.get(d))?c.fromJson(d):d},getAll:function(){return a()},put:function(d,a,m){g(d,a,m?c.extend({},b,m):b)},putObject:function(d,b,a){this.put(d,c.toJson(b),a)},remove:function(a,k){g(a,void 0,k?c.extend({},b,k):b)}}}]}]);c.module("ngCookies").factory("$cookieStore",
+["$cookies",function(b){return{get:function(a){return b.getObject(a)},put:function(a,c){b.putObject(a,c)},remove:function(a){b.remove(a)}}}]);l.$inject=["$document","$log","$browser"];c.module("ngCookies").provider("$$cookieWriter",function(){this.$get=l})})(window,window.angular);
+//# sourceMappingURL=angular-cookies.min.js.map
diff --git a/1.5.11/angular-cookies.min.js.map b/1.5.11/angular-cookies.min.js.map
new file mode 100644
index 0000000000..5eafdbd33f
--- /dev/null
+++ b/1.5.11/angular-cookies.min.js.map
@@ -0,0 +1,8 @@
+{
+"version":3,
+"file":"angular-cookies.min.js",
+"lineCount":8,
+"mappings":"A;;;;;aAKC,SAAQ,CAACA,CAAD,CAASC,CAAT,CAAkB,CAmR3BC,QAASA,EAAc,CAACC,CAAD,CAAYC,CAAZ,CAAkBC,CAAlB,CAA4B,CACjD,IAAIC,EAAaD,CAAAE,SAAA,EAAjB,CACIC,EAAcL,CAAA,CAAU,CAAV,CAmClB,OAAO,SAAQ,CAACM,CAAD,CAAOC,CAAP,CAAcC,CAAd,CAAuB,CAjCW,IAC3CC,CAD2C,CACrCC,CACVF,EAAA,CAgCoDA,CAhCpD,EAAqB,EACrBE,EAAA,CAAUF,CAAAE,QACVD,EAAA,CAAOX,CAAAa,UAAA,CAAkBH,CAAAC,KAAlB,CAAA,CAAkCD,CAAAC,KAAlC,CAAiDN,CACpDL,EAAAc,YAAA,CAAoBL,CAApB,CAAJ,GACEG,CACA,CADU,+BACV,CAAAH,CAAA,CAAQ,EAFV,CAIIT,EAAAe,SAAA,CAAiBH,CAAjB,CAAJ,GACEA,CADF,CACY,IAAII,IAAJ,CAASJ,CAAT,CADZ,CAIIK,EAAAA,CAAMC,kBAAA,CAqB6BV,CArB7B,CAANS,CAAiC,GAAjCA,CAAuCC,kBAAA,CAAmBT,CAAnB,CAE3CQ,EAAA,CADAA,CACA,EADON,CAAA,CAAO,QAAP,CAAkBA,CAAlB,CAAyB,EAChC,GAAOD,CAAAS,OAAA,CAAiB,UAAjB,CAA8BT,CAAAS,OAA9B,CAA+C,EAAtD,CACAF,EAAA,EAAOL,CAAA,CAAU,WAAV,CAAwBA,CAAAQ,YAAA,EAAxB,CAAgD,EACvDH,EAAA,EAAOP,CAAAW,OAAA,CAAiB,SAAjB,CAA6B,EAMhCC,EAAAA,CAAeL,CAAAM,OAAfD,CAA4B,CACb,KAAnB,CAAIA,CAAJ,EACEnB,CAAAqB,KAAA,CAAU,UAAV,CASqChB,CATrC,CACE,6DADF;AAEEc,CAFF,CAEiB,iBAFjB,CASFf,EAAAkB,OAAA,CAJOR,CAG6B,CArCW,CAjQnDjB,CAAA0B,OAAA,CAAe,WAAf,CAA4B,CAAC,IAAD,CAA5B,CAAAC,SAAA,CAOY,UAPZ,CAOwB,CAAaC,QAAyB,EAAG,CAkC7D,IAAIC,EAAW,IAAAA,SAAXA,CAA2B,EAiC/B,KAAAC,KAAA,CAAY,CAAC,gBAAD,CAAmB,gBAAnB,CAAqC,QAAQ,CAACC,CAAD,CAAiBC,CAAjB,CAAiC,CACxF,MAAO,CAWLC,IAAKA,QAAQ,CAACC,CAAD,CAAM,CACjB,MAAOH,EAAA,EAAA,CAAiBG,CAAjB,CADU,CAXd,CAyBLC,UAAWA,QAAQ,CAACD,CAAD,CAAM,CAEvB,MAAO,CADHzB,CACG,CADK,IAAAwB,IAAA,CAASC,CAAT,CACL,EAAQlC,CAAAoC,SAAA,CAAiB3B,CAAjB,CAAR,CAAkCA,CAFlB,CAzBpB,CAuCL4B,OAAQA,QAAQ,EAAG,CACjB,MAAON,EAAA,EADU,CAvCd,CAuDLO,IAAKA,QAAQ,CAACJ,CAAD,CAAMzB,CAAN,CAAaC,CAAb,CAAsB,CACjCsB,CAAA,CAAeE,CAAf,CAAoBzB,CAApB,CAAuCC,CAvFpC,CAAUV,CAAAuC,OAAA,CAAe,EAAf,CAAmBV,CAAnB,CAuF0BnB,CAvF1B,CAAV,CAAkDmB,CAuFrD,CADiC,CAvD9B,CAuELW,UAAWA,QAAQ,CAACN,CAAD,CAAMzB,CAAN,CAAaC,CAAb,CAAsB,CACvC,IAAA4B,IAAA,CAASJ,CAAT,CAAclC,CAAAyC,OAAA,CAAehC,CAAf,CAAd,CAAqCC,CAArC,CADuC,CAvEpC,CAsFLgC,OAAQA,QAAQ,CAACR,CAAD,CAAMxB,CAAN,CAAe,CAC7BsB,CAAA,CAAeE,CAAf,CAAoBS,IAAAA,EAApB,CAA2CjC,CAtHxC,CAAUV,CAAAuC,OAAA,CAAe,EAAf,CAAmBV,CAAnB,CAsH8BnB,CAtH9B,CAAV,CAAkDmB,CAsHrD,CAD6B,CAtF1B,CADiF,CAA9E,CAnEiD,CAAzC,CAPxB,CAwKA7B,EAAA0B,OAAA,CAAe,WAAf,CAAAkB,QAAA,CA+BS,cA/BT;AA+ByB,CAAC,UAAD,CAAa,QAAQ,CAACC,CAAD,CAAW,CAErD,MAAO,CAWLZ,IAAKA,QAAQ,CAACC,CAAD,CAAM,CACjB,MAAOW,EAAAV,UAAA,CAAmBD,CAAnB,CADU,CAXd,CAyBLI,IAAKA,QAAQ,CAACJ,CAAD,CAAMzB,CAAN,CAAa,CACxBoC,CAAAL,UAAA,CAAmBN,CAAnB,CAAwBzB,CAAxB,CADwB,CAzBrB,CAsCLiC,OAAQA,QAAQ,CAACR,CAAD,CAAM,CACpBW,CAAAH,OAAA,CAAgBR,CAAhB,CADoB,CAtCjB,CAF8C,CAAhC,CA/BzB,CAmIAjC,EAAA6C,QAAA,CAAyB,CAAC,WAAD,CAAc,MAAd,CAAsB,UAAtB,CAEzB9C,EAAA0B,OAAA,CAAe,WAAf,CAAAC,SAAA,CAAqC,gBAArC,CAAoEoB,QAA+B,EAAG,CACpG,IAAAjB,KAAA,CAAY7B,CADwF,CAAtG,CA/T2B,CAA1B,CAAD,CAoUGF,MApUH,CAoUWA,MAAAC,QApUX;",
+"sources":["angular-cookies.js"],
+"names":["window","angular","$$CookieWriter","$document","$log","$browser","cookiePath","baseHref","rawDocument","name","value","options","path","expires","isDefined","isUndefined","isString","Date","str","encodeURIComponent","domain","toUTCString","secure","cookieLength","length","warn","cookie","module","provider","$CookiesProvider","defaults","$get","$$cookieReader","$$cookieWriter","get","key","getObject","fromJson","getAll","put","extend","putObject","toJson","remove","undefined","factory","$cookies","$inject","$$CookieWriterProvider"]
+}
diff --git a/1.5.11/angular-csp.css b/1.5.11/angular-csp.css
new file mode 100644
index 0000000000..f3cd926cb3
--- /dev/null
+++ b/1.5.11/angular-csp.css
@@ -0,0 +1,21 @@
+/* Include this file in your html if you are using the CSP mode. */
+
+@charset "UTF-8";
+
+[ng\:cloak], [ng-cloak], [data-ng-cloak], [x-ng-cloak],
+.ng-cloak, .x-ng-cloak,
+.ng-hide:not(.ng-hide-animate) {
+ display: none !important;
+}
+
+ng\:form {
+ display: block;
+}
+
+.ng-animate-shim {
+ visibility:hidden;
+}
+
+.ng-anchor {
+ position:absolute;
+}
diff --git a/1.5.11/angular-loader.js b/1.5.11/angular-loader.js
new file mode 100644
index 0000000000..47906dff45
--- /dev/null
+++ b/1.5.11/angular-loader.js
@@ -0,0 +1,484 @@
+/**
+ * @license AngularJS v1.5.11
+ * (c) 2010-2017 Google, Inc. http://angularjs.org
+ * License: MIT
+ */
+
+(function() {'use strict';
+ function isFunction(value) {return typeof value === 'function';};
+
+/* global toDebugString: true */
+
+function serializeObject(obj) {
+ var seen = [];
+
+ return JSON.stringify(obj, function(key, val) {
+ val = toJsonReplacer(key, val);
+ if (isObject(val)) {
+
+ if (seen.indexOf(val) >= 0) return '...';
+
+ seen.push(val);
+ }
+ return val;
+ });
+}
+
+function toDebugString(obj) {
+ if (typeof obj === 'function') {
+ return obj.toString().replace(/ \{[\s\S]*$/, '');
+ } else if (isUndefined(obj)) {
+ return 'undefined';
+ } else if (typeof obj !== 'string') {
+ return serializeObject(obj);
+ }
+ return obj;
+}
+
+/**
+ * @description
+ *
+ * This object provides a utility for producing rich Error messages within
+ * Angular. It can be called as follows:
+ *
+ * var exampleMinErr = minErr('example');
+ * throw exampleMinErr('one', 'This {0} is {1}', foo, bar);
+ *
+ * The above creates an instance of minErr in the example namespace. The
+ * resulting error will have a namespaced error code of example.one. The
+ * resulting error will replace {0} with the value of foo, and {1} with the
+ * value of bar. The object is not restricted in the number of arguments it can
+ * take.
+ *
+ * If fewer arguments are specified than necessary for interpolation, the extra
+ * interpolation markers will be preserved in the final string.
+ *
+ * Since data will be parsed statically during a build step, some restrictions
+ * are applied with respect to how minErr instances are created and called.
+ * Instances should have names of the form namespaceMinErr for a minErr created
+ * using minErr('namespace') . Error codes, namespaces and template strings
+ * should all be static strings, not variables or general expressions.
+ *
+ * @param {string} module The namespace to use for the new minErr instance.
+ * @param {function} ErrorConstructor Custom error constructor to be instantiated when returning
+ * error from returned function, for cases when a particular type of error is useful.
+ * @returns {function(code:string, template:string, ...templateArgs): Error} minErr instance
+ */
+
+function minErr(module, ErrorConstructor) {
+ ErrorConstructor = ErrorConstructor || Error;
+ return function() {
+ var SKIP_INDEXES = 2;
+
+ var templateArgs = arguments,
+ code = templateArgs[0],
+ message = '[' + (module ? module + ':' : '') + code + '] ',
+ template = templateArgs[1],
+ paramPrefix, i;
+
+ message += template.replace(/\{\d+\}/g, function(match) {
+ var index = +match.slice(1, -1),
+ shiftedIndex = index + SKIP_INDEXES;
+
+ if (shiftedIndex < templateArgs.length) {
+ return toDebugString(templateArgs[shiftedIndex]);
+ }
+
+ return match;
+ });
+
+ message += '\nhttp://errors.angularjs.org/1.5.11/' +
+ (module ? module + '/' : '') + code;
+
+ for (i = SKIP_INDEXES, paramPrefix = '?'; i < templateArgs.length; i++, paramPrefix = '&') {
+ message += paramPrefix + 'p' + (i - SKIP_INDEXES) + '=' +
+ encodeURIComponent(toDebugString(templateArgs[i]));
+ }
+
+ return new ErrorConstructor(message);
+ };
+}
+
+/**
+ * @ngdoc type
+ * @name angular.Module
+ * @module ng
+ * @description
+ *
+ * Interface for configuring angular {@link angular.module modules}.
+ */
+
+function setupModuleLoader(window) {
+
+ var $injectorMinErr = minErr('$injector');
+ var ngMinErr = minErr('ng');
+
+ function ensure(obj, name, factory) {
+ return obj[name] || (obj[name] = factory());
+ }
+
+ var angular = ensure(window, 'angular', Object);
+
+ // We need to expose `angular.$$minErr` to modules such as `ngResource` that reference it during bootstrap
+ angular.$$minErr = angular.$$minErr || minErr;
+
+ return ensure(angular, 'module', function() {
+ /** @type {Object.} */
+ var modules = {};
+
+ /**
+ * @ngdoc function
+ * @name angular.module
+ * @module ng
+ * @description
+ *
+ * The `angular.module` is a global place for creating, registering and retrieving Angular
+ * modules.
+ * All modules (angular core or 3rd party) that should be available to an application must be
+ * registered using this mechanism.
+ *
+ * Passing one argument retrieves an existing {@link angular.Module},
+ * whereas passing more than one argument creates a new {@link angular.Module}
+ *
+ *
+ * # Module
+ *
+ * A module is a collection of services, directives, controllers, filters, and configuration information.
+ * `angular.module` is used to configure the {@link auto.$injector $injector}.
+ *
+ * ```js
+ * // Create a new module
+ * var myModule = angular.module('myModule', []);
+ *
+ * // register a new service
+ * myModule.value('appName', 'MyCoolApp');
+ *
+ * // configure existing services inside initialization blocks.
+ * myModule.config(['$locationProvider', function($locationProvider) {
+ * // Configure existing providers
+ * $locationProvider.hashPrefix('!');
+ * }]);
+ * ```
+ *
+ * Then you can create an injector and load your modules like this:
+ *
+ * ```js
+ * var injector = angular.injector(['ng', 'myModule'])
+ * ```
+ *
+ * However it's more likely that you'll just use
+ * {@link ng.directive:ngApp ngApp} or
+ * {@link angular.bootstrap} to simplify this process for you.
+ *
+ * @param {!string} name The name of the module to create or retrieve.
+ * @param {!Array.=} requires If specified then new module is being created. If
+ * unspecified then the module is being retrieved for further configuration.
+ * @param {Function=} configFn Optional configuration function for the module. Same as
+ * {@link angular.Module#config Module#config()}.
+ * @returns {angular.Module} new module with the {@link angular.Module} api.
+ */
+ return function module(name, requires, configFn) {
+ var assertNotHasOwnProperty = function(name, context) {
+ if (name === 'hasOwnProperty') {
+ throw ngMinErr('badname', 'hasOwnProperty is not a valid {0} name', context);
+ }
+ };
+
+ assertNotHasOwnProperty(name, 'module');
+ if (requires && modules.hasOwnProperty(name)) {
+ modules[name] = null;
+ }
+ return ensure(modules, name, function() {
+ if (!requires) {
+ throw $injectorMinErr('nomod', 'Module \'{0}\' is not available! You either misspelled ' +
+ 'the module name or forgot to load it. If registering a module ensure that you ' +
+ 'specify the dependencies as the second argument.', name);
+ }
+
+ /** @type {!Array.>} */
+ var invokeQueue = [];
+
+ /** @type {!Array.} */
+ var configBlocks = [];
+
+ /** @type {!Array.} */
+ var runBlocks = [];
+
+ var config = invokeLater('$injector', 'invoke', 'push', configBlocks);
+
+ /** @type {angular.Module} */
+ var moduleInstance = {
+ // Private state
+ _invokeQueue: invokeQueue,
+ _configBlocks: configBlocks,
+ _runBlocks: runBlocks,
+
+ /**
+ * @ngdoc property
+ * @name angular.Module#requires
+ * @module ng
+ *
+ * @description
+ * Holds the list of modules which the injector will load before the current module is
+ * loaded.
+ */
+ requires: requires,
+
+ /**
+ * @ngdoc property
+ * @name angular.Module#name
+ * @module ng
+ *
+ * @description
+ * Name of the module.
+ */
+ name: name,
+
+
+ /**
+ * @ngdoc method
+ * @name angular.Module#provider
+ * @module ng
+ * @param {string} name service name
+ * @param {Function} providerType Construction function for creating new instance of the
+ * service.
+ * @description
+ * See {@link auto.$provide#provider $provide.provider()}.
+ */
+ provider: invokeLaterAndSetModuleName('$provide', 'provider'),
+
+ /**
+ * @ngdoc method
+ * @name angular.Module#factory
+ * @module ng
+ * @param {string} name service name
+ * @param {Function} providerFunction Function for creating new instance of the service.
+ * @description
+ * See {@link auto.$provide#factory $provide.factory()}.
+ */
+ factory: invokeLaterAndSetModuleName('$provide', 'factory'),
+
+ /**
+ * @ngdoc method
+ * @name angular.Module#service
+ * @module ng
+ * @param {string} name service name
+ * @param {Function} constructor A constructor function that will be instantiated.
+ * @description
+ * See {@link auto.$provide#service $provide.service()}.
+ */
+ service: invokeLaterAndSetModuleName('$provide', 'service'),
+
+ /**
+ * @ngdoc method
+ * @name angular.Module#value
+ * @module ng
+ * @param {string} name service name
+ * @param {*} object Service instance object.
+ * @description
+ * See {@link auto.$provide#value $provide.value()}.
+ */
+ value: invokeLater('$provide', 'value'),
+
+ /**
+ * @ngdoc method
+ * @name angular.Module#constant
+ * @module ng
+ * @param {string} name constant name
+ * @param {*} object Constant value.
+ * @description
+ * Because the constants are fixed, they get applied before other provide methods.
+ * See {@link auto.$provide#constant $provide.constant()}.
+ */
+ constant: invokeLater('$provide', 'constant', 'unshift'),
+
+ /**
+ * @ngdoc method
+ * @name angular.Module#decorator
+ * @module ng
+ * @param {string} name The name of the service to decorate.
+ * @param {Function} decorFn This function will be invoked when the service needs to be
+ * instantiated and should return the decorated service instance.
+ * @description
+ * See {@link auto.$provide#decorator $provide.decorator()}.
+ */
+ decorator: invokeLaterAndSetModuleName('$provide', 'decorator'),
+
+ /**
+ * @ngdoc method
+ * @name angular.Module#animation
+ * @module ng
+ * @param {string} name animation name
+ * @param {Function} animationFactory Factory function for creating new instance of an
+ * animation.
+ * @description
+ *
+ * **NOTE**: animations take effect only if the **ngAnimate** module is loaded.
+ *
+ *
+ * Defines an animation hook that can be later used with
+ * {@link $animate $animate} service and directives that use this service.
+ *
+ * ```js
+ * module.animation('.animation-name', function($inject1, $inject2) {
+ * return {
+ * eventName : function(element, done) {
+ * //code to run the animation
+ * //once complete, then run done()
+ * return function cancellationFunction(element) {
+ * //code to cancel the animation
+ * }
+ * }
+ * }
+ * })
+ * ```
+ *
+ * See {@link ng.$animateProvider#register $animateProvider.register()} and
+ * {@link ngAnimate ngAnimate module} for more information.
+ */
+ animation: invokeLaterAndSetModuleName('$animateProvider', 'register'),
+
+ /**
+ * @ngdoc method
+ * @name angular.Module#filter
+ * @module ng
+ * @param {string} name Filter name - this must be a valid angular expression identifier
+ * @param {Function} filterFactory Factory function for creating new instance of filter.
+ * @description
+ * See {@link ng.$filterProvider#register $filterProvider.register()}.
+ *
+ *
+ * **Note:** Filter names must be valid angular {@link expression} identifiers, such as `uppercase` or `orderBy`.
+ * Names with special characters, such as hyphens and dots, are not allowed. If you wish to namespace
+ * your filters, then you can use capitalization (`myappSubsectionFilterx`) or underscores
+ * (`myapp_subsection_filterx`).
+ *
+ */
+ filter: invokeLaterAndSetModuleName('$filterProvider', 'register'),
+
+ /**
+ * @ngdoc method
+ * @name angular.Module#controller
+ * @module ng
+ * @param {string|Object} name Controller name, or an object map of controllers where the
+ * keys are the names and the values are the constructors.
+ * @param {Function} constructor Controller constructor function.
+ * @description
+ * See {@link ng.$controllerProvider#register $controllerProvider.register()}.
+ */
+ controller: invokeLaterAndSetModuleName('$controllerProvider', 'register'),
+
+ /**
+ * @ngdoc method
+ * @name angular.Module#directive
+ * @module ng
+ * @param {string|Object} name Directive name, or an object map of directives where the
+ * keys are the names and the values are the factories.
+ * @param {Function} directiveFactory Factory function for creating new instance of
+ * directives.
+ * @description
+ * See {@link ng.$compileProvider#directive $compileProvider.directive()}.
+ */
+ directive: invokeLaterAndSetModuleName('$compileProvider', 'directive'),
+
+ /**
+ * @ngdoc method
+ * @name angular.Module#component
+ * @module ng
+ * @param {string} name Name of the component in camel-case (i.e. myComp which will match as my-comp)
+ * @param {Object} options Component definition object (a simplified
+ * {@link ng.$compile#directive-definition-object directive definition object})
+ *
+ * @description
+ * See {@link ng.$compileProvider#component $compileProvider.component()}.
+ */
+ component: invokeLaterAndSetModuleName('$compileProvider', 'component'),
+
+ /**
+ * @ngdoc method
+ * @name angular.Module#config
+ * @module ng
+ * @param {Function} configFn Execute this function on module load. Useful for service
+ * configuration.
+ * @description
+ * Use this method to register work which needs to be performed on module loading.
+ * For more about how to configure services, see
+ * {@link providers#provider-recipe Provider Recipe}.
+ */
+ config: config,
+
+ /**
+ * @ngdoc method
+ * @name angular.Module#run
+ * @module ng
+ * @param {Function} initializationFn Execute this function after injector creation.
+ * Useful for application initialization.
+ * @description
+ * Use this method to register work which should be performed when the injector is done
+ * loading all modules.
+ */
+ run: function(block) {
+ runBlocks.push(block);
+ return this;
+ }
+ };
+
+ if (configFn) {
+ config(configFn);
+ }
+
+ return moduleInstance;
+
+ /**
+ * @param {string} provider
+ * @param {string} method
+ * @param {String=} insertMethod
+ * @returns {angular.Module}
+ */
+ function invokeLater(provider, method, insertMethod, queue) {
+ if (!queue) queue = invokeQueue;
+ return function() {
+ queue[insertMethod || 'push']([provider, method, arguments]);
+ return moduleInstance;
+ };
+ }
+
+ /**
+ * @param {string} provider
+ * @param {string} method
+ * @returns {angular.Module}
+ */
+ function invokeLaterAndSetModuleName(provider, method) {
+ return function(recipeName, factoryFunction) {
+ if (factoryFunction && isFunction(factoryFunction)) factoryFunction.$$moduleName = name;
+ invokeQueue.push([provider, method, arguments]);
+ return moduleInstance;
+ };
+ }
+ });
+ };
+ });
+
+}
+
+setupModuleLoader(window);
+})(window);
+
+/**
+ * Closure compiler type information
+ *
+ * @typedef { {
+ * requires: !Array.,
+ * invokeQueue: !Array.>,
+ *
+ * service: function(string, Function):angular.Module,
+ * factory: function(string, Function):angular.Module,
+ * value: function(string, *):angular.Module,
+ *
+ * filter: function(string, Function):angular.Module,
+ *
+ * init: function(Function):angular.Module
+ * } }
+ */
+angular.Module;
+
diff --git a/1.5.11/angular-loader.min.js b/1.5.11/angular-loader.min.js
new file mode 100644
index 0000000000..efc233b461
--- /dev/null
+++ b/1.5.11/angular-loader.min.js
@@ -0,0 +1,10 @@
+/*
+ AngularJS v1.5.11
+ (c) 2010-2017 Google, Inc. http://angularjs.org
+ License: MIT
+*/
+(function(){'use strict';function g(a,c){c=c||Error;return function(){var d=arguments[0],f;f="["+(a?a+":":"")+d+"] http://errors.angularjs.org/1.5.11/"+(a?a+"/":"")+d;for(d=1;d= line.length) {
+ index -= line.length;
+ } else {
+ return { line: i + 1, column: index + 1 };
+ }
+ }
+}
+var PARSE_CACHE_FOR_TEXT_LITERALS = Object.create(null);
+
+function parseTextLiteral(text) {
+ var cachedFn = PARSE_CACHE_FOR_TEXT_LITERALS[text];
+ if (cachedFn != null) {
+ return cachedFn;
+ }
+ function parsedFn(context) { return text; }
+ parsedFn['$$watchDelegate'] = function watchDelegate(scope, listener, objectEquality) {
+ var unwatch = scope['$watch'](noop,
+ function textLiteralWatcher() {
+ if (isFunction(listener)) { listener(text, text, scope); }
+ unwatch();
+ },
+ objectEquality);
+ return unwatch;
+ };
+ PARSE_CACHE_FOR_TEXT_LITERALS[text] = parsedFn;
+ parsedFn['exp'] = text; // Needed to pretend to be $interpolate for tests copied from interpolateSpec.js
+ parsedFn['expressions'] = []; // Require this to call $compile.$$addBindingInfo() which allows Protractor to find elements by binding.
+ return parsedFn;
+}
+
+function subtractOffset(expressionFn, offset) {
+ if (offset === 0) {
+ return expressionFn;
+ }
+ function minusOffset(value) {
+ return (value == null) ? value : value - offset;
+ }
+ function parsedFn(context) { return minusOffset(expressionFn(context)); }
+ var unwatch;
+ parsedFn['$$watchDelegate'] = function watchDelegate(scope, listener, objectEquality) {
+ unwatch = scope['$watch'](expressionFn,
+ function pluralExpressionWatchListener(newValue, oldValue) {
+ if (isFunction(listener)) { listener(minusOffset(newValue), minusOffset(oldValue), scope); }
+ },
+ objectEquality);
+ return unwatch;
+ };
+ return parsedFn;
+}
+
+// NOTE: ADVANCED_OPTIMIZATIONS mode.
+//
+// This file is compiled with Closure compiler's ADVANCED_OPTIMIZATIONS flag! Be wary of using
+// constructs incompatible with that mode.
+
+/* global $interpolateMinErr: false */
+/* global isFunction: false */
+/* global noop: false */
+
+/**
+ * @constructor
+ * @private
+ */
+function MessageSelectorBase(expressionFn, choices) {
+ var self = this;
+ this.expressionFn = expressionFn;
+ this.choices = choices;
+ if (choices['other'] === undefined) {
+ throw $interpolateMinErr('reqother', '“other” is a required option.');
+ }
+ this.parsedFn = function(context) { return self.getResult(context); };
+ this.parsedFn['$$watchDelegate'] = function $$watchDelegate(scope, listener, objectEquality) {
+ return self.watchDelegate(scope, listener, objectEquality);
+ };
+ this.parsedFn['exp'] = expressionFn['exp'];
+ this.parsedFn['expressions'] = expressionFn['expressions'];
+}
+
+MessageSelectorBase.prototype.getMessageFn = function getMessageFn(value) {
+ return this.choices[this.categorizeValue(value)];
+};
+
+MessageSelectorBase.prototype.getResult = function getResult(context) {
+ return this.getMessageFn(this.expressionFn(context))(context);
+};
+
+MessageSelectorBase.prototype.watchDelegate = function watchDelegate(scope, listener, objectEquality) {
+ var watchers = new MessageSelectorWatchers(this, scope, listener, objectEquality);
+ return function() { watchers.cancelWatch(); };
+};
+
+/**
+ * @constructor
+ * @private
+ */
+function MessageSelectorWatchers(msgSelector, scope, listener, objectEquality) {
+ var self = this;
+ this.scope = scope;
+ this.msgSelector = msgSelector;
+ this.listener = listener;
+ this.objectEquality = objectEquality;
+ this.lastMessage = undefined;
+ this.messageFnWatcher = noop;
+ var expressionFnListener = function(newValue, oldValue) { return self.expressionFnListener(newValue, oldValue); };
+ this.expressionFnWatcher = scope['$watch'](msgSelector.expressionFn, expressionFnListener, objectEquality);
+}
+
+MessageSelectorWatchers.prototype.expressionFnListener = function expressionFnListener(newValue, oldValue) {
+ var self = this;
+ this.messageFnWatcher();
+ var messageFnListener = function(newMessage, oldMessage) { return self.messageFnListener(newMessage, oldMessage); };
+ var messageFn = this.msgSelector.getMessageFn(newValue);
+ this.messageFnWatcher = this.scope['$watch'](messageFn, messageFnListener, this.objectEquality);
+};
+
+MessageSelectorWatchers.prototype.messageFnListener = function messageFnListener(newMessage, oldMessage) {
+ if (isFunction(this.listener)) {
+ this.listener.call(null, newMessage, newMessage === oldMessage ? newMessage : this.lastMessage, this.scope);
+ }
+ this.lastMessage = newMessage;
+};
+
+MessageSelectorWatchers.prototype.cancelWatch = function cancelWatch() {
+ this.expressionFnWatcher();
+ this.messageFnWatcher();
+};
+
+/**
+ * @constructor
+ * @extends MessageSelectorBase
+ * @private
+ */
+function SelectMessage(expressionFn, choices) {
+ MessageSelectorBase.call(this, expressionFn, choices);
+}
+
+function SelectMessageProto() {}
+SelectMessageProto.prototype = MessageSelectorBase.prototype;
+
+SelectMessage.prototype = new SelectMessageProto();
+SelectMessage.prototype.categorizeValue = function categorizeSelectValue(value) {
+ return (this.choices[value] !== undefined) ? value : 'other';
+};
+
+/**
+ * @constructor
+ * @extends MessageSelectorBase
+ * @private
+ */
+function PluralMessage(expressionFn, choices, offset, pluralCat) {
+ MessageSelectorBase.call(this, expressionFn, choices);
+ this.offset = offset;
+ this.pluralCat = pluralCat;
+}
+
+function PluralMessageProto() {}
+PluralMessageProto.prototype = MessageSelectorBase.prototype;
+
+PluralMessage.prototype = new PluralMessageProto();
+PluralMessage.prototype.categorizeValue = function categorizePluralValue(value) {
+ if (isNaN(value)) {
+ return 'other';
+ } else if (this.choices[value] !== undefined) {
+ return value;
+ } else {
+ var category = this.pluralCat(value - this.offset);
+ return (this.choices[category] !== undefined) ? category : 'other';
+ }
+};
+
+// NOTE: ADVANCED_OPTIMIZATIONS mode.
+//
+// This file is compiled with Closure compiler's ADVANCED_OPTIMIZATIONS flag! Be wary of using
+// constructs incompatible with that mode.
+
+/* global $interpolateMinErr: false */
+/* global isFunction: false */
+/* global parseTextLiteral: false */
+
+/**
+ * @constructor
+ * @private
+ */
+function InterpolationParts(trustedContext, allOrNothing) {
+ this.trustedContext = trustedContext;
+ this.allOrNothing = allOrNothing;
+ this.textParts = [];
+ this.expressionFns = [];
+ this.expressionIndices = [];
+ this.partialText = '';
+ this.concatParts = null;
+}
+
+InterpolationParts.prototype.flushPartialText = function flushPartialText() {
+ if (this.partialText) {
+ if (this.concatParts == null) {
+ this.textParts.push(this.partialText);
+ } else {
+ this.textParts.push(this.concatParts.join(''));
+ this.concatParts = null;
+ }
+ this.partialText = '';
+ }
+};
+
+InterpolationParts.prototype.addText = function addText(text) {
+ if (text.length) {
+ if (!this.partialText) {
+ this.partialText = text;
+ } else if (this.concatParts) {
+ this.concatParts.push(text);
+ } else {
+ this.concatParts = [this.partialText, text];
+ }
+ }
+};
+
+InterpolationParts.prototype.addExpressionFn = function addExpressionFn(expressionFn) {
+ this.flushPartialText();
+ this.expressionIndices.push(this.textParts.length);
+ this.expressionFns.push(expressionFn);
+ this.textParts.push('');
+};
+
+InterpolationParts.prototype.getExpressionValues = function getExpressionValues(context) {
+ var expressionValues = new Array(this.expressionFns.length);
+ for (var i = 0; i < this.expressionFns.length; i++) {
+ expressionValues[i] = this.expressionFns[i](context);
+ }
+ return expressionValues;
+};
+
+InterpolationParts.prototype.getResult = function getResult(expressionValues) {
+ for (var i = 0; i < this.expressionIndices.length; i++) {
+ var expressionValue = expressionValues[i];
+ if (this.allOrNothing && expressionValue === undefined) return;
+ this.textParts[this.expressionIndices[i]] = expressionValue;
+ }
+ return this.textParts.join('');
+};
+
+
+InterpolationParts.prototype.toParsedFn = function toParsedFn(mustHaveExpression, originalText) {
+ var self = this;
+ this.flushPartialText();
+ if (mustHaveExpression && this.expressionFns.length === 0) {
+ return undefined;
+ }
+ if (this.textParts.length === 0) {
+ return parseTextLiteral('');
+ }
+ if (this.trustedContext && this.textParts.length > 1) {
+ $interpolateMinErr['throwNoconcat'](originalText);
+ }
+ if (this.expressionFns.length === 0) {
+ if (this.textParts.length !== 1) { this.errorInParseLogic(); }
+ return parseTextLiteral(this.textParts[0]);
+ }
+ var parsedFn = function(context) {
+ return self.getResult(self.getExpressionValues(context));
+ };
+ parsedFn['$$watchDelegate'] = function $$watchDelegate(scope, listener, objectEquality) {
+ return self.watchDelegate(scope, listener, objectEquality);
+ };
+
+ parsedFn['exp'] = originalText; // Needed to pretend to be $interpolate for tests copied from interpolateSpec.js
+ parsedFn['expressions'] = new Array(this.expressionFns.length); // Require this to call $compile.$$addBindingInfo() which allows Protractor to find elements by binding.
+ for (var i = 0; i < this.expressionFns.length; i++) {
+ parsedFn['expressions'][i] = this.expressionFns[i]['exp'];
+ }
+
+ return parsedFn;
+};
+
+InterpolationParts.prototype.watchDelegate = function watchDelegate(scope, listener, objectEquality) {
+ var watcher = new InterpolationPartsWatcher(this, scope, listener, objectEquality);
+ return function() { watcher.cancelWatch(); };
+};
+
+function InterpolationPartsWatcher(interpolationParts, scope, listener, objectEquality) {
+ this.interpolationParts = interpolationParts;
+ this.scope = scope;
+ this.previousResult = (undefined);
+ this.listener = listener;
+ var self = this;
+ this.expressionFnsWatcher = scope['$watchGroup'](interpolationParts.expressionFns, function(newExpressionValues, oldExpressionValues) {
+ self.watchListener(newExpressionValues, oldExpressionValues);
+ });
+}
+
+InterpolationPartsWatcher.prototype.watchListener = function watchListener(newExpressionValues, oldExpressionValues) {
+ var result = this.interpolationParts.getResult(newExpressionValues);
+ if (isFunction(this.listener)) {
+ this.listener.call(null, result, newExpressionValues === oldExpressionValues ? result : this.previousResult, this.scope);
+ }
+ this.previousResult = result;
+};
+
+InterpolationPartsWatcher.prototype.cancelWatch = function cancelWatch() {
+ this.expressionFnsWatcher();
+};
+
+// NOTE: ADVANCED_OPTIMIZATIONS mode.
+//
+// This file is compiled with Closure compiler's ADVANCED_OPTIMIZATIONS flag! Be wary of using
+// constructs incompatible with that mode.
+
+/* global $interpolateMinErr: false */
+/* global indexToLineAndColumn: false */
+/* global InterpolationParts: false */
+/* global PluralMessage: false */
+/* global SelectMessage: false */
+/* global subtractOffset: false */
+
+// The params src and dst are exactly one of two types: NestedParserState or MessageFormatParser.
+// This function is fully optimized by V8. (inspect via IRHydra or --trace-deopt.)
+// The idea behind writing it this way is to avoid repeating oneself. This is the ONE place where
+// the parser state that is saved/restored when parsing nested mustaches is specified.
+function copyNestedParserState(src, dst) {
+ dst.expressionFn = src.expressionFn;
+ dst.expressionMinusOffsetFn = src.expressionMinusOffsetFn;
+ dst.pluralOffset = src.pluralOffset;
+ dst.choices = src.choices;
+ dst.choiceKey = src.choiceKey;
+ dst.interpolationParts = src.interpolationParts;
+ dst.ruleChoiceKeyword = src.ruleChoiceKeyword;
+ dst.msgStartIndex = src.msgStartIndex;
+ dst.expressionStartIndex = src.expressionStartIndex;
+}
+
+function NestedParserState(parser) {
+ copyNestedParserState(parser, this);
+}
+
+/**
+ * @constructor
+ * @private
+ */
+function MessageFormatParser(text, startIndex, $parse, pluralCat, stringifier,
+ mustHaveExpression, trustedContext, allOrNothing) {
+ this.text = text;
+ this.index = startIndex || 0;
+ this.$parse = $parse;
+ this.pluralCat = pluralCat;
+ this.stringifier = stringifier;
+ this.mustHaveExpression = !!mustHaveExpression;
+ this.trustedContext = trustedContext;
+ this.allOrNothing = !!allOrNothing;
+ this.expressionFn = null;
+ this.expressionMinusOffsetFn = null;
+ this.pluralOffset = null;
+ this.choices = null;
+ this.choiceKey = null;
+ this.interpolationParts = null;
+ this.msgStartIndex = null;
+ this.nestedStateStack = [];
+ this.parsedFn = null;
+ this.rule = null;
+ this.ruleStack = null;
+ this.ruleChoiceKeyword = null;
+ this.interpNestLevel = null;
+ this.expressionStartIndex = null;
+ this.stringStartIndex = null;
+ this.stringQuote = null;
+ this.stringInterestsRe = null;
+ this.angularOperatorStack = null;
+ this.textPart = null;
+}
+
+// preserve v8 optimization.
+var EMPTY_STATE = new NestedParserState(new MessageFormatParser(
+ /* text= */ '', /* startIndex= */ 0, /* $parse= */ null, /* pluralCat= */ null, /* stringifier= */ null,
+ /* mustHaveExpression= */ false, /* trustedContext= */ null, /* allOrNothing */ false));
+
+MessageFormatParser.prototype.pushState = function pushState() {
+ this.nestedStateStack.push(new NestedParserState(this));
+ copyNestedParserState(EMPTY_STATE, this);
+};
+
+MessageFormatParser.prototype.popState = function popState() {
+ if (this.nestedStateStack.length === 0) {
+ this.errorInParseLogic();
+ }
+ var previousState = this.nestedStateStack.pop();
+ copyNestedParserState(previousState, this);
+};
+
+// Oh my JavaScript! Who knew you couldn't match a regex at a specific
+// location in a string but will always search forward?!
+// Apparently you'll be growing this ability via the sticky flag (y) in
+// ES6. I'll just to work around you for now.
+MessageFormatParser.prototype.matchRe = function matchRe(re, search) {
+ re.lastIndex = this.index;
+ var match = re.exec(this.text);
+ if (match != null && (search === true || (match.index === this.index))) {
+ this.index = re.lastIndex;
+ return match;
+ }
+ return null;
+};
+
+MessageFormatParser.prototype.searchRe = function searchRe(re) {
+ return this.matchRe(re, true);
+};
+
+
+MessageFormatParser.prototype.consumeRe = function consumeRe(re) {
+ // Without the sticky flag, we can't use the .test() method to consume a
+ // match at the current index. Instead, we'll use the slower .exec() method
+ // and verify match.index.
+ return !!this.matchRe(re);
+};
+
+// Run through our grammar avoiding deeply nested function call chains.
+MessageFormatParser.prototype.run = function run(initialRule) {
+ this.ruleStack = [initialRule];
+ do {
+ this.rule = this.ruleStack.pop();
+ while (this.rule) {
+ this.rule();
+ }
+ this.assertRuleOrNull(this.rule);
+ } while (this.ruleStack.length > 0);
+};
+
+MessageFormatParser.prototype.errorInParseLogic = function errorInParseLogic() {
+ throw $interpolateMinErr('logicbug',
+ 'The messageformat parser has encountered an internal error. Please file a github issue against the AngularJS project and provide this message text that triggers the bug. Text: “{0}”',
+ this.text);
+};
+
+MessageFormatParser.prototype.assertRuleOrNull = function assertRuleOrNull(rule) {
+ if (rule === undefined) {
+ this.errorInParseLogic();
+ }
+};
+
+var NEXT_WORD_RE = /\s*(\w+)\s*/g;
+MessageFormatParser.prototype.errorExpecting = function errorExpecting() {
+ // What was wrong with the syntax? Unsupported type, missing comma, or something else?
+ var match = this.matchRe(NEXT_WORD_RE), position;
+ if (match == null) {
+ position = indexToLineAndColumn(this.text, this.index);
+ throw $interpolateMinErr('reqarg',
+ 'Expected one of “plural” or “select” at line {0}, column {1} of text “{2}”',
+ position.line, position.column, this.text);
+ }
+ var word = match[1];
+ if (word === 'select' || word === 'plural') {
+ position = indexToLineAndColumn(this.text, this.index);
+ throw $interpolateMinErr('reqcomma',
+ 'Expected a comma after the keyword “{0}” at line {1}, column {2} of text “{3}”',
+ word, position.line, position.column, this.text);
+ } else {
+ position = indexToLineAndColumn(this.text, this.index);
+ throw $interpolateMinErr('unknarg',
+ 'Unsupported keyword “{0}” at line {0}, column {1}. Only “plural” and “select” are currently supported. Text: “{3}”',
+ word, position.line, position.column, this.text);
+ }
+};
+
+var STRING_START_RE = /['"]/g;
+MessageFormatParser.prototype.ruleString = function ruleString() {
+ var match = this.matchRe(STRING_START_RE);
+ if (match == null) {
+ var position = indexToLineAndColumn(this.text, this.index);
+ throw $interpolateMinErr('wantstring',
+ 'Expected the beginning of a string at line {0}, column {1} in text “{2}”',
+ position.line, position.column, this.text);
+ }
+ this.startStringAtMatch(match);
+};
+
+MessageFormatParser.prototype.startStringAtMatch = function startStringAtMatch(match) {
+ this.stringStartIndex = match.index;
+ this.stringQuote = match[0];
+ this.stringInterestsRe = this.stringQuote === '\'' ? SQUOTED_STRING_INTEREST_RE : DQUOTED_STRING_INTEREST_RE;
+ this.rule = this.ruleInsideString;
+};
+
+var SQUOTED_STRING_INTEREST_RE = /\\(?:\\|'|u[0-9A-Fa-f]{4}|x[0-9A-Fa-f]{2}|[0-7]{3}|\r\n|\n|[\s\S])|'/g;
+var DQUOTED_STRING_INTEREST_RE = /\\(?:\\|"|u[0-9A-Fa-f]{4}|x[0-9A-Fa-f]{2}|[0-7]{3}|\r\n|\n|[\s\S])|"/g;
+MessageFormatParser.prototype.ruleInsideString = function ruleInsideString() {
+ var match = this.searchRe(this.stringInterestsRe);
+ if (match == null) {
+ var position = indexToLineAndColumn(this.text, this.stringStartIndex);
+ throw $interpolateMinErr('untermstr',
+ 'The string beginning at line {0}, column {1} is unterminated in text “{2}”',
+ position.line, position.column, this.text);
+ }
+ if (match[0] === this.stringQuote) {
+ this.rule = null;
+ }
+};
+
+var PLURAL_OR_SELECT_ARG_TYPE_RE = /\s*(plural|select)\s*,\s*/g;
+MessageFormatParser.prototype.rulePluralOrSelect = function rulePluralOrSelect() {
+ var match = this.searchRe(PLURAL_OR_SELECT_ARG_TYPE_RE);
+ if (match == null) {
+ this.errorExpecting();
+ }
+ var argType = match[1];
+ switch (argType) {
+ case 'plural': this.rule = this.rulePluralStyle; break;
+ case 'select': this.rule = this.ruleSelectStyle; break;
+ default: this.errorInParseLogic();
+ }
+};
+
+MessageFormatParser.prototype.rulePluralStyle = function rulePluralStyle() {
+ this.choices = Object.create(null);
+ this.ruleChoiceKeyword = this.rulePluralValueOrKeyword;
+ this.rule = this.rulePluralOffset;
+};
+
+MessageFormatParser.prototype.ruleSelectStyle = function ruleSelectStyle() {
+ this.choices = Object.create(null);
+ this.ruleChoiceKeyword = this.ruleSelectKeyword;
+ this.rule = this.ruleSelectKeyword;
+};
+
+var NUMBER_RE = /[0]|(?:[1-9][0-9]*)/g;
+var PLURAL_OFFSET_RE = new RegExp('\\s*offset\\s*:\\s*(' + NUMBER_RE.source + ')', 'g');
+
+MessageFormatParser.prototype.rulePluralOffset = function rulePluralOffset() {
+ var match = this.matchRe(PLURAL_OFFSET_RE);
+ this.pluralOffset = (match == null) ? 0 : parseInt(match[1], 10);
+ this.expressionMinusOffsetFn = subtractOffset(this.expressionFn, this.pluralOffset);
+ this.rule = this.rulePluralValueOrKeyword;
+};
+
+MessageFormatParser.prototype.assertChoiceKeyIsNew = function assertChoiceKeyIsNew(choiceKey, index) {
+ if (this.choices[choiceKey] !== undefined) {
+ var position = indexToLineAndColumn(this.text, index);
+ throw $interpolateMinErr('dupvalue',
+ 'The choice “{0}” is specified more than once. Duplicate key is at line {1}, column {2} in text “{3}”',
+ choiceKey, position.line, position.column, this.text);
+ }
+};
+
+var SELECT_KEYWORD = /\s*(\w+)/g;
+MessageFormatParser.prototype.ruleSelectKeyword = function ruleSelectKeyword() {
+ var match = this.matchRe(SELECT_KEYWORD);
+ if (match == null) {
+ this.parsedFn = new SelectMessage(this.expressionFn, this.choices).parsedFn;
+ this.rule = null;
+ return;
+ }
+ this.choiceKey = match[1];
+ this.assertChoiceKeyIsNew(this.choiceKey, match.index);
+ this.rule = this.ruleMessageText;
+};
+
+var EXPLICIT_VALUE_OR_KEYWORD_RE = new RegExp('\\s*(?:(?:=(' + NUMBER_RE.source + '))|(\\w+))', 'g');
+MessageFormatParser.prototype.rulePluralValueOrKeyword = function rulePluralValueOrKeyword() {
+ var match = this.matchRe(EXPLICIT_VALUE_OR_KEYWORD_RE);
+ if (match == null) {
+ this.parsedFn = new PluralMessage(this.expressionFn, this.choices, this.pluralOffset, this.pluralCat).parsedFn;
+ this.rule = null;
+ return;
+ }
+ if (match[1] != null) {
+ this.choiceKey = parseInt(match[1], 10);
+ } else {
+ this.choiceKey = match[2];
+ }
+ this.assertChoiceKeyIsNew(this.choiceKey, match.index);
+ this.rule = this.ruleMessageText;
+};
+
+var BRACE_OPEN_RE = /\s*\{/g;
+var BRACE_CLOSE_RE = /}/g;
+MessageFormatParser.prototype.ruleMessageText = function ruleMessageText() {
+ if (!this.consumeRe(BRACE_OPEN_RE)) {
+ var position = indexToLineAndColumn(this.text, this.index);
+ throw $interpolateMinErr('reqopenbrace',
+ 'The plural choice “{0}” must be followed by a message in braces at line {1}, column {2} in text “{3}”',
+ this.choiceKey, position.line, position.column, this.text);
+ }
+ this.msgStartIndex = this.index;
+ this.interpolationParts = new InterpolationParts(this.trustedContext, this.allOrNothing);
+ this.rule = this.ruleInInterpolationOrMessageText;
+};
+
+// Note: Since "\" is used as an escape character, don't allow it to be part of the
+// startSymbol/endSymbol when I add the feature to allow them to be redefined.
+var INTERP_OR_END_MESSAGE_RE = /\\.|{{|}/g;
+var INTERP_OR_PLURALVALUE_OR_END_MESSAGE_RE = /\\.|{{|#|}/g;
+var ESCAPE_OR_MUSTACHE_BEGIN_RE = /\\.|{{/g;
+MessageFormatParser.prototype.advanceInInterpolationOrMessageText = function advanceInInterpolationOrMessageText() {
+ var currentIndex = this.index, match;
+ if (this.ruleChoiceKeyword == null) { // interpolation
+ match = this.searchRe(ESCAPE_OR_MUSTACHE_BEGIN_RE);
+ if (match == null) { // End of interpolation text. Nothing more to process.
+ this.textPart = this.text.substring(currentIndex);
+ this.index = this.text.length;
+ return null;
+ }
+ } else {
+ match = this.searchRe(this.ruleChoiceKeyword === this.rulePluralValueOrKeyword ?
+ INTERP_OR_PLURALVALUE_OR_END_MESSAGE_RE : INTERP_OR_END_MESSAGE_RE);
+ if (match == null) {
+ var position = indexToLineAndColumn(this.text, this.msgStartIndex);
+ throw $interpolateMinErr('reqendbrace',
+ 'The plural/select choice “{0}” message starting at line {1}, column {2} does not have an ending closing brace. Text “{3}”',
+ this.choiceKey, position.line, position.column, this.text);
+ }
+ }
+ // match is non-null.
+ var token = match[0];
+ this.textPart = this.text.substring(currentIndex, match.index);
+ return token;
+};
+
+MessageFormatParser.prototype.ruleInInterpolationOrMessageText = function ruleInInterpolationOrMessageText() {
+ var currentIndex = this.index;
+ var token = this.advanceInInterpolationOrMessageText();
+ if (token == null) {
+ // End of interpolation text. Nothing more to process.
+ this.index = this.text.length;
+ this.interpolationParts.addText(this.text.substring(currentIndex));
+ this.rule = null;
+ return;
+ }
+ if (token[0] === '\\') {
+ // unescape next character and continue
+ this.interpolationParts.addText(this.textPart + token[1]);
+ return;
+ }
+ this.interpolationParts.addText(this.textPart);
+ if (token === '{{') {
+ this.pushState();
+ this.ruleStack.push(this.ruleEndMustacheInInterpolationOrMessage);
+ this.rule = this.ruleEnteredMustache;
+ } else if (token === '}') {
+ this.choices[this.choiceKey] = this.interpolationParts.toParsedFn(/*mustHaveExpression=*/false, this.text);
+ this.rule = this.ruleChoiceKeyword;
+ } else if (token === '#') {
+ this.interpolationParts.addExpressionFn(this.expressionMinusOffsetFn);
+ } else {
+ this.errorInParseLogic();
+ }
+};
+
+MessageFormatParser.prototype.ruleInterpolate = function ruleInterpolate() {
+ this.interpolationParts = new InterpolationParts(this.trustedContext, this.allOrNothing);
+ this.rule = this.ruleInInterpolation;
+};
+
+MessageFormatParser.prototype.ruleInInterpolation = function ruleInInterpolation() {
+ var currentIndex = this.index;
+ var match = this.searchRe(ESCAPE_OR_MUSTACHE_BEGIN_RE);
+ if (match == null) {
+ // End of interpolation text. Nothing more to process.
+ this.index = this.text.length;
+ this.interpolationParts.addText(this.text.substring(currentIndex));
+ this.parsedFn = this.interpolationParts.toParsedFn(this.mustHaveExpression, this.text);
+ this.rule = null;
+ return;
+ }
+ var token = match[0];
+ if (token[0] === '\\') {
+ // unescape next character and continue
+ this.interpolationParts.addText(this.text.substring(currentIndex, match.index) + token[1]);
+ return;
+ }
+ this.interpolationParts.addText(this.text.substring(currentIndex, match.index));
+ this.pushState();
+ this.ruleStack.push(this.ruleInterpolationEndMustache);
+ this.rule = this.ruleEnteredMustache;
+};
+
+MessageFormatParser.prototype.ruleInterpolationEndMustache = function ruleInterpolationEndMustache() {
+ var expressionFn = this.parsedFn;
+ this.popState();
+ this.interpolationParts.addExpressionFn(expressionFn);
+ this.rule = this.ruleInInterpolation;
+};
+
+MessageFormatParser.prototype.ruleEnteredMustache = function ruleEnteredMustache() {
+ this.parsedFn = null;
+ this.ruleStack.push(this.ruleEndMustache);
+ this.rule = this.ruleAngularExpression;
+};
+
+MessageFormatParser.prototype.ruleEndMustacheInInterpolationOrMessage = function ruleEndMustacheInInterpolationOrMessage() {
+ var expressionFn = this.parsedFn;
+ this.popState();
+ this.interpolationParts.addExpressionFn(expressionFn);
+ this.rule = this.ruleInInterpolationOrMessageText;
+};
+
+
+
+var INTERP_END_RE = /\s*}}/g;
+MessageFormatParser.prototype.ruleEndMustache = function ruleEndMustache() {
+ var match = this.matchRe(INTERP_END_RE);
+ if (match == null) {
+ var position = indexToLineAndColumn(this.text, this.index);
+ throw $interpolateMinErr('reqendinterp',
+ 'Expecting end of interpolation symbol, “{0}”, at line {1}, column {2} in text “{3}”',
+ '}}', position.line, position.column, this.text);
+ }
+ if (this.parsedFn == null) {
+ // If we parsed a MessageFormat extension, (e.g. select/plural today, maybe more some other
+ // day), then the result *has* to be a string and those rules would have already set
+ // this.parsedFn. If there was no MessageFormat extension, then there is no requirement to
+ // stringify the result and parsedFn isn't set. We set it here. While we could have set it
+ // unconditionally when exiting the Angular expression, I intend for us to not just replace
+ // $interpolate, but also to replace $parse in a future version (so ng-bind can work), and in
+ // such a case we do not want to unnecessarily stringify something if it's not going to be used
+ // in a string context.
+ this.parsedFn = this.$parse(this.expressionFn, this.stringifier);
+ this.parsedFn['exp'] = this.expressionFn['exp']; // Needed to pretend to be $interpolate for tests copied from interpolateSpec.js
+ this.parsedFn['expressions'] = this.expressionFn['expressions']; // Require this to call $compile.$$addBindingInfo() which allows Protractor to find elements by binding.
+ }
+ this.rule = null;
+};
+
+MessageFormatParser.prototype.ruleAngularExpression = function ruleAngularExpression() {
+ this.angularOperatorStack = [];
+ this.expressionStartIndex = this.index;
+ this.rule = this.ruleInAngularExpression;
+};
+
+function getEndOperator(opBegin) {
+ switch (opBegin) {
+ case '{': return '}';
+ case '[': return ']';
+ case '(': return ')';
+ default: return null;
+ }
+}
+
+function getBeginOperator(opEnd) {
+ switch (opEnd) {
+ case '}': return '{';
+ case ']': return '[';
+ case ')': return '(';
+ default: return null;
+ }
+}
+
+// TODO(chirayu): The interpolation endSymbol must also be accounted for. It
+// just so happens that "}" is an operator so it's in the list below. But we
+// should support any other type of start/end interpolation symbol.
+var INTERESTING_OPERATORS_RE = /[[\]{}()'",]/g;
+MessageFormatParser.prototype.ruleInAngularExpression = function ruleInAngularExpression() {
+ var match = this.searchRe(INTERESTING_OPERATORS_RE);
+ var position;
+ if (match == null) {
+ if (this.angularOperatorStack.length === 0) {
+ // This is the end of the Angular expression so this is actually a
+ // success. Note that when inside an interpolation, this means we even
+ // consumed the closing interpolation symbols if they were curlies. This
+ // is NOT an error at this point but will become an error further up the
+ // stack when the part that saw the opening curlies is unable to find the
+ // closing ones.
+ this.index = this.text.length;
+ this.expressionFn = this.$parse(this.text.substring(this.expressionStartIndex, this.index));
+ // Needed to pretend to be $interpolate for tests copied from interpolateSpec.js
+ this.expressionFn['exp'] = this.text.substring(this.expressionStartIndex, this.index);
+ this.expressionFn['expressions'] = this.expressionFn['expressions'];
+ this.rule = null;
+ return;
+ }
+ var innermostOperator = this.angularOperatorStack[0];
+ throw $interpolateMinErr('badexpr',
+ 'Unexpected end of Angular expression. Expecting operator “{0}” at the end of the text “{1}”',
+ this.getEndOperator(innermostOperator), this.text);
+ }
+ var operator = match[0];
+ if (operator === '\'' || operator === '"') {
+ this.ruleStack.push(this.ruleInAngularExpression);
+ this.startStringAtMatch(match);
+ return;
+ }
+ if (operator === ',') {
+ if (this.trustedContext) {
+ position = indexToLineAndColumn(this.text, this.index);
+ throw $interpolateMinErr('unsafe',
+ 'Use of select/plural MessageFormat syntax is currently disallowed in a secure context ({0}). At line {1}, column {2} of text “{3}”',
+ this.trustedContext, position.line, position.column, this.text);
+ }
+ // only the top level comma has relevance.
+ if (this.angularOperatorStack.length === 0) {
+ // todo: does this need to be trimmed?
+ this.expressionFn = this.$parse(this.text.substring(this.expressionStartIndex, match.index));
+ // Needed to pretend to be $interpolate for tests copied from interpolateSpec.js
+ this.expressionFn['exp'] = this.text.substring(this.expressionStartIndex, match.index);
+ this.expressionFn['expressions'] = this.expressionFn['expressions'];
+ this.rule = null;
+ this.rule = this.rulePluralOrSelect;
+ }
+ return;
+ }
+ if (getEndOperator(operator) != null) {
+ this.angularOperatorStack.unshift(operator);
+ return;
+ }
+ var beginOperator = getBeginOperator(operator);
+ if (beginOperator == null) {
+ this.errorInParseLogic();
+ }
+ if (this.angularOperatorStack.length > 0) {
+ if (beginOperator === this.angularOperatorStack[0]) {
+ this.angularOperatorStack.shift();
+ return;
+ }
+ position = indexToLineAndColumn(this.text, this.index);
+ throw $interpolateMinErr('badexpr',
+ 'Unexpected operator “{0}” at line {1}, column {2} in text. Was expecting “{3}”. Text: “{4}”',
+ operator, position.line, position.column, getEndOperator(this.angularOperatorStack[0]), this.text);
+ }
+ // We are trying to pop off the operator stack but there really isn't anything to pop off.
+ this.index = match.index;
+ this.expressionFn = this.$parse(this.text.substring(this.expressionStartIndex, this.index));
+ // Needed to pretend to be $interpolate for tests copied from interpolateSpec.js
+ this.expressionFn['exp'] = this.text.substring(this.expressionStartIndex, this.index);
+ this.expressionFn['expressions'] = this.expressionFn['expressions'];
+ this.rule = null;
+};
+
+// NOTE: ADVANCED_OPTIMIZATIONS mode.
+//
+// This file is compiled with Closure compiler's ADVANCED_OPTIMIZATIONS flag! Be wary of using
+// constructs incompatible with that mode.
+
+/* global $interpolateMinErr: true */
+/* global isFunction: true */
+/* global noop: true */
+/* global toJson: true */
+/* global MessageFormatParser: false */
+/* global stringify: false */
+
+/**
+ * @ngdoc module
+ * @name ngMessageFormat
+ * @packageName angular-message-format
+ *
+ * @description
+ *
+ * ## What is ngMessageFormat?
+ *
+ * The ngMessageFormat module extends the Angular {@link ng.$interpolate `$interpolate`} service
+ * with a syntax for handling pluralization and gender specific messages, which is based on the
+ * [ICU MessageFormat syntax][ICU].
+ *
+ * See [the design doc][ngMessageFormat doc] for more information.
+ *
+ * [ICU]: http://userguide.icu-project.org/formatparse/messages#TOC-MessageFormat
+ * [ngMessageFormat doc]: https://docs.google.com/a/google.com/document/d/1pbtW2yvtmFBikfRrJd8VAsabiFkKezmYZ_PbgdjQOVU/edit
+ *
+ * ## Examples
+ *
+ * ### Gender
+ *
+ * This example uses the "select" keyword to specify the message based on gender.
+ *
+ *
+ *
+ *
+ * Select Recipient:
+
+
{{recipient.gender, select,
+ male {{{recipient.name}} unwrapped his gift. }
+ female {{{recipient.name}} unwrapped her gift. }
+ other {{{recipient.name}} unwrapped their gift. }
+ }}
+ *
+ *
+ *
+ * function Person(name, gender) {
+ * this.name = name;
+ * this.gender = gender;
+ * }
+ *
+ * var alice = new Person('Alice', 'female'),
+ * bob = new Person('Bob', 'male'),
+ * ashley = new Person('Ashley', '');
+ *
+ * angular.module('msgFmtExample', ['ngMessageFormat'])
+ * .controller('AppController', ['$scope', function($scope) {
+ * $scope.recipients = [alice, bob, ashley];
+ * $scope.recipient = $scope.recipients[0];
+ * }]);
+ *
+ *
+ *
+ * ### Plural
+ *
+ * This example shows how the "plural" keyword is used to account for a variable number of entities.
+ * The "#" variable holds the current number and can be embedded in the message.
+ *
+ * Note that "=1" takes precedence over "one".
+ *
+ * The example also shows the "offset" keyword, which allows you to offset the value of the "#" variable.
+ *
+ *
+ *
+ *
+ *
+ * Select recipients:
+ *
+ *
{{recipients.length, plural, offset:1
+ * =0 {{{sender.name}} gave no gifts (\#=#)}
+ * =1 {{{sender.name}} gave a gift to {{recipients[0].name}} (\#=#)}
+ * one {{{sender.name}} gave {{recipients[0].name}} and one other person a gift (\#=#)}
+ * other {{{sender.name}} gave {{recipients[0].name}} and # other people a gift (\#=#)}
+ * }}
+ *
+ *
+ *
+ *
+ * function Person(name, gender) {
+ * this.name = name;
+ * this.gender = gender;
+ * }
+ *
+ * var alice = new Person('Alice', 'female'),
+ * bob = new Person('Bob', 'male'),
+ * sarah = new Person('Sarah', 'female'),
+ * harry = new Person('Harry Potter', 'male'),
+ * ashley = new Person('Ashley', '');
+ *
+ * angular.module('msgFmtExample', ['ngMessageFormat'])
+ * .controller('AppController', ['$scope', function($scope) {
+ * $scope.people = [alice, bob, sarah, ashley];
+ * $scope.recipients = [alice, bob, sarah];
+ * $scope.sender = harry;
+ * }]);
+ *
+ *
+ *
+ * describe('MessageFormat plural', function() {
+ *
+ * it('should pluralize initial values', function() {
+ * var messageElem = element(by.binding('recipients.length')),
+ * decreaseRecipientsBtn = element(by.id('decreaseRecipients'));
+ *
+ * expect(messageElem.getText()).toEqual('Harry Potter gave Alice and 2 other people a gift (#=2)');
+ * decreaseRecipientsBtn.click();
+ * expect(messageElem.getText()).toEqual('Harry Potter gave Alice and one other person a gift (#=1)');
+ * decreaseRecipientsBtn.click();
+ * expect(messageElem.getText()).toEqual('Harry Potter gave a gift to Alice (#=0)');
+ * decreaseRecipientsBtn.click();
+ * expect(messageElem.getText()).toEqual('Harry Potter gave no gifts (#=-1)');
+ * });
+ * });
+ *
+ *
+ *
+ * ### Plural and Gender together
+ *
+ * This example shows how you can specify gender rules for specific plural matches - in this case,
+ * =1 is special cased for gender.
+ *
+ *
+ *
+ Select recipients:
+
+
{{recipients.length, plural,
+ =0 {{{sender.name}} has not given any gifts to anyone.}
+ =1 { {{recipients[0].gender, select,
+ female { {{sender.name}} gave {{recipients[0].name}} her gift.}
+ male { {{sender.name}} gave {{recipients[0].name}} his gift.}
+ other { {{sender.name}} gave {{recipients[0].name}} their gift.}
+ }}
+ }
+ other {{{sender.name}} gave {{recipients.length}} people gifts.}
+ }}
+ *
+ * ```
+ *
+ * In order to show error messages corresponding to `myField` we first create an element with an `ngMessages` attribute
+ * set to the `$error` object owned by the `myField` input in our `myForm` form.
+ *
+ * Within this element we then create separate elements for each of the possible errors that `myField` could have.
+ * The `ngMessage` attribute is used to declare which element(s) will appear for which error - for example,
+ * setting `ng-message="required"` specifies that this particular element should be displayed when there
+ * is no value present for the required field `myField` (because the key `required` will be `true` in the object
+ * `myForm.myField.$error`).
+ *
+ * ### Message order
+ *
+ * By default, `ngMessages` will only display one message for a particular key/value collection at any time. If more
+ * than one message (or error) key is currently true, then which message is shown is determined by the order of messages
+ * in the HTML template code (messages declared first are prioritised). This mechanism means the developer does not have
+ * to prioritize messages using custom JavaScript code.
+ *
+ * Given the following error object for our example (which informs us that the field `myField` currently has both the
+ * `required` and `email` errors):
+ *
+ * ```javascript
+ *
+ * myField.$error = { required : true, email: true, maxlength: false };
+ * ```
+ * The `required` message will be displayed to the user since it appears before the `email` message in the DOM.
+ * Once the user types a single character, the `required` message will disappear (since the field now has a value)
+ * but the `email` message will be visible because it is still applicable.
+ *
+ * ### Displaying multiple messages at the same time
+ *
+ * While `ngMessages` will by default only display one error element at a time, the `ng-messages-multiple` attribute can
+ * be applied to the `ngMessages` container element to cause it to display all applicable error messages at once:
+ *
+ * ```html
+ *
+ *
...
+ *
+ *
+ * ...
+ * ```
+ *
+ * ## Reusing and Overriding Messages
+ * In addition to prioritization, ngMessages also allows for including messages from a remote or an inline
+ * template. This allows for generic collection of messages to be reused across multiple parts of an
+ * application.
+ *
+ * ```html
+ *
+ *
+ *
+ *
+ *
+ * ```
+ *
+ * However, including generic messages may not be useful enough to match all input fields, therefore,
+ * `ngMessages` provides the ability to override messages defined in the remote template by redefining
+ * them within the directive container.
+ *
+ * ```html
+ *
+ *
+ *
+ *
+ * ```
+ *
+ * In the example HTML code above the message that is set on required will override the corresponding
+ * required message defined within the remote template. Therefore, with particular input fields (such
+ * email addresses, date fields, autocomplete inputs, etc...), specialized error messages can be applied
+ * while more generic messages can be used to handle other, more general input errors.
+ *
+ * ## Dynamic Messaging
+ * ngMessages also supports using expressions to dynamically change key values. Using arrays and
+ * repeaters to list messages is also supported. This means that the code below will be able to
+ * fully adapt itself and display the appropriate message when any of the expression data changes:
+ *
+ * ```html
+ *
+ * ```
+ *
+ * The `errorMessage.type` expression can be a string value or it can be an array so
+ * that multiple errors can be associated with a single error message:
+ *
+ * ```html
+ *
+ *
+ *
You did not enter your email address
+ *
+ * Your email must be between 5 and 100 characters long
+ *
+ *
+ * ```
+ *
+ * Feel free to use other structural directives such as ng-if and ng-switch to further control
+ * what messages are active and when. Be careful, if you place ng-message on the same element
+ * as these structural directives, Angular may not be able to determine if a message is active
+ * or not. Therefore it is best to place the ng-message on a child element of the structural
+ * directive.
+ *
+ * ```html
+ *
+ *
+ *
Please enter something
+ *
+ *
+ * ```
+ *
+ * ## Animations
+ * If the `ngAnimate` module is active within the application then the `ngMessages`, `ngMessage` and
+ * `ngMessageExp` directives will trigger animations whenever any messages are added and removed from
+ * the DOM by the `ngMessages` directive.
+ *
+ * Whenever the `ngMessages` directive contains one or more visible messages then the `.ng-active` CSS
+ * class will be added to the element. The `.ng-inactive` CSS class will be applied when there are no
+ * messages present. Therefore, CSS transitions and keyframes as well as JavaScript animations can
+ * hook into the animations whenever these classes are added/removed.
+ *
+ * Let's say that our HTML code for our messages container looks like so:
+ *
+ * ```html
+ *
+ *
...
+ *
...
+ *
+ * ```
+ *
+ * Then the CSS animation code for the message container looks like so:
+ *
+ * ```css
+ * .my-messages {
+ * transition:1s linear all;
+ * }
+ * .my-messages.ng-active {
+ * // messages are visible
+ * }
+ * .my-messages.ng-inactive {
+ * // messages are hidden
+ * }
+ * ```
+ *
+ * Whenever an inner message is attached (becomes visible) or removed (becomes hidden) then the enter
+ * and leave animation is triggered for each particular element bound to the `ngMessage` directive.
+ *
+ * Therefore, the CSS code for the inner messages looks like so:
+ *
+ * ```css
+ * .some-message {
+ * transition:1s linear all;
+ * }
+ *
+ * .some-message.ng-enter {}
+ * .some-message.ng-enter.ng-enter-active {}
+ *
+ * .some-message.ng-leave {}
+ * .some-message.ng-leave.ng-leave-active {}
+ * ```
+ *
+ * {@link ngAnimate Click here} to learn how to use JavaScript animations or to learn more about ngAnimate.
+ */
+angular.module('ngMessages', [], function initAngularHelpers() {
+ // Access helpers from angular core.
+ // Do it inside a `config` block to ensure `window.angular` is available.
+ forEach = angular.forEach;
+ isArray = angular.isArray;
+ isString = angular.isString;
+ jqLite = angular.element;
+})
+
+ /**
+ * @ngdoc directive
+ * @module ngMessages
+ * @name ngMessages
+ * @restrict AE
+ *
+ * @description
+ * `ngMessages` is a directive that is designed to show and hide messages based on the state
+ * of a key/value object that it listens on. The directive itself complements error message
+ * reporting with the `ngModel` $error object (which stores a key/value state of validation errors).
+ *
+ * `ngMessages` manages the state of internal messages within its container element. The internal
+ * messages use the `ngMessage` directive and will be inserted/removed from the page depending
+ * on if they're present within the key/value object. By default, only one message will be displayed
+ * at a time and this depends on the prioritization of the messages within the template. (This can
+ * be changed by using the `ng-messages-multiple` or `multiple` attribute on the directive container.)
+ *
+ * A remote template can also be used to promote message reusability and messages can also be
+ * overridden.
+ *
+ * {@link module:ngMessages Click here} to learn more about `ngMessages` and `ngMessage`.
+ *
+ * @usage
+ * ```html
+ *
+ *
+ * ...
+ * ...
+ * ...
+ *
+ *
+ *
+ *
+ * ...
+ * ...
+ * ...
+ *
+ * ```
+ *
+ * @param {string} ngMessages an angular expression evaluating to a key/value object
+ * (this is typically the $error object on an ngModel instance).
+ * @param {string=} ngMessagesMultiple|multiple when set, all messages will be displayed with true
+ *
+ * @example
+ *
+ *
+ *
+ *
+ *
+ * angular.module('ngMessagesExample', ['ngMessages']);
+ *
+ *
+ */
+ .directive('ngMessages', ['$animate', function($animate) {
+ var ACTIVE_CLASS = 'ng-active';
+ var INACTIVE_CLASS = 'ng-inactive';
+
+ return {
+ require: 'ngMessages',
+ restrict: 'AE',
+ controller: ['$element', '$scope', '$attrs', function NgMessagesCtrl($element, $scope, $attrs) {
+ var ctrl = this;
+ var latestKey = 0;
+ var nextAttachId = 0;
+
+ this.getAttachId = function getAttachId() { return nextAttachId++; };
+
+ var messages = this.messages = {};
+ var renderLater, cachedCollection;
+
+ this.render = function(collection) {
+ collection = collection || {};
+
+ renderLater = false;
+ cachedCollection = collection;
+
+ // this is true if the attribute is empty or if the attribute value is truthy
+ var multiple = isAttrTruthy($scope, $attrs.ngMessagesMultiple) ||
+ isAttrTruthy($scope, $attrs.multiple);
+
+ var unmatchedMessages = [];
+ var matchedKeys = {};
+ var messageItem = ctrl.head;
+ var messageFound = false;
+ var totalMessages = 0;
+
+ // we use != instead of !== to allow for both undefined and null values
+ while (messageItem != null) {
+ totalMessages++;
+ var messageCtrl = messageItem.message;
+
+ var messageUsed = false;
+ if (!messageFound) {
+ forEach(collection, function(value, key) {
+ if (!messageUsed && truthy(value) && messageCtrl.test(key)) {
+ // this is to prevent the same error name from showing up twice
+ if (matchedKeys[key]) return;
+ matchedKeys[key] = true;
+
+ messageUsed = true;
+ messageCtrl.attach();
+ }
+ });
+ }
+
+ if (messageUsed) {
+ // unless we want to display multiple messages then we should
+ // set a flag here to avoid displaying the next message in the list
+ messageFound = !multiple;
+ } else {
+ unmatchedMessages.push(messageCtrl);
+ }
+
+ messageItem = messageItem.next;
+ }
+
+ forEach(unmatchedMessages, function(messageCtrl) {
+ messageCtrl.detach();
+ });
+
+ if (unmatchedMessages.length !== totalMessages) {
+ $animate.setClass($element, ACTIVE_CLASS, INACTIVE_CLASS);
+ } else {
+ $animate.setClass($element, INACTIVE_CLASS, ACTIVE_CLASS);
+ }
+ };
+
+ $scope.$watchCollection($attrs.ngMessages || $attrs['for'], ctrl.render);
+
+ // If the element is destroyed, proactively destroy all the currently visible messages
+ $element.on('$destroy', function() {
+ forEach(messages, function(item) {
+ item.message.detach();
+ });
+ });
+
+ this.reRender = function() {
+ if (!renderLater) {
+ renderLater = true;
+ $scope.$evalAsync(function() {
+ if (renderLater && cachedCollection) {
+ ctrl.render(cachedCollection);
+ }
+ });
+ }
+ };
+
+ this.register = function(comment, messageCtrl) {
+ var nextKey = latestKey.toString();
+ messages[nextKey] = {
+ message: messageCtrl
+ };
+ insertMessageNode($element[0], comment, nextKey);
+ comment.$$ngMessageNode = nextKey;
+ latestKey++;
+
+ ctrl.reRender();
+ };
+
+ this.deregister = function(comment) {
+ var key = comment.$$ngMessageNode;
+ delete comment.$$ngMessageNode;
+ removeMessageNode($element[0], comment, key);
+ delete messages[key];
+ ctrl.reRender();
+ };
+
+ function findPreviousMessage(parent, comment) {
+ var prevNode = comment;
+ var parentLookup = [];
+
+ while (prevNode && prevNode !== parent) {
+ var prevKey = prevNode.$$ngMessageNode;
+ if (prevKey && prevKey.length) {
+ return messages[prevKey];
+ }
+
+ // dive deeper into the DOM and examine its children for any ngMessage
+ // comments that may be in an element that appears deeper in the list
+ if (prevNode.childNodes.length && parentLookup.indexOf(prevNode) === -1) {
+ parentLookup.push(prevNode);
+ prevNode = prevNode.childNodes[prevNode.childNodes.length - 1];
+ } else if (prevNode.previousSibling) {
+ prevNode = prevNode.previousSibling;
+ } else {
+ prevNode = prevNode.parentNode;
+ parentLookup.push(prevNode);
+ }
+ }
+ }
+
+ function insertMessageNode(parent, comment, key) {
+ var messageNode = messages[key];
+ if (!ctrl.head) {
+ ctrl.head = messageNode;
+ } else {
+ var match = findPreviousMessage(parent, comment);
+ if (match) {
+ messageNode.next = match.next;
+ match.next = messageNode;
+ } else {
+ messageNode.next = ctrl.head;
+ ctrl.head = messageNode;
+ }
+ }
+ }
+
+ function removeMessageNode(parent, comment, key) {
+ var messageNode = messages[key];
+
+ var match = findPreviousMessage(parent, comment);
+ if (match) {
+ match.next = messageNode.next;
+ } else {
+ ctrl.head = messageNode.next;
+ }
+ }
+ }]
+ };
+
+ function isAttrTruthy(scope, attr) {
+ return (isString(attr) && attr.length === 0) || //empty attribute
+ truthy(scope.$eval(attr));
+ }
+
+ function truthy(val) {
+ return isString(val) ? val.length : !!val;
+ }
+ }])
+
+ /**
+ * @ngdoc directive
+ * @name ngMessagesInclude
+ * @restrict AE
+ * @scope
+ *
+ * @description
+ * `ngMessagesInclude` is a directive with the purpose to import existing ngMessage template
+ * code from a remote template and place the downloaded template code into the exact spot
+ * that the ngMessagesInclude directive is placed within the ngMessages container. This allows
+ * for a series of pre-defined messages to be reused and also allows for the developer to
+ * determine what messages are overridden due to the placement of the ngMessagesInclude directive.
+ *
+ * @usage
+ * ```html
+ *
+ *
+ * ...
+ *
+ *
+ *
+ *
+ * ...
+ *
+ * ```
+ *
+ * {@link module:ngMessages Click here} to learn more about `ngMessages` and `ngMessage`.
+ *
+ * @param {string} ngMessagesInclude|src a string value corresponding to the remote template.
+ */
+ .directive('ngMessagesInclude',
+ ['$templateRequest', '$document', '$compile', function($templateRequest, $document, $compile) {
+
+ return {
+ restrict: 'AE',
+ require: '^^ngMessages', // we only require this for validation sake
+ link: function($scope, element, attrs) {
+ var src = attrs.ngMessagesInclude || attrs.src;
+ $templateRequest(src).then(function(html) {
+ if ($scope.$$destroyed) return;
+
+ if (isString(html) && !html.trim()) {
+ // Empty template - nothing to compile
+ replaceElementWithMarker(element, src);
+ } else {
+ // Non-empty template - compile and link
+ $compile(html)($scope, function(contents) {
+ element.after(contents);
+ replaceElementWithMarker(element, src);
+ });
+ }
+ });
+ }
+ };
+
+ // Helpers
+ function replaceElementWithMarker(element, src) {
+ // A comment marker is placed for debugging purposes
+ var comment = $compile.$$createComment ?
+ $compile.$$createComment('ngMessagesInclude', src) :
+ $document[0].createComment(' ngMessagesInclude: ' + src + ' ');
+ var marker = jqLite(comment);
+ element.after(marker);
+
+ // Don't pollute the DOM anymore by keeping an empty directive element
+ element.remove();
+ }
+ }])
+
+ /**
+ * @ngdoc directive
+ * @name ngMessage
+ * @restrict AE
+ * @scope
+ *
+ * @description
+ * `ngMessage` is a directive with the purpose to show and hide a particular message.
+ * For `ngMessage` to operate, a parent `ngMessages` directive on a parent DOM element
+ * must be situated since it determines which messages are visible based on the state
+ * of the provided key/value map that `ngMessages` listens on.
+ *
+ * More information about using `ngMessage` can be found in the
+ * {@link module:ngMessages `ngMessages` module documentation}.
+ *
+ * @usage
+ * ```html
+ *
+ *
+ * ...
+ * ...
+ *
+ *
+ *
+ *
+ * ...
+ * ...
+ *
+ * ```
+ *
+ * @param {expression} ngMessage|when a string value corresponding to the message key.
+ */
+ .directive('ngMessage', ngMessageDirectiveFactory())
+
+
+ /**
+ * @ngdoc directive
+ * @name ngMessageExp
+ * @restrict AE
+ * @priority 1
+ * @scope
+ *
+ * @description
+ * `ngMessageExp` is the same as {@link directive:ngMessage `ngMessage`}, but instead of a static
+ * value, it accepts an expression to be evaluated for the message key.
+ *
+ * @usage
+ * ```html
+ *
+ *
+ * ...
+ *
+ *
+ *
+ *
+ * ...
+ *
+ * ```
+ *
+ * {@link module:ngMessages Click here} to learn more about `ngMessages` and `ngMessage`.
+ *
+ * @param {expression} ngMessageExp|whenExp an expression value corresponding to the message key.
+ */
+ .directive('ngMessageExp', ngMessageDirectiveFactory());
+
+function ngMessageDirectiveFactory() {
+ return ['$animate', function($animate) {
+ return {
+ restrict: 'AE',
+ transclude: 'element',
+ priority: 1, // must run before ngBind, otherwise the text is set on the comment
+ terminal: true,
+ require: '^^ngMessages',
+ link: function(scope, element, attrs, ngMessagesCtrl, $transclude) {
+ var commentNode = element[0];
+
+ var records;
+ var staticExp = attrs.ngMessage || attrs.when;
+ var dynamicExp = attrs.ngMessageExp || attrs.whenExp;
+ var assignRecords = function(items) {
+ records = items
+ ? (isArray(items)
+ ? items
+ : items.split(/[\s,]+/))
+ : null;
+ ngMessagesCtrl.reRender();
+ };
+
+ if (dynamicExp) {
+ assignRecords(scope.$eval(dynamicExp));
+ scope.$watchCollection(dynamicExp, assignRecords);
+ } else {
+ assignRecords(staticExp);
+ }
+
+ var currentElement, messageCtrl;
+ ngMessagesCtrl.register(commentNode, messageCtrl = {
+ test: function(name) {
+ return contains(records, name);
+ },
+ attach: function() {
+ if (!currentElement) {
+ $transclude(function(elm, newScope) {
+ $animate.enter(elm, null, element);
+ currentElement = elm;
+
+ // Each time we attach this node to a message we get a new id that we can match
+ // when we are destroying the node later.
+ var $$attachId = currentElement.$$attachId = ngMessagesCtrl.getAttachId();
+
+ // in the event that the element or a parent element is destroyed
+ // by another structural directive then it's time
+ // to deregister the message from the controller
+ currentElement.on('$destroy', function() {
+ if (currentElement && currentElement.$$attachId === $$attachId) {
+ ngMessagesCtrl.deregister(commentNode);
+ messageCtrl.detach();
+ }
+ newScope.$destroy();
+ });
+ });
+ }
+ },
+ detach: function() {
+ if (currentElement) {
+ var elm = currentElement;
+ currentElement = null;
+ $animate.leave(elm);
+ }
+ }
+ });
+ }
+ };
+ }];
+
+ function contains(collection, key) {
+ if (collection) {
+ return isArray(collection)
+ ? collection.indexOf(key) >= 0
+ : collection.hasOwnProperty(key);
+ }
+ }
+}
+
+
+})(window, window.angular);
diff --git a/1.5.11/angular-messages.min.js b/1.5.11/angular-messages.min.js
new file mode 100644
index 0000000000..9d6faecba6
--- /dev/null
+++ b/1.5.11/angular-messages.min.js
@@ -0,0 +1,12 @@
+/*
+ AngularJS v1.5.11
+ (c) 2010-2017 Google, Inc. http://angularjs.org
+ License: MIT
+*/
+(function(y,l){'use strict';function w(){return["$animate",function(t){return{restrict:"AE",transclude:"element",priority:1,terminal:!0,require:"^^ngMessages",link:function(u,n,a,c,f){var e=n[0],d,r=a.ngMessage||a.when;a=a.ngMessageExp||a.whenExp;var k=function(a){d=a?p(a)?a:a.split(/[\s,]+/):null;c.reRender()};a?(k(u.$eval(a)),u.$watchCollection(a,k)):k(r);var g,s;c.register(e,s={test:function(a){var m=d;a=m?p(m)?0<=m.indexOf(a):m.hasOwnProperty(a):void 0;return a},attach:function(){g||f(function(a,
+m){t.enter(a,null,n);g=a;var d=g.$$attachId=c.getAttachId();g.on("$destroy",function(){g&&g.$$attachId===d&&(c.deregister(e),s.detach());m.$destroy()})})},detach:function(){if(g){var a=g;g=null;t.leave(a)}}})}}}]}var v,p,q,x;l.module("ngMessages",[],function(){v=l.forEach;p=l.isArray;q=l.isString;x=l.element}).directive("ngMessages",["$animate",function(t){function u(a,c){return q(c)&&0===c.length||n(a.$eval(c))}function n(a){return q(a)?a.length:!!a}return{require:"ngMessages",restrict:"AE",controller:["$element",
+"$scope","$attrs",function(a,c,f){function e(a,c){for(var b=c,d=[];b&&b!==a;){var h=b.$$ngMessageNode;if(h&&h.length)return g[h];b.childNodes.length&&-1===d.indexOf(b)?(d.push(b),b=b.childNodes[b.childNodes.length-1]):b.previousSibling?b=b.previousSibling:(b=b.parentNode,d.push(b))}}var d=this,r=0,k=0;this.getAttachId=function(){return k++};var g=this.messages={},s,l;this.render=function(m){m=m||{};s=!1;l=m;for(var g=u(c,f.ngMessagesMultiple)||u(c,f.multiple),b=[],e={},h=d.head,r=!1,k=0;null!=h;){k++;
+var q=h.message,p=!1;r||v(m,function(a,b){!p&&n(a)&&q.test(b)&&!e[b]&&(p=e[b]=!0,q.attach())});p?r=!g:b.push(q);h=h.next}v(b,function(a){a.detach()});b.length!==k?t.setClass(a,"ng-active","ng-inactive"):t.setClass(a,"ng-inactive","ng-active")};c.$watchCollection(f.ngMessages||f["for"],d.render);a.on("$destroy",function(){v(g,function(a){a.message.detach()})});this.reRender=function(){s||(s=!0,c.$evalAsync(function(){s&&l&&d.render(l)}))};this.register=function(c,f){var b=r.toString();g[b]={message:f};
+var k=a[0],h=g[b];d.head?(k=e(k,c))?(h.next=k.next,k.next=h):(h.next=d.head,d.head=h):d.head=h;c.$$ngMessageNode=b;r++;d.reRender()};this.deregister=function(c){var f=c.$$ngMessageNode;delete c.$$ngMessageNode;var b=g[f];(c=e(a[0],c))?c.next=b.next:d.head=b.next;delete g[f];d.reRender()}}]}}]).directive("ngMessagesInclude",["$templateRequest","$document","$compile",function(l,p,n){function a(a,f){var e=n.$$createComment?n.$$createComment("ngMessagesInclude",f):p[0].createComment(" ngMessagesInclude: "+
+f+" "),e=x(e);a.after(e);a.remove()}return{restrict:"AE",require:"^^ngMessages",link:function(c,f,e){var d=e.ngMessagesInclude||e.src;l(d).then(function(e){c.$$destroyed||(q(e)&&!e.trim()?a(f,d):n(e)(c,function(c){f.after(c);a(f,d)}))})}}}]).directive("ngMessage",w()).directive("ngMessageExp",w())})(window,window.angular);
+//# sourceMappingURL=angular-messages.min.js.map
diff --git a/1.5.11/angular-messages.min.js.map b/1.5.11/angular-messages.min.js.map
new file mode 100644
index 0000000000..33517564d8
--- /dev/null
+++ b/1.5.11/angular-messages.min.js.map
@@ -0,0 +1,8 @@
+{
+"version":3,
+"file":"angular-messages.min.js",
+"lineCount":11,
+"mappings":"A;;;;;aAKC,SAAQ,CAACA,CAAD,CAASC,CAAT,CAAkB,CA6oB3BC,QAASA,EAAyB,EAAG,CACnC,MAAO,CAAC,UAAD,CAAa,QAAQ,CAACC,CAAD,CAAW,CACrC,MAAO,CACLC,SAAU,IADL,CAELC,WAAY,SAFP,CAGLC,SAAU,CAHL,CAILC,SAAU,CAAA,CAJL,CAKLC,QAAS,cALJ,CAMLC,KAAMA,QAAQ,CAACC,CAAD,CAAQC,CAAR,CAAiBC,CAAjB,CAAwBC,CAAxB,CAAwCC,CAAxC,CAAqD,CACjE,IAAIC,EAAcJ,CAAA,CAAQ,CAAR,CAAlB,CAEIK,CAFJ,CAGIC,EAAYL,CAAAM,UAAZD,EAA+BL,CAAAO,KAC/BC,EAAAA,CAAaR,CAAAS,aAAbD,EAAmCR,CAAAU,QACvC,KAAIC,EAAgBA,QAAQ,CAACC,CAAD,CAAQ,CAClCR,CAAA,CAAUQ,CAAA,CACHC,CAAA,CAAQD,CAAR,CAAA,CACGA,CADH,CAEGA,CAAAE,MAAA,CAAY,QAAZ,CAHA,CAIJ,IACNb,EAAAc,SAAA,EANkC,CAShCP,EAAJ,EACEG,CAAA,CAAcb,CAAAkB,MAAA,CAAYR,CAAZ,CAAd,CACA,CAAAV,CAAAmB,iBAAA,CAAuBT,CAAvB,CAAmCG,CAAnC,CAFF,EAIEA,CAAA,CAAcN,CAAd,CAnB+D,KAsB7Da,CAtB6D,CAsB7CC,CACpBlB,EAAAmB,SAAA,CAAwBjB,CAAxB,CAAqCgB,CAArC,CAAmD,CACjDE,KAAMA,QAAQ,CAACC,CAAD,CAAO,CACHlB,IAAAA,EAAAA,CAuCtB,EAAA,CADEmB,CAAJ,CACSV,CAAA,CAAQU,CAAR,CAAA,CAC0B,CAD1B,EACDA,CAAAC,QAAA,CAxCyBF,CAwCzB,CADC,CAEDC,CAAAE,eAAA,CAzCyBH,CAyCzB,CAHR,CADiC,IAAA,EArCzB,OAAO,EADY,CAD4B,CAIjDI,OAAQA,QAAQ,EAAG,CACZR,CAAL,EACEhB,CAAA,CAAY,QAAQ,CAACyB,CAAD;AAAMC,CAAN,CAAgB,CAClCrC,CAAAsC,MAAA,CAAeF,CAAf,CAAoB,IAApB,CAA0B5B,CAA1B,CACAmB,EAAA,CAAiBS,CAIjB,KAAIG,EAAaZ,CAAAY,WAAbA,CAAyC7B,CAAA8B,YAAA,EAK7Cb,EAAAc,GAAA,CAAkB,UAAlB,CAA8B,QAAQ,EAAG,CACnCd,CAAJ,EAAsBA,CAAAY,WAAtB,GAAoDA,CAApD,GACE7B,CAAAgC,WAAA,CAA0B9B,CAA1B,CACA,CAAAgB,CAAAe,OAAA,EAFF,CAIAN,EAAAO,SAAA,EALuC,CAAzC,CAXkC,CAApC,CAFe,CAJ8B,CA2BjDD,OAAQA,QAAQ,EAAG,CACjB,GAAIhB,CAAJ,CAAoB,CAClB,IAAIS,EAAMT,CACVA,EAAA,CAAiB,IACjB3B,EAAA6C,MAAA,CAAeT,CAAf,CAHkB,CADH,CA3B8B,CAAnD,CAvBiE,CAN9D,CAD8B,CAAhC,CAD4B,CA3oBrC,IAAIU,CAAJ,CACIxB,CADJ,CAEIyB,CAFJ,CAGIC,CAgQJlD,EAAAmD,OAAA,CAAe,YAAf,CAA6B,EAA7B,CAAiCC,QAA2B,EAAG,CAG7DJ,CAAA,CAAUhD,CAAAgD,QACVxB,EAAA,CAAUxB,CAAAwB,QACVyB,EAAA,CAAWjD,CAAAiD,SACXC,EAAA,CAASlD,CAAAU,QANoD,CAA/D,CAAA2C,UAAA,CAiFa,YAjFb,CAiF2B,CAAC,UAAD,CAAa,QAAQ,CAACnD,CAAD,CAAW,CAuKvDoD,QAASA,EAAY,CAAC7C,CAAD,CAAQ8C,CAAR,CAAc,CAClC,MAAQN,EAAA,CAASM,CAAT,CAAR,EAA0C,CAA1C,GAA0BA,CAAAC,OAA1B,EACOC,CAAA,CAAOhD,CAAAkB,MAAA,CAAY4B,CAAZ,CAAP,CAF2B,CAKnCE,QAASA,EAAM,CAACC,CAAD,CAAM,CACnB,MAAOT,EAAA,CAASS,CAAT,CAAA,CAAgBA,CAAAF,OAAhB,CAA6B,CAAEE,CAAAA,CADnB,CAxKrB,MAAO,CACLnD,QAAS,YADJ,CAELJ,SAAU,IAFL,CAGLwD,WAAY,CAAC,UAAD;AAAa,QAAb,CAAuB,QAAvB,CAAiCC,QAAuB,CAACC,CAAD,CAAWC,CAAX,CAAmBC,CAAnB,CAA2B,CA2G7FC,QAASA,EAAmB,CAACC,CAAD,CAASC,CAAT,CAAkB,CAI5C,IAHA,IAAIC,EAAWD,CAAf,CACIE,EAAe,EAEnB,CAAOD,CAAP,EAAmBA,CAAnB,GAAgCF,CAAhC,CAAA,CAAwC,CACtC,IAAII,EAAUF,CAAAG,gBACd,IAAID,CAAJ,EAAeA,CAAAb,OAAf,CACE,MAAOe,EAAA,CAASF,CAAT,CAKLF,EAAAK,WAAAhB,OAAJ,EAAsE,EAAtE,GAAkCY,CAAAjC,QAAA,CAAqBgC,CAArB,CAAlC,EACEC,CAAAK,KAAA,CAAkBN,CAAlB,CACA,CAAAA,CAAA,CAAWA,CAAAK,WAAA,CAAoBL,CAAAK,WAAAhB,OAApB,CAAiD,CAAjD,CAFb,EAGWW,CAAAO,gBAAJ,CACLP,CADK,CACMA,CAAAO,gBADN,EAGLP,CACA,CADWA,CAAAQ,WACX,CAAAP,CAAAK,KAAA,CAAkBN,CAAlB,CAJK,CAX+B,CAJI,CA1G9C,IAAIS,EAAO,IAAX,CACIC,EAAY,CADhB,CAEIC,EAAe,CAEnB,KAAApC,YAAA,CAAmBqC,QAAoB,EAAG,CAAE,MAAOD,EAAA,EAAT,CAE1C,KAAIP,EAAW,IAAAA,SAAXA,CAA2B,EAA/B,CACIS,CADJ,CACiBC,CAEjB,KAAAC,OAAA,CAAcC,QAAQ,CAACjD,CAAD,CAAa,CACjCA,CAAA,CAAaA,CAAb,EAA2B,EAE3B8C,EAAA,CAAc,CAAA,CACdC,EAAA,CAAmB/C,CAanB,KAVA,IAAIkD,EAAW9B,CAAA,CAAaQ,CAAb,CAAqBC,CAAAsB,mBAArB,CAAXD,EACW9B,CAAA,CAAaQ,CAAb,CAAqBC,CAAAqB,SAArB,CADf,CAGIE,EAAoB,EAHxB,CAIIC,EAAc,EAJlB,CAKIC,EAAcZ,CAAAa,KALlB,CAMIC,EAAe,CAAA,CANnB,CAOIC,EAAgB,CAGpB,CAAsB,IAAtB,EAAOH,CAAP,CAAA,CAA4B,CAC1BG,CAAA,EACA;IAAI7D,EAAc0D,CAAAI,QAAlB,CAEIC,EAAc,CAAA,CACbH,EAAL,EACE1C,CAAA,CAAQd,CAAR,CAAoB,QAAQ,CAAC4D,CAAD,CAAQC,CAAR,CAAa,CAClCF,CAAAA,CAAL,EAAoBpC,CAAA,CAAOqC,CAAP,CAApB,EAAqChE,CAAAE,KAAA,CAAiB+D,CAAjB,CAArC,EAEM,CAAAR,CAAA,CAAYQ,CAAZ,CAFN,GAKEF,CACA,CAHAN,CAAA,CAAYQ,CAAZ,CAGA,CAHmB,CAAA,CAGnB,CAAAjE,CAAAO,OAAA,EANF,CADuC,CAAzC,CAYEwD,EAAJ,CAGEH,CAHF,CAGiB,CAACN,CAHlB,CAKEE,CAAAb,KAAA,CAAuB3C,CAAvB,CAGF0D,EAAA,CAAcA,CAAAQ,KA1BY,CA6B5BhD,CAAA,CAAQsC,CAAR,CAA2B,QAAQ,CAACxD,CAAD,CAAc,CAC/CA,CAAAe,OAAA,EAD+C,CAAjD,CAIIyC,EAAA9B,OAAJ,GAAiCmC,CAAjC,CACEzF,CAAA+F,SAAA,CAAkBpC,CAAlB,CAnEWqC,WAmEX,CAlEaC,aAkEb,CADF,CAGEjG,CAAA+F,SAAA,CAAkBpC,CAAlB,CApEasC,aAoEb,CArEWD,WAqEX,CArD+B,CAyDnCpC,EAAAlC,iBAAA,CAAwBmC,CAAAqC,WAAxB,EAA6CrC,CAAA,CAAO,KAAP,CAA7C,CAA4Da,CAAAM,OAA5D,CAGArB,EAAAlB,GAAA,CAAY,UAAZ,CAAwB,QAAQ,EAAG,CACjCK,CAAA,CAAQuB,CAAR,CAAkB,QAAQ,CAAC8B,CAAD,CAAO,CAC/BA,CAAAT,QAAA/C,OAAA,EAD+B,CAAjC,CADiC,CAAnC,CAMA,KAAAnB,SAAA,CAAgB4E,QAAQ,EAAG,CACpBtB,CAAL,GACEA,CACA,CADc,CAAA,CACd,CAAAlB,CAAAyC,WAAA,CAAkB,QAAQ,EAAG,CACvBvB,CAAJ,EAAmBC,CAAnB,EACEL,CAAAM,OAAA,CAAYD,CAAZ,CAFyB,CAA7B,CAFF,CADyB,CAW3B,KAAAlD,SAAA,CAAgByE,QAAQ,CAACtC,CAAD,CAAUpC,CAAV,CAAuB,CAC7C,IAAI2E,EAAU5B,CAAA6B,SAAA,EACdnC,EAAA,CAASkC,CAAT,CAAA,CAAoB,CAClBb,QAAS9D,CADS,CAGF;IAAA,EAAA+B,CAAA,CAAS,CAAT,CAAA,CAwCd8C,EAAcpC,CAAA,CAxCsBkC,CAwCtB,CACb7B,EAAAa,KAAL,CAIE,CADImB,CACJ,CADY5C,CAAA,CAAoBC,CAApB,CA5CiBC,CA4CjB,CACZ,GACEyC,CAAAX,KACA,CADmBY,CAAAZ,KACnB,CAAAY,CAAAZ,KAAA,CAAaW,CAFf,GAIEA,CAAAX,KACA,CADmBpB,CAAAa,KACnB,CAAAb,CAAAa,KAAA,CAAYkB,CALd,CAJF,CACE/B,CAAAa,KADF,CACckB,CAzCdzC,EAAAI,gBAAA,CAA0BmC,CAC1B5B,EAAA,EAEAD,EAAAlD,SAAA,EAT6C,CAY/C,KAAAkB,WAAA,CAAkBiE,QAAQ,CAAC3C,CAAD,CAAU,CAClC,IAAI6B,EAAM7B,CAAAI,gBACV,QAAOJ,CAAAI,gBA+CP,KAAIqC,EAAcpC,CAAA,CA9CsBwB,CA8CtB,CAGlB,EADIa,CACJ,CADY5C,CAAA,CAhDMH,CAAAI,CAAS,CAATA,CAgDN,CAhDmBC,CAgDnB,CACZ,EACE0C,CAAAZ,KADF,CACeW,CAAAX,KADf,CAGEpB,CAAAa,KAHF,CAGckB,CAAAX,KAnDd,QAAOzB,CAAA,CAASwB,CAAT,CACPnB,EAAAlD,SAAA,EALkC,CAnGyD,CAAnF,CAHP,CAJgD,CAAhC,CAjF3B,CAAA2B,UAAA,CAgSa,mBAhSb,CAiSI,CAAC,kBAAD,CAAqB,WAArB,CAAkC,UAAlC,CAA8C,QAAQ,CAACyD,CAAD,CAAmBC,CAAnB,CAA8BC,CAA9B,CAAwC,CAyB9FC,QAASA,EAAwB,CAACvG,CAAD,CAAUwG,CAAV,CAAe,CAE9C,IAAIhD,EAAU8C,CAAAG,gBAAA,CACVH,CAAAG,gBAAA,CAAyB,mBAAzB,CAA8CD,CAA9C,CADU,CAEVH,CAAA,CAAU,CAAV,CAAAK,cAAA,CAA2B,sBAA3B;AAAoDF,CAApD,CAA0D,GAA1D,CAFJ,CAGIG,EAASnE,CAAA,CAAOgB,CAAP,CACbxD,EAAA4G,MAAA,CAAcD,CAAd,CAGA3G,EAAA6G,OAAA,EAT8C,CAvBhD,MAAO,CACLpH,SAAU,IADL,CAELI,QAAS,cAFJ,CAGLC,KAAMA,QAAQ,CAACsD,CAAD,CAASpD,CAAT,CAAkBC,CAAlB,CAAyB,CACrC,IAAIuG,EAAMvG,CAAA6G,kBAANN,EAAiCvG,CAAAuG,IACrCJ,EAAA,CAAiBI,CAAjB,CAAAO,KAAA,CAA2B,QAAQ,CAACC,CAAD,CAAO,CACpC5D,CAAA6D,YAAJ,GAEI1E,CAAA,CAASyE,CAAT,CAAJ,EAAuB,CAAAA,CAAAE,KAAA,EAAvB,CAEEX,CAAA,CAAyBvG,CAAzB,CAAkCwG,CAAlC,CAFF,CAKEF,CAAA,CAASU,CAAT,CAAA,CAAe5D,CAAf,CAAuB,QAAQ,CAAC+D,CAAD,CAAW,CACxCnH,CAAA4G,MAAA,CAAcO,CAAd,CACAZ,EAAA,CAAyBvG,CAAzB,CAAkCwG,CAAlC,CAFwC,CAA1C,CAPF,CADwC,CAA1C,CAFqC,CAHlC,CAFuF,CAA9F,CAjSJ,CAAA7D,UAAA,CAuWa,WAvWb,CAuW0BpD,CAAA,EAvW1B,CAAAoD,UAAA,CAsYa,cAtYb,CAsY6BpD,CAAA,EAtY7B,CArQ2B,CAA1B,CAAD,CA6tBGF,MA7tBH,CA6tBWA,MAAAC,QA7tBX;",
+"sources":["angular-messages.js"],
+"names":["window","angular","ngMessageDirectiveFactory","$animate","restrict","transclude","priority","terminal","require","link","scope","element","attrs","ngMessagesCtrl","$transclude","commentNode","records","staticExp","ngMessage","when","dynamicExp","ngMessageExp","whenExp","assignRecords","items","isArray","split","reRender","$eval","$watchCollection","currentElement","messageCtrl","register","test","name","collection","indexOf","hasOwnProperty","attach","elm","newScope","enter","$$attachId","getAttachId","on","deregister","detach","$destroy","leave","forEach","isString","jqLite","module","initAngularHelpers","directive","isAttrTruthy","attr","length","truthy","val","controller","NgMessagesCtrl","$element","$scope","$attrs","findPreviousMessage","parent","comment","prevNode","parentLookup","prevKey","$$ngMessageNode","messages","childNodes","push","previousSibling","parentNode","ctrl","latestKey","nextAttachId","this.getAttachId","renderLater","cachedCollection","render","this.render","multiple","ngMessagesMultiple","unmatchedMessages","matchedKeys","messageItem","head","messageFound","totalMessages","message","messageUsed","value","key","next","setClass","ACTIVE_CLASS","INACTIVE_CLASS","ngMessages","item","this.reRender","$evalAsync","this.register","nextKey","toString","messageNode","match","this.deregister","$templateRequest","$document","$compile","replaceElementWithMarker","src","$$createComment","createComment","marker","after","remove","ngMessagesInclude","then","html","$$destroyed","trim","contents"]
+}
diff --git a/1.5.11/angular-mocks.js b/1.5.11/angular-mocks.js
new file mode 100644
index 0000000000..25f89b5cff
--- /dev/null
+++ b/1.5.11/angular-mocks.js
@@ -0,0 +1,3170 @@
+/**
+ * @license AngularJS v1.5.11
+ * (c) 2010-2017 Google, Inc. http://angularjs.org
+ * License: MIT
+ */
+(function(window, angular) {
+
+'use strict';
+
+/**
+ * @ngdoc object
+ * @name angular.mock
+ * @description
+ *
+ * Namespace from 'angular-mocks.js' which contains testing related code.
+ *
+ */
+angular.mock = {};
+
+/**
+ * ! This is a private undocumented service !
+ *
+ * @name $browser
+ *
+ * @description
+ * This service is a mock implementation of {@link ng.$browser}. It provides fake
+ * implementation for commonly used browser apis that are hard to test, e.g. setTimeout, xhr,
+ * cookies, etc.
+ *
+ * The api of this service is the same as that of the real {@link ng.$browser $browser}, except
+ * that there are several helper methods available which can be used in tests.
+ */
+angular.mock.$BrowserProvider = function() {
+ this.$get = function() {
+ return new angular.mock.$Browser();
+ };
+};
+
+angular.mock.$Browser = function() {
+ var self = this;
+
+ this.isMock = true;
+ self.$$url = 'http://server/';
+ self.$$lastUrl = self.$$url; // used by url polling fn
+ self.pollFns = [];
+
+ // TODO(vojta): remove this temporary api
+ self.$$completeOutstandingRequest = angular.noop;
+ self.$$incOutstandingRequestCount = angular.noop;
+
+
+ // register url polling fn
+
+ self.onUrlChange = function(listener) {
+ self.pollFns.push(
+ function() {
+ if (self.$$lastUrl !== self.$$url || self.$$state !== self.$$lastState) {
+ self.$$lastUrl = self.$$url;
+ self.$$lastState = self.$$state;
+ listener(self.$$url, self.$$state);
+ }
+ }
+ );
+
+ return listener;
+ };
+
+ self.$$applicationDestroyed = angular.noop;
+ self.$$checkUrlChange = angular.noop;
+
+ self.deferredFns = [];
+ self.deferredNextId = 0;
+
+ self.defer = function(fn, delay) {
+ delay = delay || 0;
+ self.deferredFns.push({time:(self.defer.now + delay), fn:fn, id: self.deferredNextId});
+ self.deferredFns.sort(function(a, b) { return a.time - b.time;});
+ return self.deferredNextId++;
+ };
+
+
+ /**
+ * @name $browser#defer.now
+ *
+ * @description
+ * Current milliseconds mock time.
+ */
+ self.defer.now = 0;
+
+
+ self.defer.cancel = function(deferId) {
+ var fnIndex;
+
+ angular.forEach(self.deferredFns, function(fn, index) {
+ if (fn.id === deferId) fnIndex = index;
+ });
+
+ if (angular.isDefined(fnIndex)) {
+ self.deferredFns.splice(fnIndex, 1);
+ return true;
+ }
+
+ return false;
+ };
+
+
+ /**
+ * @name $browser#defer.flush
+ *
+ * @description
+ * Flushes all pending requests and executes the defer callbacks.
+ *
+ * @param {number=} number of milliseconds to flush. See {@link #defer.now}
+ */
+ self.defer.flush = function(delay) {
+ var nextTime;
+
+ if (angular.isDefined(delay)) {
+ // A delay was passed so compute the next time
+ nextTime = self.defer.now + delay;
+ } else {
+ if (self.deferredFns.length) {
+ // No delay was passed so set the next time so that it clears the deferred queue
+ nextTime = self.deferredFns[self.deferredFns.length - 1].time;
+ } else {
+ // No delay passed, but there are no deferred tasks so flush - indicates an error!
+ throw new Error('No deferred tasks to be flushed');
+ }
+ }
+
+ while (self.deferredFns.length && self.deferredFns[0].time <= nextTime) {
+ // Increment the time and call the next deferred function
+ self.defer.now = self.deferredFns[0].time;
+ self.deferredFns.shift().fn();
+ }
+
+ // Ensure that the current time is correct
+ self.defer.now = nextTime;
+ };
+
+ self.$$baseHref = '/';
+ self.baseHref = function() {
+ return this.$$baseHref;
+ };
+};
+angular.mock.$Browser.prototype = {
+
+ /**
+ * @name $browser#poll
+ *
+ * @description
+ * run all fns in pollFns
+ */
+ poll: function poll() {
+ angular.forEach(this.pollFns, function(pollFn) {
+ pollFn();
+ });
+ },
+
+ url: function(url, replace, state) {
+ if (angular.isUndefined(state)) {
+ state = null;
+ }
+ if (url) {
+ this.$$url = url;
+ // Native pushState serializes & copies the object; simulate it.
+ this.$$state = angular.copy(state);
+ return this;
+ }
+
+ return this.$$url;
+ },
+
+ state: function() {
+ return this.$$state;
+ },
+
+ notifyWhenNoOutstandingRequests: function(fn) {
+ fn();
+ }
+};
+
+
+/**
+ * @ngdoc provider
+ * @name $exceptionHandlerProvider
+ *
+ * @description
+ * Configures the mock implementation of {@link ng.$exceptionHandler} to rethrow or to log errors
+ * passed to the `$exceptionHandler`.
+ */
+
+/**
+ * @ngdoc service
+ * @name $exceptionHandler
+ *
+ * @description
+ * Mock implementation of {@link ng.$exceptionHandler} that rethrows or logs errors passed
+ * to it. See {@link ngMock.$exceptionHandlerProvider $exceptionHandlerProvider} for configuration
+ * information.
+ *
+ *
+ * ```js
+ * describe('$exceptionHandlerProvider', function() {
+ *
+ * it('should capture log messages and exceptions', function() {
+ *
+ * module(function($exceptionHandlerProvider) {
+ * $exceptionHandlerProvider.mode('log');
+ * });
+ *
+ * inject(function($log, $exceptionHandler, $timeout) {
+ * $timeout(function() { $log.log(1); });
+ * $timeout(function() { $log.log(2); throw 'banana peel'; });
+ * $timeout(function() { $log.log(3); });
+ * expect($exceptionHandler.errors).toEqual([]);
+ * expect($log.assertEmpty());
+ * $timeout.flush();
+ * expect($exceptionHandler.errors).toEqual(['banana peel']);
+ * expect($log.log.logs).toEqual([[1], [2], [3]]);
+ * });
+ * });
+ * });
+ * ```
+ */
+
+angular.mock.$ExceptionHandlerProvider = function() {
+ var handler;
+
+ /**
+ * @ngdoc method
+ * @name $exceptionHandlerProvider#mode
+ *
+ * @description
+ * Sets the logging mode.
+ *
+ * @param {string} mode Mode of operation, defaults to `rethrow`.
+ *
+ * - `log`: Sometimes it is desirable to test that an error is thrown, for this case the `log`
+ * mode stores an array of errors in `$exceptionHandler.errors`, to allow later assertion of
+ * them. See {@link ngMock.$log#assertEmpty assertEmpty()} and
+ * {@link ngMock.$log#reset reset()}.
+ * - `rethrow`: If any errors are passed to the handler in tests, it typically means that there
+ * is a bug in the application or test, so this mock will make these tests fail. For any
+ * implementations that expect exceptions to be thrown, the `rethrow` mode will also maintain
+ * a log of thrown errors in `$exceptionHandler.errors`.
+ */
+ this.mode = function(mode) {
+
+ switch (mode) {
+ case 'log':
+ case 'rethrow':
+ var errors = [];
+ handler = function(e) {
+ if (arguments.length === 1) {
+ errors.push(e);
+ } else {
+ errors.push([].slice.call(arguments, 0));
+ }
+ if (mode === 'rethrow') {
+ throw e;
+ }
+ };
+ handler.errors = errors;
+ break;
+ default:
+ throw new Error('Unknown mode \'' + mode + '\', only \'log\'/\'rethrow\' modes are allowed!');
+ }
+ };
+
+ this.$get = function() {
+ return handler;
+ };
+
+ this.mode('rethrow');
+};
+
+
+/**
+ * @ngdoc service
+ * @name $log
+ *
+ * @description
+ * Mock implementation of {@link ng.$log} that gathers all logged messages in arrays
+ * (one array per logging level). These arrays are exposed as `logs` property of each of the
+ * level-specific log function, e.g. for level `error` the array is exposed as `$log.error.logs`.
+ *
+ */
+angular.mock.$LogProvider = function() {
+ var debug = true;
+
+ function concat(array1, array2, index) {
+ return array1.concat(Array.prototype.slice.call(array2, index));
+ }
+
+ this.debugEnabled = function(flag) {
+ if (angular.isDefined(flag)) {
+ debug = flag;
+ return this;
+ } else {
+ return debug;
+ }
+ };
+
+ this.$get = function() {
+ var $log = {
+ log: function() { $log.log.logs.push(concat([], arguments, 0)); },
+ warn: function() { $log.warn.logs.push(concat([], arguments, 0)); },
+ info: function() { $log.info.logs.push(concat([], arguments, 0)); },
+ error: function() { $log.error.logs.push(concat([], arguments, 0)); },
+ debug: function() {
+ if (debug) {
+ $log.debug.logs.push(concat([], arguments, 0));
+ }
+ }
+ };
+
+ /**
+ * @ngdoc method
+ * @name $log#reset
+ *
+ * @description
+ * Reset all of the logging arrays to empty.
+ */
+ $log.reset = function() {
+ /**
+ * @ngdoc property
+ * @name $log#log.logs
+ *
+ * @description
+ * Array of messages logged using {@link ng.$log#log `log()`}.
+ *
+ * @example
+ * ```js
+ * $log.log('Some Log');
+ * var first = $log.log.logs.unshift();
+ * ```
+ */
+ $log.log.logs = [];
+ /**
+ * @ngdoc property
+ * @name $log#info.logs
+ *
+ * @description
+ * Array of messages logged using {@link ng.$log#info `info()`}.
+ *
+ * @example
+ * ```js
+ * $log.info('Some Info');
+ * var first = $log.info.logs.unshift();
+ * ```
+ */
+ $log.info.logs = [];
+ /**
+ * @ngdoc property
+ * @name $log#warn.logs
+ *
+ * @description
+ * Array of messages logged using {@link ng.$log#warn `warn()`}.
+ *
+ * @example
+ * ```js
+ * $log.warn('Some Warning');
+ * var first = $log.warn.logs.unshift();
+ * ```
+ */
+ $log.warn.logs = [];
+ /**
+ * @ngdoc property
+ * @name $log#error.logs
+ *
+ * @description
+ * Array of messages logged using {@link ng.$log#error `error()`}.
+ *
+ * @example
+ * ```js
+ * $log.error('Some Error');
+ * var first = $log.error.logs.unshift();
+ * ```
+ */
+ $log.error.logs = [];
+ /**
+ * @ngdoc property
+ * @name $log#debug.logs
+ *
+ * @description
+ * Array of messages logged using {@link ng.$log#debug `debug()`}.
+ *
+ * @example
+ * ```js
+ * $log.debug('Some Error');
+ * var first = $log.debug.logs.unshift();
+ * ```
+ */
+ $log.debug.logs = [];
+ };
+
+ /**
+ * @ngdoc method
+ * @name $log#assertEmpty
+ *
+ * @description
+ * Assert that all of the logging methods have no logged messages. If any messages are present,
+ * an exception is thrown.
+ */
+ $log.assertEmpty = function() {
+ var errors = [];
+ angular.forEach(['error', 'warn', 'info', 'log', 'debug'], function(logLevel) {
+ angular.forEach($log[logLevel].logs, function(log) {
+ angular.forEach(log, function(logItem) {
+ errors.push('MOCK $log (' + logLevel + '): ' + String(logItem) + '\n' +
+ (logItem.stack || ''));
+ });
+ });
+ });
+ if (errors.length) {
+ errors.unshift('Expected $log to be empty! Either a message was logged unexpectedly, or ' +
+ 'an expected log message was not checked and removed:');
+ errors.push('');
+ throw new Error(errors.join('\n---------\n'));
+ }
+ };
+
+ $log.reset();
+ return $log;
+ };
+};
+
+
+/**
+ * @ngdoc service
+ * @name $interval
+ *
+ * @description
+ * Mock implementation of the $interval service.
+ *
+ * Use {@link ngMock.$interval#flush `$interval.flush(millis)`} to
+ * move forward by `millis` milliseconds and trigger any functions scheduled to run in that
+ * time.
+ *
+ * @param {function()} fn A function that should be called repeatedly.
+ * @param {number} delay Number of milliseconds between each function call.
+ * @param {number=} [count=0] Number of times to repeat. If not set, or 0, will repeat
+ * indefinitely.
+ * @param {boolean=} [invokeApply=true] If set to `false` skips model dirty checking, otherwise
+ * will invoke `fn` within the {@link ng.$rootScope.Scope#$apply $apply} block.
+ * @param {...*=} Pass additional parameters to the executed function.
+ * @returns {promise} A promise which will be notified on each iteration.
+ */
+angular.mock.$IntervalProvider = function() {
+ this.$get = ['$browser', '$rootScope', '$q', '$$q',
+ function($browser, $rootScope, $q, $$q) {
+ var repeatFns = [],
+ nextRepeatId = 0,
+ now = 0;
+
+ var $interval = function(fn, delay, count, invokeApply) {
+ var hasParams = arguments.length > 4,
+ args = hasParams ? Array.prototype.slice.call(arguments, 4) : [],
+ iteration = 0,
+ skipApply = (angular.isDefined(invokeApply) && !invokeApply),
+ deferred = (skipApply ? $$q : $q).defer(),
+ promise = deferred.promise;
+
+ count = (angular.isDefined(count)) ? count : 0;
+ promise.then(null, null, (!hasParams) ? fn : function() {
+ fn.apply(null, args);
+ });
+
+ promise.$$intervalId = nextRepeatId;
+
+ function tick() {
+ deferred.notify(iteration++);
+
+ if (count > 0 && iteration >= count) {
+ var fnIndex;
+ deferred.resolve(iteration);
+
+ angular.forEach(repeatFns, function(fn, index) {
+ if (fn.id === promise.$$intervalId) fnIndex = index;
+ });
+
+ if (angular.isDefined(fnIndex)) {
+ repeatFns.splice(fnIndex, 1);
+ }
+ }
+
+ if (skipApply) {
+ $browser.defer.flush();
+ } else {
+ $rootScope.$apply();
+ }
+ }
+
+ repeatFns.push({
+ nextTime:(now + delay),
+ delay: delay,
+ fn: tick,
+ id: nextRepeatId,
+ deferred: deferred
+ });
+ repeatFns.sort(function(a, b) { return a.nextTime - b.nextTime;});
+
+ nextRepeatId++;
+ return promise;
+ };
+ /**
+ * @ngdoc method
+ * @name $interval#cancel
+ *
+ * @description
+ * Cancels a task associated with the `promise`.
+ *
+ * @param {promise} promise A promise from calling the `$interval` function.
+ * @returns {boolean} Returns `true` if the task was successfully cancelled.
+ */
+ $interval.cancel = function(promise) {
+ if (!promise) return false;
+ var fnIndex;
+
+ angular.forEach(repeatFns, function(fn, index) {
+ if (fn.id === promise.$$intervalId) fnIndex = index;
+ });
+
+ if (angular.isDefined(fnIndex)) {
+ repeatFns[fnIndex].deferred.reject('canceled');
+ repeatFns.splice(fnIndex, 1);
+ return true;
+ }
+
+ return false;
+ };
+
+ /**
+ * @ngdoc method
+ * @name $interval#flush
+ * @description
+ *
+ * Runs interval tasks scheduled to be run in the next `millis` milliseconds.
+ *
+ * @param {number=} millis maximum timeout amount to flush up until.
+ *
+ * @return {number} The amount of time moved forward.
+ */
+ $interval.flush = function(millis) {
+ now += millis;
+ while (repeatFns.length && repeatFns[0].nextTime <= now) {
+ var task = repeatFns[0];
+ task.fn();
+ task.nextTime += task.delay;
+ repeatFns.sort(function(a, b) { return a.nextTime - b.nextTime;});
+ }
+ return millis;
+ };
+
+ return $interval;
+ }];
+};
+
+
+function jsonStringToDate(string) {
+ // The R_ISO8061_STR regex is never going to fit into the 100 char limit!
+ // eslit-disable-next-line max-len
+ var R_ISO8061_STR = /^(-?\d{4})-?(\d\d)-?(\d\d)(?:T(\d\d)(?::?(\d\d)(?::?(\d\d)(?:\.(\d{3}))?)?)?(Z|([+-])(\d\d):?(\d\d)))?$/;
+
+ var match;
+ if ((match = string.match(R_ISO8061_STR))) {
+ var date = new Date(0),
+ tzHour = 0,
+ tzMin = 0;
+ if (match[9]) {
+ tzHour = toInt(match[9] + match[10]);
+ tzMin = toInt(match[9] + match[11]);
+ }
+ date.setUTCFullYear(toInt(match[1]), toInt(match[2]) - 1, toInt(match[3]));
+ date.setUTCHours(toInt(match[4] || 0) - tzHour,
+ toInt(match[5] || 0) - tzMin,
+ toInt(match[6] || 0),
+ toInt(match[7] || 0));
+ return date;
+ }
+ return string;
+}
+
+function toInt(str) {
+ return parseInt(str, 10);
+}
+
+function padNumberInMock(num, digits, trim) {
+ var neg = '';
+ if (num < 0) {
+ neg = '-';
+ num = -num;
+ }
+ num = '' + num;
+ while (num.length < digits) num = '0' + num;
+ if (trim) {
+ num = num.substr(num.length - digits);
+ }
+ return neg + num;
+}
+
+
+/**
+ * @ngdoc type
+ * @name angular.mock.TzDate
+ * @description
+ *
+ * *NOTE*: this is not an injectable instance, just a globally available mock class of `Date`.
+ *
+ * Mock of the Date type which has its timezone specified via constructor arg.
+ *
+ * The main purpose is to create Date-like instances with timezone fixed to the specified timezone
+ * offset, so that we can test code that depends on local timezone settings without dependency on
+ * the time zone settings of the machine where the code is running.
+ *
+ * @param {number} offset Offset of the *desired* timezone in hours (fractions will be honored)
+ * @param {(number|string)} timestamp Timestamp representing the desired time in *UTC*
+ *
+ * @example
+ * !!!! WARNING !!!!!
+ * This is not a complete Date object so only methods that were implemented can be called safely.
+ * To make matters worse, TzDate instances inherit stuff from Date via a prototype.
+ *
+ * We do our best to intercept calls to "unimplemented" methods, but since the list of methods is
+ * incomplete we might be missing some non-standard methods. This can result in errors like:
+ * "Date.prototype.foo called on incompatible Object".
+ *
+ * ```js
+ * var newYearInBratislava = new TzDate(-1, '2009-12-31T23:00:00Z');
+ * newYearInBratislava.getTimezoneOffset() => -60;
+ * newYearInBratislava.getFullYear() => 2010;
+ * newYearInBratislava.getMonth() => 0;
+ * newYearInBratislava.getDate() => 1;
+ * newYearInBratislava.getHours() => 0;
+ * newYearInBratislava.getMinutes() => 0;
+ * newYearInBratislava.getSeconds() => 0;
+ * ```
+ *
+ */
+angular.mock.TzDate = function(offset, timestamp) {
+ var self = new Date(0);
+ if (angular.isString(timestamp)) {
+ var tsStr = timestamp;
+
+ self.origDate = jsonStringToDate(timestamp);
+
+ timestamp = self.origDate.getTime();
+ if (isNaN(timestamp)) {
+ // eslint-disable-next-line no-throw-literal
+ throw {
+ name: 'Illegal Argument',
+ message: 'Arg \'' + tsStr + '\' passed into TzDate constructor is not a valid date string'
+ };
+ }
+ } else {
+ self.origDate = new Date(timestamp);
+ }
+
+ var localOffset = new Date(timestamp).getTimezoneOffset();
+ self.offsetDiff = localOffset * 60 * 1000 - offset * 1000 * 60 * 60;
+ self.date = new Date(timestamp + self.offsetDiff);
+
+ self.getTime = function() {
+ return self.date.getTime() - self.offsetDiff;
+ };
+
+ self.toLocaleDateString = function() {
+ return self.date.toLocaleDateString();
+ };
+
+ self.getFullYear = function() {
+ return self.date.getFullYear();
+ };
+
+ self.getMonth = function() {
+ return self.date.getMonth();
+ };
+
+ self.getDate = function() {
+ return self.date.getDate();
+ };
+
+ self.getHours = function() {
+ return self.date.getHours();
+ };
+
+ self.getMinutes = function() {
+ return self.date.getMinutes();
+ };
+
+ self.getSeconds = function() {
+ return self.date.getSeconds();
+ };
+
+ self.getMilliseconds = function() {
+ return self.date.getMilliseconds();
+ };
+
+ self.getTimezoneOffset = function() {
+ return offset * 60;
+ };
+
+ self.getUTCFullYear = function() {
+ return self.origDate.getUTCFullYear();
+ };
+
+ self.getUTCMonth = function() {
+ return self.origDate.getUTCMonth();
+ };
+
+ self.getUTCDate = function() {
+ return self.origDate.getUTCDate();
+ };
+
+ self.getUTCHours = function() {
+ return self.origDate.getUTCHours();
+ };
+
+ self.getUTCMinutes = function() {
+ return self.origDate.getUTCMinutes();
+ };
+
+ self.getUTCSeconds = function() {
+ return self.origDate.getUTCSeconds();
+ };
+
+ self.getUTCMilliseconds = function() {
+ return self.origDate.getUTCMilliseconds();
+ };
+
+ self.getDay = function() {
+ return self.date.getDay();
+ };
+
+ // provide this method only on browsers that already have it
+ if (self.toISOString) {
+ self.toISOString = function() {
+ return padNumberInMock(self.origDate.getUTCFullYear(), 4) + '-' +
+ padNumberInMock(self.origDate.getUTCMonth() + 1, 2) + '-' +
+ padNumberInMock(self.origDate.getUTCDate(), 2) + 'T' +
+ padNumberInMock(self.origDate.getUTCHours(), 2) + ':' +
+ padNumberInMock(self.origDate.getUTCMinutes(), 2) + ':' +
+ padNumberInMock(self.origDate.getUTCSeconds(), 2) + '.' +
+ padNumberInMock(self.origDate.getUTCMilliseconds(), 3) + 'Z';
+ };
+ }
+
+ //hide all methods not implemented in this mock that the Date prototype exposes
+ var unimplementedMethods = ['getUTCDay',
+ 'getYear', 'setDate', 'setFullYear', 'setHours', 'setMilliseconds',
+ 'setMinutes', 'setMonth', 'setSeconds', 'setTime', 'setUTCDate', 'setUTCFullYear',
+ 'setUTCHours', 'setUTCMilliseconds', 'setUTCMinutes', 'setUTCMonth', 'setUTCSeconds',
+ 'setYear', 'toDateString', 'toGMTString', 'toJSON', 'toLocaleFormat', 'toLocaleString',
+ 'toLocaleTimeString', 'toSource', 'toString', 'toTimeString', 'toUTCString', 'valueOf'];
+
+ angular.forEach(unimplementedMethods, function(methodName) {
+ self[methodName] = function() {
+ throw new Error('Method \'' + methodName + '\' is not implemented in the TzDate mock');
+ };
+ });
+
+ return self;
+};
+
+//make "tzDateInstance instanceof Date" return true
+angular.mock.TzDate.prototype = Date.prototype;
+
+
+/**
+ * @ngdoc service
+ * @name $animate
+ *
+ * @description
+ * Mock implementation of the {@link ng.$animate `$animate`} service. Exposes two additional methods
+ * for testing animations.
+ *
+ * You need to require the `ngAnimateMock` module in your test suite for instance `beforeEach(module('ngAnimateMock'))`
+ */
+angular.mock.animate = angular.module('ngAnimateMock', ['ng'])
+
+ .config(['$provide', function($provide) {
+
+ $provide.factory('$$forceReflow', function() {
+ function reflowFn() {
+ reflowFn.totalReflows++;
+ }
+ reflowFn.totalReflows = 0;
+ return reflowFn;
+ });
+
+ $provide.factory('$$animateAsyncRun', function() {
+ var queue = [];
+ var queueFn = function() {
+ return function(fn) {
+ queue.push(fn);
+ };
+ };
+ queueFn.flush = function() {
+ if (queue.length === 0) return false;
+
+ for (var i = 0; i < queue.length; i++) {
+ queue[i]();
+ }
+ queue = [];
+
+ return true;
+ };
+ return queueFn;
+ });
+
+ $provide.decorator('$$animateJs', ['$delegate', function($delegate) {
+ var runners = [];
+
+ var animateJsConstructor = function() {
+ var animator = $delegate.apply($delegate, arguments);
+ // If no javascript animation is found, animator is undefined
+ if (animator) {
+ runners.push(animator);
+ }
+ return animator;
+ };
+
+ animateJsConstructor.$closeAndFlush = function() {
+ runners.forEach(function(runner) {
+ runner.end();
+ });
+ runners = [];
+ };
+
+ return animateJsConstructor;
+ }]);
+
+ $provide.decorator('$animateCss', ['$delegate', function($delegate) {
+ var runners = [];
+
+ var animateCssConstructor = function(element, options) {
+ var animator = $delegate(element, options);
+ runners.push(animator);
+ return animator;
+ };
+
+ animateCssConstructor.$closeAndFlush = function() {
+ runners.forEach(function(runner) {
+ runner.end();
+ });
+ runners = [];
+ };
+
+ return animateCssConstructor;
+ }]);
+
+ $provide.decorator('$animate', ['$delegate', '$timeout', '$browser', '$$rAF', '$animateCss', '$$animateJs',
+ '$$forceReflow', '$$animateAsyncRun', '$rootScope',
+ function($delegate, $timeout, $browser, $$rAF, $animateCss, $$animateJs,
+ $$forceReflow, $$animateAsyncRun, $rootScope) {
+ var animate = {
+ queue: [],
+ cancel: $delegate.cancel,
+ on: $delegate.on,
+ off: $delegate.off,
+ pin: $delegate.pin,
+ get reflows() {
+ return $$forceReflow.totalReflows;
+ },
+ enabled: $delegate.enabled,
+ /**
+ * @ngdoc method
+ * @name $animate#closeAndFlush
+ * @description
+ *
+ * This method will close all pending animations (both {@link ngAnimate#javascript-based-animations Javascript}
+ * and {@link ngAnimate.$animateCss CSS}) and it will also flush any remaining animation frames and/or callbacks.
+ */
+ closeAndFlush: function() {
+ // we allow the flush command to swallow the errors
+ // because depending on whether CSS or JS animations are
+ // used, there may not be a RAF flush. The primary flush
+ // at the end of this function must throw an exception
+ // because it will track if there were pending animations
+ this.flush(true);
+ $animateCss.$closeAndFlush();
+ $$animateJs.$closeAndFlush();
+ this.flush();
+ },
+ /**
+ * @ngdoc method
+ * @name $animate#flush
+ * @description
+ *
+ * This method is used to flush the pending callbacks and animation frames to either start
+ * an animation or conclude an animation. Note that this will not actually close an
+ * actively running animation (see {@link ngMock.$animate#closeAndFlush `closeAndFlush()`} for that).
+ */
+ flush: function(hideErrors) {
+ $rootScope.$digest();
+
+ var doNextRun, somethingFlushed = false;
+ do {
+ doNextRun = false;
+
+ if ($$rAF.queue.length) {
+ $$rAF.flush();
+ doNextRun = somethingFlushed = true;
+ }
+
+ if ($$animateAsyncRun.flush()) {
+ doNextRun = somethingFlushed = true;
+ }
+ } while (doNextRun);
+
+ if (!somethingFlushed && !hideErrors) {
+ throw new Error('No pending animations ready to be closed or flushed');
+ }
+
+ $rootScope.$digest();
+ }
+ };
+
+ angular.forEach(
+ ['animate','enter','leave','move','addClass','removeClass','setClass'], function(method) {
+ animate[method] = function() {
+ animate.queue.push({
+ event: method,
+ element: arguments[0],
+ options: arguments[arguments.length - 1],
+ args: arguments
+ });
+ return $delegate[method].apply($delegate, arguments);
+ };
+ });
+
+ return animate;
+ }]);
+
+ }]);
+
+
+/**
+ * @ngdoc function
+ * @name angular.mock.dump
+ * @description
+ *
+ * *NOTE*: This is not an injectable instance, just a globally available function.
+ *
+ * Method for serializing common angular objects (scope, elements, etc..) into strings.
+ * It is useful for logging objects to the console when debugging.
+ *
+ * @param {*} object - any object to turn into string.
+ * @return {string} a serialized string of the argument
+ */
+angular.mock.dump = function(object) {
+ return serialize(object);
+
+ function serialize(object) {
+ var out;
+
+ if (angular.isElement(object)) {
+ object = angular.element(object);
+ out = angular.element('');
+ angular.forEach(object, function(element) {
+ out.append(angular.element(element).clone());
+ });
+ out = out.html();
+ } else if (angular.isArray(object)) {
+ out = [];
+ angular.forEach(object, function(o) {
+ out.push(serialize(o));
+ });
+ out = '[ ' + out.join(', ') + ' ]';
+ } else if (angular.isObject(object)) {
+ if (angular.isFunction(object.$eval) && angular.isFunction(object.$apply)) {
+ out = serializeScope(object);
+ } else if (object instanceof Error) {
+ out = object.stack || ('' + object.name + ': ' + object.message);
+ } else {
+ // TODO(i): this prevents methods being logged,
+ // we should have a better way to serialize objects
+ out = angular.toJson(object, true);
+ }
+ } else {
+ out = String(object);
+ }
+
+ return out;
+ }
+
+ function serializeScope(scope, offset) {
+ offset = offset || ' ';
+ var log = [offset + 'Scope(' + scope.$id + '): {'];
+ for (var key in scope) {
+ if (Object.prototype.hasOwnProperty.call(scope, key) && !key.match(/^(\$|this)/)) {
+ log.push(' ' + key + ': ' + angular.toJson(scope[key]));
+ }
+ }
+ var child = scope.$$childHead;
+ while (child) {
+ log.push(serializeScope(child, offset + ' '));
+ child = child.$$nextSibling;
+ }
+ log.push('}');
+ return log.join('\n' + offset);
+ }
+};
+
+/**
+ * @ngdoc service
+ * @name $httpBackend
+ * @description
+ * Fake HTTP backend implementation suitable for unit testing applications that use the
+ * {@link ng.$http $http service}.
+ *
+ *
+ * **Note**: For fake HTTP backend implementation suitable for end-to-end testing or backend-less
+ * development please see {@link ngMockE2E.$httpBackend e2e $httpBackend mock}.
+ *
+ *
+ * During unit testing, we want our unit tests to run quickly and have no external dependencies so
+ * we don’t want to send [XHR](https://developer.mozilla.org/en/xmlhttprequest) or
+ * [JSONP](http://en.wikipedia.org/wiki/JSONP) requests to a real server. All we really need is
+ * to verify whether a certain request has been sent or not, or alternatively just let the
+ * application make requests, respond with pre-trained responses and assert that the end result is
+ * what we expect it to be.
+ *
+ * This mock implementation can be used to respond with static or dynamic responses via the
+ * `expect` and `when` apis and their shortcuts (`expectGET`, `whenPOST`, etc).
+ *
+ * When an Angular application needs some data from a server, it calls the $http service, which
+ * sends the request to a real server using $httpBackend service. With dependency injection, it is
+ * easy to inject $httpBackend mock (which has the same API as $httpBackend) and use it to verify
+ * the requests and respond with some testing data without sending a request to a real server.
+ *
+ * There are two ways to specify what test data should be returned as http responses by the mock
+ * backend when the code under test makes http requests:
+ *
+ * - `$httpBackend.expect` - specifies a request expectation
+ * - `$httpBackend.when` - specifies a backend definition
+ *
+ *
+ * ## Request Expectations vs Backend Definitions
+ *
+ * Request expectations provide a way to make assertions about requests made by the application and
+ * to define responses for those requests. The test will fail if the expected requests are not made
+ * or they are made in the wrong order.
+ *
+ * Backend definitions allow you to define a fake backend for your application which doesn't assert
+ * if a particular request was made or not, it just returns a trained response if a request is made.
+ * The test will pass whether or not the request gets made during testing.
+ *
+ *
+ *
+ *
Request expectations
Backend definitions
+ *
+ *
Syntax
+ *
.expect(...).respond(...)
+ *
.when(...).respond(...)
+ *
+ *
+ *
Typical usage
+ *
strict unit tests
+ *
loose (black-box) unit testing
+ *
+ *
+ *
Fulfills multiple requests
+ *
NO
+ *
YES
+ *
+ *
+ *
Order of requests matters
+ *
YES
+ *
NO
+ *
+ *
+ *
Request required
+ *
YES
+ *
NO
+ *
+ *
+ *
Response required
+ *
optional (see below)
+ *
YES
+ *
+ *
+ *
+ * In cases where both backend definitions and request expectations are specified during unit
+ * testing, the request expectations are evaluated first.
+ *
+ * If a request expectation has no response specified, the algorithm will search your backend
+ * definitions for an appropriate response.
+ *
+ * If a request didn't match any expectation or if the expectation doesn't have the response
+ * defined, the backend definitions are evaluated in sequential order to see if any of them match
+ * the request. The response from the first matched definition is returned.
+ *
+ *
+ * ## Flushing HTTP requests
+ *
+ * The $httpBackend used in production always responds to requests asynchronously. If we preserved
+ * this behavior in unit testing, we'd have to create async unit tests, which are hard to write,
+ * to follow and to maintain. But neither can the testing mock respond synchronously; that would
+ * change the execution of the code under test. For this reason, the mock $httpBackend has a
+ * `flush()` method, which allows the test to explicitly flush pending requests. This preserves
+ * the async api of the backend, while allowing the test to execute synchronously.
+ *
+ *
+ * ## Unit testing with mock $httpBackend
+ * The following code shows how to setup and use the mock backend when unit testing a controller.
+ * First we create the controller under test:
+ *
+ ```js
+ // The module code
+ angular
+ .module('MyApp', [])
+ .controller('MyController', MyController);
+
+ // The controller code
+ function MyController($scope, $http) {
+ var authToken;
+
+ $http.get('/auth.py').then(function(response) {
+ authToken = response.headers('A-Token');
+ $scope.user = response.data;
+ });
+
+ $scope.saveMessage = function(message) {
+ var headers = { 'Authorization': authToken };
+ $scope.status = 'Saving...';
+
+ $http.post('/add-msg.py', message, { headers: headers } ).then(function(response) {
+ $scope.status = '';
+ })['catch'](function() {
+ $scope.status = 'Failed...';
+ });
+ };
+ }
+ ```
+ *
+ * Now we setup the mock backend and create the test specs:
+ *
+ ```js
+ // testing controller
+ describe('MyController', function() {
+ var $httpBackend, $rootScope, createController, authRequestHandler;
+
+ // Set up the module
+ beforeEach(module('MyApp'));
+
+ beforeEach(inject(function($injector) {
+ // Set up the mock http service responses
+ $httpBackend = $injector.get('$httpBackend');
+ // backend definition common for all tests
+ authRequestHandler = $httpBackend.when('GET', '/auth.py')
+ .respond({userId: 'userX'}, {'A-Token': 'xxx'});
+
+ // Get hold of a scope (i.e. the root scope)
+ $rootScope = $injector.get('$rootScope');
+ // The $controller service is used to create instances of controllers
+ var $controller = $injector.get('$controller');
+
+ createController = function() {
+ return $controller('MyController', {'$scope' : $rootScope });
+ };
+ }));
+
+
+ afterEach(function() {
+ $httpBackend.verifyNoOutstandingExpectation();
+ $httpBackend.verifyNoOutstandingRequest();
+ });
+
+
+ it('should fetch authentication token', function() {
+ $httpBackend.expectGET('/auth.py');
+ var controller = createController();
+ $httpBackend.flush();
+ });
+
+
+ it('should fail authentication', function() {
+
+ // Notice how you can change the response even after it was set
+ authRequestHandler.respond(401, '');
+
+ $httpBackend.expectGET('/auth.py');
+ var controller = createController();
+ $httpBackend.flush();
+ expect($rootScope.status).toBe('Failed...');
+ });
+
+
+ it('should send msg to server', function() {
+ var controller = createController();
+ $httpBackend.flush();
+
+ // now you don’t care about the authentication, but
+ // the controller will still send the request and
+ // $httpBackend will respond without you having to
+ // specify the expectation and response for this request
+
+ $httpBackend.expectPOST('/add-msg.py', 'message content').respond(201, '');
+ $rootScope.saveMessage('message content');
+ expect($rootScope.status).toBe('Saving...');
+ $httpBackend.flush();
+ expect($rootScope.status).toBe('');
+ });
+
+
+ it('should send auth header', function() {
+ var controller = createController();
+ $httpBackend.flush();
+
+ $httpBackend.expectPOST('/add-msg.py', undefined, function(headers) {
+ // check if the header was sent, if it wasn't the expectation won't
+ // match the request and the test will fail
+ return headers['Authorization'] === 'xxx';
+ }).respond(201, '');
+
+ $rootScope.saveMessage('whatever');
+ $httpBackend.flush();
+ });
+ });
+ ```
+ *
+ * ## Dynamic responses
+ *
+ * You define a response to a request by chaining a call to `respond()` onto a definition or expectation.
+ * If you provide a **callback** as the first parameter to `respond(callback)` then you can dynamically generate
+ * a response based on the properties of the request.
+ *
+ * The `callback` function should be of the form `function(method, url, data, headers, params)`.
+ *
+ * ### Query parameters
+ *
+ * By default, query parameters on request URLs are parsed into the `params` object. So a request URL
+ * of `/list?q=searchstr&orderby=-name` would set `params` to be `{q: 'searchstr', orderby: '-name'}`.
+ *
+ * ### Regex parameter matching
+ *
+ * If an expectation or definition uses a **regex** to match the URL, you can provide an array of **keys** via a
+ * `params` argument. The index of each **key** in the array will match the index of a **group** in the
+ * **regex**.
+ *
+ * The `params` object in the **callback** will now have properties with these keys, which hold the value of the
+ * corresponding **group** in the **regex**.
+ *
+ * This also applies to the `when` and `expect` shortcut methods.
+ *
+ *
+ * ```js
+ * $httpBackend.expect('GET', /\/user\/(.+)/, undefined, undefined, ['id'])
+ * .respond(function(method, url, data, headers, params) {
+ * // for requested url of '/user/1234' params is {id: '1234'}
+ * });
+ *
+ * $httpBackend.whenPATCH(/\/user\/(.+)\/article\/(.+)/, undefined, undefined, ['user', 'article'])
+ * .respond(function(method, url, data, headers, params) {
+ * // for url of '/user/1234/article/567' params is {user: '1234', article: '567'}
+ * });
+ * ```
+ *
+ * ## Matching route requests
+ *
+ * For extra convenience, `whenRoute` and `expectRoute` shortcuts are available. These methods offer colon
+ * delimited matching of the url path, ignoring the query string. This allows declarations
+ * similar to how application routes are configured with `$routeProvider`. Because these methods convert
+ * the definition url to regex, declaration order is important. Combined with query parameter parsing,
+ * the following is possible:
+ *
+ ```js
+ $httpBackend.whenRoute('GET', '/users/:id')
+ .respond(function(method, url, data, headers, params) {
+ return [200, MockUserList[Number(params.id)]];
+ });
+
+ $httpBackend.whenRoute('GET', '/users')
+ .respond(function(method, url, data, headers, params) {
+ var userList = angular.copy(MockUserList),
+ defaultSort = 'lastName',
+ count, pages, isPrevious, isNext;
+
+ // paged api response '/v1/users?page=2'
+ params.page = Number(params.page) || 1;
+
+ // query for last names '/v1/users?q=Archer'
+ if (params.q) {
+ userList = $filter('filter')({lastName: params.q});
+ }
+
+ pages = Math.ceil(userList.length / pagingLength);
+ isPrevious = params.page > 1;
+ isNext = params.page < pages;
+
+ return [200, {
+ count: userList.length,
+ previous: isPrevious,
+ next: isNext,
+ // sort field -> '/v1/users?sortBy=firstName'
+ results: $filter('orderBy')(userList, params.sortBy || defaultSort)
+ .splice((params.page - 1) * pagingLength, pagingLength)
+ }];
+ });
+ ```
+ */
+angular.mock.$HttpBackendProvider = function() {
+ this.$get = ['$rootScope', '$timeout', createHttpBackendMock];
+};
+
+/**
+ * General factory function for $httpBackend mock.
+ * Returns instance for unit testing (when no arguments specified):
+ * - passing through is disabled
+ * - auto flushing is disabled
+ *
+ * Returns instance for e2e testing (when `$delegate` and `$browser` specified):
+ * - passing through (delegating request to real backend) is enabled
+ * - auto flushing is enabled
+ *
+ * @param {Object=} $delegate Real $httpBackend instance (allow passing through if specified)
+ * @param {Object=} $browser Auto-flushing enabled if specified
+ * @return {Object} Instance of $httpBackend mock
+ */
+function createHttpBackendMock($rootScope, $timeout, $delegate, $browser) {
+ var definitions = [],
+ expectations = [],
+ responses = [],
+ responsesPush = angular.bind(responses, responses.push),
+ copy = angular.copy;
+
+ function createResponse(status, data, headers, statusText) {
+ if (angular.isFunction(status)) return status;
+
+ return function() {
+ return angular.isNumber(status)
+ ? [status, data, headers, statusText]
+ : [200, status, data, headers];
+ };
+ }
+
+ // TODO(vojta): change params to: method, url, data, headers, callback
+ function $httpBackend(method, url, data, callback, headers, timeout, withCredentials, responseType, eventHandlers, uploadEventHandlers) {
+
+ var xhr = new MockXhr(),
+ expectation = expectations[0],
+ wasExpected = false;
+
+ xhr.$$events = eventHandlers;
+ xhr.upload.$$events = uploadEventHandlers;
+
+ function prettyPrint(data) {
+ return (angular.isString(data) || angular.isFunction(data) || data instanceof RegExp)
+ ? data
+ : angular.toJson(data);
+ }
+
+ function wrapResponse(wrapped) {
+ if (!$browser && timeout) {
+ if (timeout.then) {
+ timeout.then(handleTimeout);
+ } else {
+ $timeout(handleTimeout, timeout);
+ }
+ }
+
+ return handleResponse;
+
+ function handleResponse() {
+ var response = wrapped.response(method, url, data, headers, wrapped.params(url));
+ xhr.$$respHeaders = response[2];
+ callback(copy(response[0]), copy(response[1]), xhr.getAllResponseHeaders(),
+ copy(response[3] || ''));
+ }
+
+ function handleTimeout() {
+ for (var i = 0, ii = responses.length; i < ii; i++) {
+ if (responses[i] === handleResponse) {
+ responses.splice(i, 1);
+ callback(-1, undefined, '');
+ break;
+ }
+ }
+ }
+ }
+
+ if (expectation && expectation.match(method, url)) {
+ if (!expectation.matchData(data)) {
+ throw new Error('Expected ' + expectation + ' with different data\n' +
+ 'EXPECTED: ' + prettyPrint(expectation.data) + '\nGOT: ' + data);
+ }
+
+ if (!expectation.matchHeaders(headers)) {
+ throw new Error('Expected ' + expectation + ' with different headers\n' +
+ 'EXPECTED: ' + prettyPrint(expectation.headers) + '\nGOT: ' +
+ prettyPrint(headers));
+ }
+
+ expectations.shift();
+
+ if (expectation.response) {
+ responses.push(wrapResponse(expectation));
+ return;
+ }
+ wasExpected = true;
+ }
+
+ var i = -1, definition;
+ while ((definition = definitions[++i])) {
+ if (definition.match(method, url, data, headers || {})) {
+ if (definition.response) {
+ // if $browser specified, we do auto flush all requests
+ ($browser ? $browser.defer : responsesPush)(wrapResponse(definition));
+ } else if (definition.passThrough) {
+ $delegate(method, url, data, callback, headers, timeout, withCredentials, responseType, eventHandlers, uploadEventHandlers);
+ } else throw new Error('No response defined !');
+ return;
+ }
+ }
+ throw wasExpected ?
+ new Error('No response defined !') :
+ new Error('Unexpected request: ' + method + ' ' + url + '\n' +
+ (expectation ? 'Expected ' + expectation : 'No more request expected'));
+ }
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#when
+ * @description
+ * Creates a new backend definition.
+ *
+ * @param {string} method HTTP method.
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(string|RegExp|function(string))=} data HTTP request body or function that receives
+ * data string and returns true if the data is as expected.
+ * @param {(Object|function(Object))=} headers HTTP headers or function that receives http header
+ * object and returns true if the headers match the current definition.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described above.
+ * @returns {requestHandler} Returns an object with `respond` method that controls how a matched
+ * request is handled. You can save this object for later use and invoke `respond` again in
+ * order to change how a matched request is handled.
+ *
+ * - respond –
+ * ```js
+ * {function([status,] data[, headers, statusText])
+ * | function(function(method, url, data, headers, params)}
+ * ```
+ * – The respond method takes a set of static data to be returned or a function that can
+ * return an array containing response status (number), response data (Array|Object|string),
+ * response headers (Object), and the text for the status (string). The respond method returns
+ * the `requestHandler` object for possible overrides.
+ */
+ $httpBackend.when = function(method, url, data, headers, keys) {
+ var definition = new MockHttpExpectation(method, url, data, headers, keys),
+ chain = {
+ respond: function(status, data, headers, statusText) {
+ definition.passThrough = undefined;
+ definition.response = createResponse(status, data, headers, statusText);
+ return chain;
+ }
+ };
+
+ if ($browser) {
+ chain.passThrough = function() {
+ definition.response = undefined;
+ definition.passThrough = true;
+ return chain;
+ };
+ }
+
+ definitions.push(definition);
+ return chain;
+ };
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#whenGET
+ * @description
+ * Creates a new backend definition for GET requests. For more info see `when()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(Object|function(Object))=} headers HTTP headers.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described above.
+ * @returns {requestHandler} Returns an object with `respond` method that controls how a matched
+ * request is handled. You can save this object for later use and invoke `respond` again in
+ * order to change how a matched request is handled.
+ */
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#whenHEAD
+ * @description
+ * Creates a new backend definition for HEAD requests. For more info see `when()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(Object|function(Object))=} headers HTTP headers.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described above.
+ * @returns {requestHandler} Returns an object with `respond` method that controls how a matched
+ * request is handled. You can save this object for later use and invoke `respond` again in
+ * order to change how a matched request is handled.
+ */
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#whenDELETE
+ * @description
+ * Creates a new backend definition for DELETE requests. For more info see `when()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(Object|function(Object))=} headers HTTP headers.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described above.
+ * @returns {requestHandler} Returns an object with `respond` method that controls how a matched
+ * request is handled. You can save this object for later use and invoke `respond` again in
+ * order to change how a matched request is handled.
+ */
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#whenPOST
+ * @description
+ * Creates a new backend definition for POST requests. For more info see `when()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(string|RegExp|function(string))=} data HTTP request body or function that receives
+ * data string and returns true if the data is as expected.
+ * @param {(Object|function(Object))=} headers HTTP headers.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described above.
+ * @returns {requestHandler} Returns an object with `respond` method that controls how a matched
+ * request is handled. You can save this object for later use and invoke `respond` again in
+ * order to change how a matched request is handled.
+ */
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#whenPUT
+ * @description
+ * Creates a new backend definition for PUT requests. For more info see `when()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(string|RegExp|function(string))=} data HTTP request body or function that receives
+ * data string and returns true if the data is as expected.
+ * @param {(Object|function(Object))=} headers HTTP headers.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described above.
+ * @returns {requestHandler} Returns an object with `respond` method that controls how a matched
+ * request is handled. You can save this object for later use and invoke `respond` again in
+ * order to change how a matched request is handled.
+ */
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#whenJSONP
+ * @description
+ * Creates a new backend definition for JSONP requests. For more info see `when()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described above.
+ * @returns {requestHandler} Returns an object with `respond` method that controls how a matched
+ * request is handled. You can save this object for later use and invoke `respond` again in
+ * order to change how a matched request is handled.
+ */
+ createShortMethods('when');
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#whenRoute
+ * @description
+ * Creates a new backend definition that compares only with the requested route.
+ *
+ * @param {string} method HTTP method.
+ * @param {string} url HTTP url string that supports colon param matching.
+ * @returns {requestHandler} Returns an object with `respond` method that controls how a matched
+ * request is handled. You can save this object for later use and invoke `respond` again in
+ * order to change how a matched request is handled. See #when for more info.
+ */
+ $httpBackend.whenRoute = function(method, url) {
+ var pathObj = parseRoute(url);
+ return $httpBackend.when(method, pathObj.regexp, undefined, undefined, pathObj.keys);
+ };
+
+ function parseRoute(url) {
+ var ret = {
+ regexp: url
+ },
+ keys = ret.keys = [];
+
+ if (!url || !angular.isString(url)) return ret;
+
+ url = url
+ .replace(/([().])/g, '\\$1')
+ .replace(/(\/)?:(\w+)([?*])?/g, function(_, slash, key, option) {
+ var optional = option === '?' ? option : null;
+ var star = option === '*' ? option : null;
+ keys.push({ name: key, optional: !!optional });
+ slash = slash || '';
+ return ''
+ + (optional ? '' : slash)
+ + '(?:'
+ + (optional ? slash : '')
+ + (star && '(.+?)' || '([^/]+)')
+ + (optional || '')
+ + ')'
+ + (optional || '');
+ })
+ .replace(/([/$*])/g, '\\$1');
+
+ ret.regexp = new RegExp('^' + url, 'i');
+ return ret;
+ }
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#expect
+ * @description
+ * Creates a new request expectation.
+ *
+ * @param {string} method HTTP method.
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(string|RegExp|function(string)|Object)=} data HTTP request body or function that
+ * receives data string and returns true if the data is as expected, or Object if request body
+ * is in JSON format.
+ * @param {(Object|function(Object))=} headers HTTP headers or function that receives http header
+ * object and returns true if the headers match the current expectation.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described above.
+ * @returns {requestHandler} Returns an object with `respond` method that controls how a matched
+ * request is handled. You can save this object for later use and invoke `respond` again in
+ * order to change how a matched request is handled.
+ *
+ * - respond –
+ * ```
+ * { function([status,] data[, headers, statusText])
+ * | function(function(method, url, data, headers, params)}
+ * ```
+ * – The respond method takes a set of static data to be returned or a function that can
+ * return an array containing response status (number), response data (Array|Object|string),
+ * response headers (Object), and the text for the status (string). The respond method returns
+ * the `requestHandler` object for possible overrides.
+ */
+ $httpBackend.expect = function(method, url, data, headers, keys) {
+ var expectation = new MockHttpExpectation(method, url, data, headers, keys),
+ chain = {
+ respond: function(status, data, headers, statusText) {
+ expectation.response = createResponse(status, data, headers, statusText);
+ return chain;
+ }
+ };
+
+ expectations.push(expectation);
+ return chain;
+ };
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#expectGET
+ * @description
+ * Creates a new request expectation for GET requests. For more info see `expect()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {Object=} headers HTTP headers.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described above.
+ * @returns {requestHandler} Returns an object with `respond` method that controls how a matched
+ * request is handled. You can save this object for later use and invoke `respond` again in
+ * order to change how a matched request is handled. See #expect for more info.
+ */
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#expectHEAD
+ * @description
+ * Creates a new request expectation for HEAD requests. For more info see `expect()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {Object=} headers HTTP headers.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described above.
+ * @returns {requestHandler} Returns an object with `respond` method that controls how a matched
+ * request is handled. You can save this object for later use and invoke `respond` again in
+ * order to change how a matched request is handled.
+ */
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#expectDELETE
+ * @description
+ * Creates a new request expectation for DELETE requests. For more info see `expect()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {Object=} headers HTTP headers.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described above.
+ * @returns {requestHandler} Returns an object with `respond` method that controls how a matched
+ * request is handled. You can save this object for later use and invoke `respond` again in
+ * order to change how a matched request is handled.
+ */
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#expectPOST
+ * @description
+ * Creates a new request expectation for POST requests. For more info see `expect()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(string|RegExp|function(string)|Object)=} data HTTP request body or function that
+ * receives data string and returns true if the data is as expected, or Object if request body
+ * is in JSON format.
+ * @param {Object=} headers HTTP headers.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described above.
+ * @returns {requestHandler} Returns an object with `respond` method that controls how a matched
+ * request is handled. You can save this object for later use and invoke `respond` again in
+ * order to change how a matched request is handled.
+ */
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#expectPUT
+ * @description
+ * Creates a new request expectation for PUT requests. For more info see `expect()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(string|RegExp|function(string)|Object)=} data HTTP request body or function that
+ * receives data string and returns true if the data is as expected, or Object if request body
+ * is in JSON format.
+ * @param {Object=} headers HTTP headers.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described above.
+ * @returns {requestHandler} Returns an object with `respond` method that controls how a matched
+ * request is handled. You can save this object for later use and invoke `respond` again in
+ * order to change how a matched request is handled.
+ */
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#expectPATCH
+ * @description
+ * Creates a new request expectation for PATCH requests. For more info see `expect()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(string|RegExp|function(string)|Object)=} data HTTP request body or function that
+ * receives data string and returns true if the data is as expected, or Object if request body
+ * is in JSON format.
+ * @param {Object=} headers HTTP headers.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described above.
+ * @returns {requestHandler} Returns an object with `respond` method that controls how a matched
+ * request is handled. You can save this object for later use and invoke `respond` again in
+ * order to change how a matched request is handled.
+ */
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#expectJSONP
+ * @description
+ * Creates a new request expectation for JSONP requests. For more info see `expect()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives an url
+ * and returns true if the url matches the current definition.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described above.
+ * @returns {requestHandler} Returns an object with `respond` method that controls how a matched
+ * request is handled. You can save this object for later use and invoke `respond` again in
+ * order to change how a matched request is handled.
+ */
+ createShortMethods('expect');
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#expectRoute
+ * @description
+ * Creates a new request expectation that compares only with the requested route.
+ *
+ * @param {string} method HTTP method.
+ * @param {string} url HTTP url string that supports colon param matching.
+ * @returns {requestHandler} Returns an object with `respond` method that controls how a matched
+ * request is handled. You can save this object for later use and invoke `respond` again in
+ * order to change how a matched request is handled. See #expect for more info.
+ */
+ $httpBackend.expectRoute = function(method, url) {
+ var pathObj = parseRoute(url);
+ return $httpBackend.expect(method, pathObj.regexp, undefined, undefined, pathObj.keys);
+ };
+
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#flush
+ * @description
+ * Flushes pending requests using the trained responses. Requests are flushed in the order they
+ * were made, but it is also possible to skip one or more requests (for example to have them
+ * flushed later). This is useful for simulating scenarios where responses arrive from the server
+ * in any order.
+ *
+ * If there are no pending requests to flush when the method is called, an exception is thrown (as
+ * this is typically a sign of programming error).
+ *
+ * @param {number=} count - Number of responses to flush. If undefined/null, all pending requests
+ * (starting after `skip`) will be flushed.
+ * @param {number=} [skip=0] - Number of pending requests to skip. For example, a value of `5`
+ * would skip the first 5 pending requests and start flushing from the 6th onwards.
+ */
+ $httpBackend.flush = function(count, skip, digest) {
+ if (digest !== false) $rootScope.$digest();
+
+ skip = skip || 0;
+ if (skip >= responses.length) throw new Error('No pending request to flush !');
+
+ if (angular.isDefined(count) && count !== null) {
+ while (count--) {
+ var part = responses.splice(skip, 1);
+ if (!part.length) throw new Error('No more pending request to flush !');
+ part[0]();
+ }
+ } else {
+ while (responses.length > skip) {
+ responses.splice(skip, 1)[0]();
+ }
+ }
+ $httpBackend.verifyNoOutstandingExpectation(digest);
+ };
+
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#verifyNoOutstandingExpectation
+ * @description
+ * Verifies that all of the requests defined via the `expect` api were made. If any of the
+ * requests were not made, verifyNoOutstandingExpectation throws an exception.
+ *
+ * Typically, you would call this method following each test case that asserts requests using an
+ * "afterEach" clause.
+ *
+ * ```js
+ * afterEach($httpBackend.verifyNoOutstandingExpectation);
+ * ```
+ */
+ $httpBackend.verifyNoOutstandingExpectation = function(digest) {
+ if (digest !== false) $rootScope.$digest();
+ if (expectations.length) {
+ throw new Error('Unsatisfied requests: ' + expectations.join(', '));
+ }
+ };
+
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#verifyNoOutstandingRequest
+ * @description
+ * Verifies that there are no outstanding requests that need to be flushed.
+ *
+ * Typically, you would call this method following each test case that asserts requests using an
+ * "afterEach" clause.
+ *
+ * ```js
+ * afterEach($httpBackend.verifyNoOutstandingRequest);
+ * ```
+ */
+ $httpBackend.verifyNoOutstandingRequest = function() {
+ if (responses.length) {
+ throw new Error('Unflushed requests: ' + responses.length);
+ }
+ };
+
+
+ /**
+ * @ngdoc method
+ * @name $httpBackend#resetExpectations
+ * @description
+ * Resets all request expectations, but preserves all backend definitions. Typically, you would
+ * call resetExpectations during a multiple-phase test when you want to reuse the same instance of
+ * $httpBackend mock.
+ */
+ $httpBackend.resetExpectations = function() {
+ expectations.length = 0;
+ responses.length = 0;
+ };
+
+ return $httpBackend;
+
+
+ function createShortMethods(prefix) {
+ angular.forEach(['GET', 'DELETE', 'JSONP', 'HEAD'], function(method) {
+ $httpBackend[prefix + method] = function(url, headers, keys) {
+ return $httpBackend[prefix](method, url, undefined, headers, keys);
+ };
+ });
+
+ angular.forEach(['PUT', 'POST', 'PATCH'], function(method) {
+ $httpBackend[prefix + method] = function(url, data, headers, keys) {
+ return $httpBackend[prefix](method, url, data, headers, keys);
+ };
+ });
+ }
+}
+
+function MockHttpExpectation(method, url, data, headers, keys) {
+
+ function getUrlParams(u) {
+ var params = u.slice(u.indexOf('?') + 1).split('&');
+ return params.sort();
+ }
+
+ function compareUrl(u) {
+ return (url.slice(0, url.indexOf('?')) === u.slice(0, u.indexOf('?')) &&
+ getUrlParams(url).join() === getUrlParams(u).join());
+ }
+
+ this.data = data;
+ this.headers = headers;
+
+ this.match = function(m, u, d, h) {
+ if (method !== m) return false;
+ if (!this.matchUrl(u)) return false;
+ if (angular.isDefined(d) && !this.matchData(d)) return false;
+ if (angular.isDefined(h) && !this.matchHeaders(h)) return false;
+ return true;
+ };
+
+ this.matchUrl = function(u) {
+ if (!url) return true;
+ if (angular.isFunction(url.test)) return url.test(u);
+ if (angular.isFunction(url)) return url(u);
+ return (url === u || compareUrl(u));
+ };
+
+ this.matchHeaders = function(h) {
+ if (angular.isUndefined(headers)) return true;
+ if (angular.isFunction(headers)) return headers(h);
+ return angular.equals(headers, h);
+ };
+
+ this.matchData = function(d) {
+ if (angular.isUndefined(data)) return true;
+ if (data && angular.isFunction(data.test)) return data.test(d);
+ if (data && angular.isFunction(data)) return data(d);
+ if (data && !angular.isString(data)) {
+ return angular.equals(angular.fromJson(angular.toJson(data)), angular.fromJson(d));
+ }
+ // eslint-disable-next-line eqeqeq
+ return data == d;
+ };
+
+ this.toString = function() {
+ return method + ' ' + url;
+ };
+
+ this.params = function(u) {
+ return angular.extend(parseQuery(), pathParams());
+
+ function pathParams() {
+ var keyObj = {};
+ if (!url || !angular.isFunction(url.test) || !keys || keys.length === 0) return keyObj;
+
+ var m = url.exec(u);
+ if (!m) return keyObj;
+ for (var i = 1, len = m.length; i < len; ++i) {
+ var key = keys[i - 1];
+ var val = m[i];
+ if (key && val) {
+ keyObj[key.name || key] = val;
+ }
+ }
+
+ return keyObj;
+ }
+
+ function parseQuery() {
+ var obj = {}, key_value, key,
+ queryStr = u.indexOf('?') > -1
+ ? u.substring(u.indexOf('?') + 1)
+ : '';
+
+ angular.forEach(queryStr.split('&'), function(keyValue) {
+ if (keyValue) {
+ key_value = keyValue.replace(/\+/g,'%20').split('=');
+ key = tryDecodeURIComponent(key_value[0]);
+ if (angular.isDefined(key)) {
+ var val = angular.isDefined(key_value[1]) ? tryDecodeURIComponent(key_value[1]) : true;
+ if (!hasOwnProperty.call(obj, key)) {
+ obj[key] = val;
+ } else if (angular.isArray(obj[key])) {
+ obj[key].push(val);
+ } else {
+ obj[key] = [obj[key],val];
+ }
+ }
+ }
+ });
+ return obj;
+ }
+ function tryDecodeURIComponent(value) {
+ try {
+ return decodeURIComponent(value);
+ } catch (e) {
+ // Ignore any invalid uri component
+ }
+ }
+ };
+}
+
+function createMockXhr() {
+ return new MockXhr();
+}
+
+function MockXhr() {
+
+ // hack for testing $http, $httpBackend
+ MockXhr.$$lastInstance = this;
+
+ this.open = function(method, url, async) {
+ this.$$method = method;
+ this.$$url = url;
+ this.$$async = async;
+ this.$$reqHeaders = {};
+ this.$$respHeaders = {};
+ };
+
+ this.send = function(data) {
+ this.$$data = data;
+ };
+
+ this.setRequestHeader = function(key, value) {
+ this.$$reqHeaders[key] = value;
+ };
+
+ this.getResponseHeader = function(name) {
+ // the lookup must be case insensitive,
+ // that's why we try two quick lookups first and full scan last
+ var header = this.$$respHeaders[name];
+ if (header) return header;
+
+ name = angular.lowercase(name);
+ header = this.$$respHeaders[name];
+ if (header) return header;
+
+ header = undefined;
+ angular.forEach(this.$$respHeaders, function(headerVal, headerName) {
+ if (!header && angular.lowercase(headerName) === name) header = headerVal;
+ });
+ return header;
+ };
+
+ this.getAllResponseHeaders = function() {
+ var lines = [];
+
+ angular.forEach(this.$$respHeaders, function(value, key) {
+ lines.push(key + ': ' + value);
+ });
+ return lines.join('\n');
+ };
+
+ this.abort = angular.noop;
+
+ // This section simulates the events on a real XHR object (and the upload object)
+ // When we are testing $httpBackend (inside the angular project) we make partial use of this
+ // but store the events directly ourselves on `$$events`, instead of going through the `addEventListener`
+ this.$$events = {};
+ this.addEventListener = function(name, listener) {
+ if (angular.isUndefined(this.$$events[name])) this.$$events[name] = [];
+ this.$$events[name].push(listener);
+ };
+
+ this.upload = {
+ $$events: {},
+ addEventListener: this.addEventListener
+ };
+}
+
+
+/**
+ * @ngdoc service
+ * @name $timeout
+ * @description
+ *
+ * This service is just a simple decorator for {@link ng.$timeout $timeout} service
+ * that adds a "flush" and "verifyNoPendingTasks" methods.
+ */
+
+angular.mock.$TimeoutDecorator = ['$delegate', '$browser', function($delegate, $browser) {
+
+ /**
+ * @ngdoc method
+ * @name $timeout#flush
+ * @description
+ *
+ * Flushes the queue of pending tasks.
+ *
+ * @param {number=} delay maximum timeout amount to flush up until
+ */
+ $delegate.flush = function(delay) {
+ $browser.defer.flush(delay);
+ };
+
+ /**
+ * @ngdoc method
+ * @name $timeout#verifyNoPendingTasks
+ * @description
+ *
+ * Verifies that there are no pending tasks that need to be flushed.
+ */
+ $delegate.verifyNoPendingTasks = function() {
+ if ($browser.deferredFns.length) {
+ throw new Error('Deferred tasks to flush (' + $browser.deferredFns.length + '): ' +
+ formatPendingTasksAsString($browser.deferredFns));
+ }
+ };
+
+ function formatPendingTasksAsString(tasks) {
+ var result = [];
+ angular.forEach(tasks, function(task) {
+ result.push('{id: ' + task.id + ', time: ' + task.time + '}');
+ });
+
+ return result.join(', ');
+ }
+
+ return $delegate;
+}];
+
+angular.mock.$RAFDecorator = ['$delegate', function($delegate) {
+ var rafFn = function(fn) {
+ var index = rafFn.queue.length;
+ rafFn.queue.push(fn);
+ return function() {
+ rafFn.queue.splice(index, 1);
+ };
+ };
+
+ rafFn.queue = [];
+ rafFn.supported = $delegate.supported;
+
+ rafFn.flush = function() {
+ if (rafFn.queue.length === 0) {
+ throw new Error('No rAF callbacks present');
+ }
+
+ var length = rafFn.queue.length;
+ for (var i = 0; i < length; i++) {
+ rafFn.queue[i]();
+ }
+
+ rafFn.queue = rafFn.queue.slice(i);
+ };
+
+ return rafFn;
+}];
+
+/**
+ *
+ */
+var originalRootElement;
+angular.mock.$RootElementProvider = function() {
+ this.$get = ['$injector', function($injector) {
+ originalRootElement = angular.element('').data('$injector', $injector);
+ return originalRootElement;
+ }];
+};
+
+/**
+ * @ngdoc service
+ * @name $controller
+ * @description
+ * A decorator for {@link ng.$controller} with additional `bindings` parameter, useful when testing
+ * controllers of directives that use {@link $compile#-bindtocontroller- `bindToController`}.
+ *
+ * Depending on the value of
+ * {@link ng.$compileProvider#preAssignBindingsEnabled `preAssignBindingsEnabled()`}, the properties
+ * will be bound before or after invoking the constructor.
+ *
+ *
+ * ## Example
+ *
+ * ```js
+ *
+ * // Directive definition ...
+ *
+ * myMod.directive('myDirective', {
+ * controller: 'MyDirectiveController',
+ * bindToController: {
+ * name: '@'
+ * }
+ * });
+ *
+ *
+ * // Controller definition ...
+ *
+ * myMod.controller('MyDirectiveController', ['$log', function($log) {
+ * this.log = function() {
+ * $log.info(this.name);
+ * };
+ * }]);
+ *
+ *
+ * // In a test ...
+ *
+ * describe('myDirectiveController', function() {
+ * describe('log()', function() {
+ * it('should write the bound name to the log', inject(function($controller, $log) {
+ * var ctrl = $controller('MyDirectiveController', { /* no locals */ }, { name: 'Clark Kent' });
+ * ctrl.log();
+ *
+ * expect(ctrl.name).toEqual('Clark Kent');
+ * expect($log.info.logs).toEqual(['Clark Kent']);
+ * }));
+ * });
+ * });
+ *
+ * ```
+ *
+ * @param {Function|string} constructor If called with a function then it's considered to be the
+ * controller constructor function. Otherwise it's considered to be a string which is used
+ * to retrieve the controller constructor using the following steps:
+ *
+ * * check if a controller with given name is registered via `$controllerProvider`
+ * * check if evaluating the string on the current scope returns a constructor
+ * * if $controllerProvider#allowGlobals, check `window[constructor]` on the global
+ * `window` object (not recommended)
+ *
+ * The string can use the `controller as property` syntax, where the controller instance is published
+ * as the specified property on the `scope`; the `scope` must be injected into `locals` param for this
+ * to work correctly.
+ *
+ * @param {Object} locals Injection locals for Controller.
+ * @param {Object=} bindings Properties to add to the controller instance. This is used to simulate
+ * the `bindToController` feature and simplify certain kinds of tests.
+ * @return {Object} Instance of given controller.
+ */
+function createControllerDecorator(compileProvider) {
+ angular.mock.$ControllerDecorator = ['$delegate', function($delegate) {
+ return function(expression, locals, later, ident) {
+ if (later && typeof later === 'object') {
+ var preAssignBindingsEnabled = compileProvider.preAssignBindingsEnabled();
+
+ var instantiate = $delegate(expression, locals, true, ident);
+ if (preAssignBindingsEnabled) {
+ angular.extend(instantiate.instance, later);
+ }
+
+ var instance = instantiate();
+ if (!preAssignBindingsEnabled || instance !== instantiate.instance) {
+ angular.extend(instance, later);
+ }
+
+ return instance;
+ }
+ return $delegate(expression, locals, later, ident);
+ };
+ }];
+
+ return angular.mock.$ControllerDecorator;
+}
+
+/**
+ * @ngdoc service
+ * @name $componentController
+ * @description
+ * A service that can be used to create instances of component controllers. Useful for unit-testing.
+ *
+ * Be aware that the controller will be instantiated and attached to the scope as specified in
+ * the component definition object. If you do not provide a `$scope` object in the `locals` param
+ * then the helper will create a new isolated scope as a child of `$rootScope`.
+ *
+ * If you are using `$element` or `$attrs` in the controller, make sure to provide them as `locals`.
+ * The `$element` must be a jqLite-wrapped DOM element, and `$attrs` should be an object that
+ * has all properties / functions that you are using in the controller. If this is getting too complex,
+ * you should compile the component instead and access the component's controller via the
+ * {@link angular.element#methods `controller`} function.
+ *
+ * See also the section on {@link guide/component#unit-testing-component-controllers unit-testing component controllers}
+ * in the guide.
+ *
+ * @param {string} componentName the name of the component whose controller we want to instantiate
+ * @param {Object} locals Injection locals for Controller.
+ * @param {Object=} bindings Properties to add to the controller before invoking the constructor. This is used
+ * to simulate the `bindToController` feature and simplify certain kinds of tests.
+ * @param {string=} ident Override the property name to use when attaching the controller to the scope.
+ * @return {Object} Instance of requested controller.
+ */
+angular.mock.$ComponentControllerProvider = ['$compileProvider',
+ function ComponentControllerProvider($compileProvider) {
+ this.$get = ['$controller','$injector', '$rootScope', function($controller, $injector, $rootScope) {
+ return function $componentController(componentName, locals, bindings, ident) {
+ // get all directives associated to the component name
+ var directives = $injector.get(componentName + 'Directive');
+ // look for those directives that are components
+ var candidateDirectives = directives.filter(function(directiveInfo) {
+ // components have controller, controllerAs and restrict:'E'
+ return directiveInfo.controller && directiveInfo.controllerAs && directiveInfo.restrict === 'E';
+ });
+ // check if valid directives found
+ if (candidateDirectives.length === 0) {
+ throw new Error('No component found');
+ }
+ if (candidateDirectives.length > 1) {
+ throw new Error('Too many components found');
+ }
+ // get the info of the component
+ var directiveInfo = candidateDirectives[0];
+ // create a scope if needed
+ locals = locals || {};
+ locals.$scope = locals.$scope || $rootScope.$new(true);
+ return $controller(directiveInfo.controller, locals, bindings, ident || directiveInfo.controllerAs);
+ };
+ }];
+}];
+
+
+/**
+ * @ngdoc module
+ * @name ngMock
+ * @packageName angular-mocks
+ * @description
+ *
+ * # ngMock
+ *
+ * The `ngMock` module provides support to inject and mock Angular services into unit tests.
+ * In addition, ngMock also extends various core ng services such that they can be
+ * inspected and controlled in a synchronous manner within test code.
+ *
+ *
+ *
+ *
+ * @installation
+ *
+ * First, download the file:
+ * * [Google CDN](https://developers.google.com/speed/libraries/devguide#angularjs) e.g.
+ * `"//ajax.googleapis.com/ajax/libs/angularjs/X.Y.Z/angular-mocks.js"`
+ * * [NPM](https://www.npmjs.com/) e.g. `npm install angular-mocks@X.Y.Z`
+ * * [Yarn](https://yarnpkg.com) e.g. `yarn add angular-mocks@X.Y.Z`
+ * * [Bower](http://bower.io) e.g. `bower install angular-mocks#X.Y.Z`
+ * * [code.angularjs.org](https://code.angularjs.org/) (discouraged for production use) e.g.
+ * `"//code.angularjs.org/X.Y.Z/angular-mocks.js"`
+ *
+ * where X.Y.Z is the AngularJS version you are running.
+ *
+ * Then, configure your test runner to load `angular-mocks.js` after `angular.js`.
+ * This example uses Karma:
+ *
+ * ```
+ * config.set({
+ * files: [
+ * 'build/angular.js', // and other module files you need
+ * 'build/angular-mocks.js',
+ * '',
+ * ''
+ * ]
+ * });
+ * ```
+ *
+ * Including the `angular-mocks.js` file automatically adds the `ngMock` module, so your tests
+ * are ready to go!
+ */
+angular.module('ngMock', ['ng']).provider({
+ $browser: angular.mock.$BrowserProvider,
+ $exceptionHandler: angular.mock.$ExceptionHandlerProvider,
+ $log: angular.mock.$LogProvider,
+ $interval: angular.mock.$IntervalProvider,
+ $httpBackend: angular.mock.$HttpBackendProvider,
+ $rootElement: angular.mock.$RootElementProvider,
+ $componentController: angular.mock.$ComponentControllerProvider
+}).config(['$provide', '$compileProvider', function($provide, $compileProvider) {
+ $provide.decorator('$timeout', angular.mock.$TimeoutDecorator);
+ $provide.decorator('$$rAF', angular.mock.$RAFDecorator);
+ $provide.decorator('$rootScope', angular.mock.$RootScopeDecorator);
+ $provide.decorator('$controller', createControllerDecorator($compileProvider));
+}]);
+
+/**
+ * @ngdoc module
+ * @name ngMockE2E
+ * @module ngMockE2E
+ * @packageName angular-mocks
+ * @description
+ *
+ * The `ngMockE2E` is an angular module which contains mocks suitable for end-to-end testing.
+ * Currently there is only one mock present in this module -
+ * the {@link ngMockE2E.$httpBackend e2e $httpBackend} mock.
+ */
+angular.module('ngMockE2E', ['ng']).config(['$provide', function($provide) {
+ $provide.value('$httpBackend', angular.injector(['ng']).get('$httpBackend'));
+ $provide.decorator('$httpBackend', angular.mock.e2e.$httpBackendDecorator);
+}]);
+
+/**
+ * @ngdoc service
+ * @name $httpBackend
+ * @module ngMockE2E
+ * @description
+ * Fake HTTP backend implementation suitable for end-to-end testing or backend-less development of
+ * applications that use the {@link ng.$http $http service}.
+ *
+ *
+ * **Note**: For fake http backend implementation suitable for unit testing please see
+ * {@link ngMock.$httpBackend unit-testing $httpBackend mock}.
+ *
+ *
+ * This implementation can be used to respond with static or dynamic responses via the `when` api
+ * and its shortcuts (`whenGET`, `whenPOST`, etc) and optionally pass through requests to the
+ * real $httpBackend for specific requests (e.g. to interact with certain remote apis or to fetch
+ * templates from a webserver).
+ *
+ * As opposed to unit-testing, in an end-to-end testing scenario or in scenario when an application
+ * is being developed with the real backend api replaced with a mock, it is often desirable for
+ * certain category of requests to bypass the mock and issue a real http request (e.g. to fetch
+ * templates or static files from the webserver). To configure the backend with this behavior
+ * use the `passThrough` request handler of `when` instead of `respond`.
+ *
+ * Additionally, we don't want to manually have to flush mocked out requests like we do during unit
+ * testing. For this reason the e2e $httpBackend flushes mocked out requests
+ * automatically, closely simulating the behavior of the XMLHttpRequest object.
+ *
+ * To setup the application to run with this http backend, you have to create a module that depends
+ * on the `ngMockE2E` and your application modules and defines the fake backend:
+ *
+ * ```js
+ * var myAppDev = angular.module('myAppDev', ['myApp', 'ngMockE2E']);
+ * myAppDev.run(function($httpBackend) {
+ * var phones = [{name: 'phone1'}, {name: 'phone2'}];
+ *
+ * // returns the current list of phones
+ * $httpBackend.whenGET('/phones').respond(phones);
+ *
+ * // adds a new phone to the phones array
+ * $httpBackend.whenPOST('/phones').respond(function(method, url, data) {
+ * var phone = angular.fromJson(data);
+ * phones.push(phone);
+ * return [200, phone, {}];
+ * });
+ * $httpBackend.whenGET(/^\/templates\//).passThrough(); // Requests for templare are handled by the real server
+ * //...
+ * });
+ * ```
+ *
+ * Afterwards, bootstrap your app with this new module.
+ *
+ * ## Example
+ *
+ *
+ * var myApp = angular.module('myApp', []);
+ *
+ * myApp.controller('MainCtrl', function MainCtrl($http) {
+ * var ctrl = this;
+ *
+ * ctrl.phones = [];
+ * ctrl.newPhone = {
+ * name: ''
+ * };
+ *
+ * ctrl.getPhones = function() {
+ * $http.get('/phones').then(function(response) {
+ * ctrl.phones = response.data;
+ * });
+ * };
+ *
+ * ctrl.addPhone = function(phone) {
+ * $http.post('/phones', phone).then(function() {
+ * ctrl.newPhone = {name: ''};
+ * return ctrl.getPhones();
+ * });
+ * };
+ *
+ * ctrl.getPhones();
+ * });
+ *
+ *
+ * var myAppDev = angular.module('myAppE2E', ['myApp', 'ngMockE2E']);
+ *
+ * myAppDev.run(function($httpBackend) {
+ * var phones = [{name: 'phone1'}, {name: 'phone2'}];
+ *
+ * // returns the current list of phones
+ * $httpBackend.whenGET('/phones').respond(phones);
+ *
+ * // adds a new phone to the phones array
+ * $httpBackend.whenPOST('/phones').respond(function(method, url, data) {
+ * var phone = angular.fromJson(data);
+ * phones.push(phone);
+ * return [200, phone, {}];
+ * });
+ * });
+ *
+ *
+ *
+ *
+ *
Phones
+ *
+ *
{{phone.name}}
+ *
+ *
+ *
+ *
+ *
+ *
+ */
+
+/**
+ * @ngdoc method
+ * @name $httpBackend#when
+ * @module ngMockE2E
+ * @description
+ * Creates a new backend definition.
+ *
+ * @param {string} method HTTP method.
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(string|RegExp|function(string))=} data HTTP request body or function that receives
+ * data string and returns true if the data is as expected.
+ * @param {(Object|function(Object))=} headers HTTP headers or function that receives http header
+ * object and returns true if the headers match the current definition.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described on
+ * {@link ngMock.$httpBackend $httpBackend mock}.
+ * @returns {requestHandler} Returns an object with `respond` and `passThrough` methods that
+ * control how a matched request is handled. You can save this object for later use and invoke
+ * `respond` or `passThrough` again in order to change how a matched request is handled.
+ *
+ * - respond –
+ * ```
+ * { function([status,] data[, headers, statusText])
+ * | function(function(method, url, data, headers, params)}
+ * ```
+ * – The respond method takes a set of static data to be returned or a function that can return
+ * an array containing response status (number), response data (Array|Object|string), response
+ * headers (Object), and the text for the status (string).
+ * - passThrough – `{function()}` – Any request matching a backend definition with
+ * `passThrough` handler will be passed through to the real backend (an XHR request will be made
+ * to the server.)
+ * - Both methods return the `requestHandler` object for possible overrides.
+ */
+
+/**
+ * @ngdoc method
+ * @name $httpBackend#whenGET
+ * @module ngMockE2E
+ * @description
+ * Creates a new backend definition for GET requests. For more info see `when()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(Object|function(Object))=} headers HTTP headers.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described on
+ * {@link ngMock.$httpBackend $httpBackend mock}.
+ * @returns {requestHandler} Returns an object with `respond` and `passThrough` methods that
+ * control how a matched request is handled. You can save this object for later use and invoke
+ * `respond` or `passThrough` again in order to change how a matched request is handled.
+ */
+
+/**
+ * @ngdoc method
+ * @name $httpBackend#whenHEAD
+ * @module ngMockE2E
+ * @description
+ * Creates a new backend definition for HEAD requests. For more info see `when()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(Object|function(Object))=} headers HTTP headers.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described on
+ * {@link ngMock.$httpBackend $httpBackend mock}.
+ * @returns {requestHandler} Returns an object with `respond` and `passThrough` methods that
+ * control how a matched request is handled. You can save this object for later use and invoke
+ * `respond` or `passThrough` again in order to change how a matched request is handled.
+ */
+
+/**
+ * @ngdoc method
+ * @name $httpBackend#whenDELETE
+ * @module ngMockE2E
+ * @description
+ * Creates a new backend definition for DELETE requests. For more info see `when()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(Object|function(Object))=} headers HTTP headers.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described on
+ * {@link ngMock.$httpBackend $httpBackend mock}.
+ * @returns {requestHandler} Returns an object with `respond` and `passThrough` methods that
+ * control how a matched request is handled. You can save this object for later use and invoke
+ * `respond` or `passThrough` again in order to change how a matched request is handled.
+ */
+
+/**
+ * @ngdoc method
+ * @name $httpBackend#whenPOST
+ * @module ngMockE2E
+ * @description
+ * Creates a new backend definition for POST requests. For more info see `when()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(string|RegExp|function(string))=} data HTTP request body or function that receives
+ * data string and returns true if the data is as expected.
+ * @param {(Object|function(Object))=} headers HTTP headers.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described on
+ * {@link ngMock.$httpBackend $httpBackend mock}.
+ * @returns {requestHandler} Returns an object with `respond` and `passThrough` methods that
+ * control how a matched request is handled. You can save this object for later use and invoke
+ * `respond` or `passThrough` again in order to change how a matched request is handled.
+ */
+
+/**
+ * @ngdoc method
+ * @name $httpBackend#whenPUT
+ * @module ngMockE2E
+ * @description
+ * Creates a new backend definition for PUT requests. For more info see `when()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(string|RegExp|function(string))=} data HTTP request body or function that receives
+ * data string and returns true if the data is as expected.
+ * @param {(Object|function(Object))=} headers HTTP headers.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described on
+ * {@link ngMock.$httpBackend $httpBackend mock}.
+ * @returns {requestHandler} Returns an object with `respond` and `passThrough` methods that
+ * control how a matched request is handled. You can save this object for later use and invoke
+ * `respond` or `passThrough` again in order to change how a matched request is handled.
+ */
+
+/**
+ * @ngdoc method
+ * @name $httpBackend#whenPATCH
+ * @module ngMockE2E
+ * @description
+ * Creates a new backend definition for PATCH requests. For more info see `when()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(string|RegExp|function(string))=} data HTTP request body or function that receives
+ * data string and returns true if the data is as expected.
+ * @param {(Object|function(Object))=} headers HTTP headers.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described on
+ * {@link ngMock.$httpBackend $httpBackend mock}.
+ * @returns {requestHandler} Returns an object with `respond` and `passThrough` methods that
+ * control how a matched request is handled. You can save this object for later use and invoke
+ * `respond` or `passThrough` again in order to change how a matched request is handled.
+ */
+
+/**
+ * @ngdoc method
+ * @name $httpBackend#whenJSONP
+ * @module ngMockE2E
+ * @description
+ * Creates a new backend definition for JSONP requests. For more info see `when()`.
+ *
+ * @param {string|RegExp|function(string)} url HTTP url or function that receives a url
+ * and returns true if the url matches the current definition.
+ * @param {(Array)=} keys Array of keys to assign to regex matches in request url described on
+ * {@link ngMock.$httpBackend $httpBackend mock}.
+ * @returns {requestHandler} Returns an object with `respond` and `passThrough` methods that
+ * control how a matched request is handled. You can save this object for later use and invoke
+ * `respond` or `passThrough` again in order to change how a matched request is handled.
+ */
+/**
+ * @ngdoc method
+ * @name $httpBackend#whenRoute
+ * @module ngMockE2E
+ * @description
+ * Creates a new backend definition that compares only with the requested route.
+ *
+ * @param {string} method HTTP method.
+ * @param {string} url HTTP url string that supports colon param matching.
+ * @returns {requestHandler} Returns an object with `respond` and `passThrough` methods that
+ * control how a matched request is handled. You can save this object for later use and invoke
+ * `respond` or `passThrough` again in order to change how a matched request is handled.
+ */
+angular.mock.e2e = {};
+angular.mock.e2e.$httpBackendDecorator =
+ ['$rootScope', '$timeout', '$delegate', '$browser', createHttpBackendMock];
+
+
+/**
+ * @ngdoc type
+ * @name $rootScope.Scope
+ * @module ngMock
+ * @description
+ * {@link ng.$rootScope.Scope Scope} type decorated with helper methods useful for testing. These
+ * methods are automatically available on any {@link ng.$rootScope.Scope Scope} instance when
+ * `ngMock` module is loaded.
+ *
+ * In addition to all the regular `Scope` methods, the following helper methods are available:
+ */
+angular.mock.$RootScopeDecorator = ['$delegate', function($delegate) {
+
+ var $rootScopePrototype = Object.getPrototypeOf($delegate);
+
+ $rootScopePrototype.$countChildScopes = countChildScopes;
+ $rootScopePrototype.$countWatchers = countWatchers;
+
+ return $delegate;
+
+ // ------------------------------------------------------------------------------------------ //
+
+ /**
+ * @ngdoc method
+ * @name $rootScope.Scope#$countChildScopes
+ * @module ngMock
+ * @this $rootScope.Scope
+ * @description
+ * Counts all the direct and indirect child scopes of the current scope.
+ *
+ * The current scope is excluded from the count. The count includes all isolate child scopes.
+ *
+ * @returns {number} Total number of child scopes.
+ */
+ function countChildScopes() {
+ var count = 0; // exclude the current scope
+ var pendingChildHeads = [this.$$childHead];
+ var currentScope;
+
+ while (pendingChildHeads.length) {
+ currentScope = pendingChildHeads.shift();
+
+ while (currentScope) {
+ count += 1;
+ pendingChildHeads.push(currentScope.$$childHead);
+ currentScope = currentScope.$$nextSibling;
+ }
+ }
+
+ return count;
+ }
+
+
+ /**
+ * @ngdoc method
+ * @name $rootScope.Scope#$countWatchers
+ * @this $rootScope.Scope
+ * @module ngMock
+ * @description
+ * Counts all the watchers of direct and indirect child scopes of the current scope.
+ *
+ * The watchers of the current scope are included in the count and so are all the watchers of
+ * isolate child scopes.
+ *
+ * @returns {number} Total number of watchers.
+ */
+ function countWatchers() {
+ var count = this.$$watchers ? this.$$watchers.length : 0; // include the current scope
+ var pendingChildHeads = [this.$$childHead];
+ var currentScope;
+
+ while (pendingChildHeads.length) {
+ currentScope = pendingChildHeads.shift();
+
+ while (currentScope) {
+ count += currentScope.$$watchers ? currentScope.$$watchers.length : 0;
+ pendingChildHeads.push(currentScope.$$childHead);
+ currentScope = currentScope.$$nextSibling;
+ }
+ }
+
+ return count;
+ }
+}];
+
+
+(function(jasmineOrMocha) {
+
+ if (!jasmineOrMocha) {
+ return;
+ }
+
+ var currentSpec = null,
+ injectorState = new InjectorState(),
+ annotatedFunctions = [],
+ wasInjectorCreated = function() {
+ return !!currentSpec;
+ };
+
+ angular.mock.$$annotate = angular.injector.$$annotate;
+ angular.injector.$$annotate = function(fn) {
+ if (typeof fn === 'function' && !fn.$inject) {
+ annotatedFunctions.push(fn);
+ }
+ return angular.mock.$$annotate.apply(this, arguments);
+ };
+
+ /**
+ * @ngdoc function
+ * @name angular.mock.module
+ * @description
+ *
+ * *NOTE*: This function is also published on window for easy access.
+ * *NOTE*: This function is declared ONLY WHEN running tests with jasmine or mocha
+ *
+ * This function registers a module configuration code. It collects the configuration information
+ * which will be used when the injector is created by {@link angular.mock.inject inject}.
+ *
+ * See {@link angular.mock.inject inject} for usage example
+ *
+ * @param {...(string|Function|Object)} fns any number of modules which are represented as string
+ * aliases or as anonymous module initialization functions. The modules are used to
+ * configure the injector. The 'ng' and 'ngMock' modules are automatically loaded. If an
+ * object literal is passed each key-value pair will be registered on the module via
+ * {@link auto.$provide $provide}.value, the key being the string name (or token) to associate
+ * with the value on the injector.
+ */
+ var module = window.module = angular.mock.module = function() {
+ var moduleFns = Array.prototype.slice.call(arguments, 0);
+ return wasInjectorCreated() ? workFn() : workFn;
+ /////////////////////
+ function workFn() {
+ if (currentSpec.$injector) {
+ throw new Error('Injector already created, can not register a module!');
+ } else {
+ var fn, modules = currentSpec.$modules || (currentSpec.$modules = []);
+ angular.forEach(moduleFns, function(module) {
+ if (angular.isObject(module) && !angular.isArray(module)) {
+ fn = ['$provide', function($provide) {
+ angular.forEach(module, function(value, key) {
+ $provide.value(key, value);
+ });
+ }];
+ } else {
+ fn = module;
+ }
+ if (currentSpec.$providerInjector) {
+ currentSpec.$providerInjector.invoke(fn);
+ } else {
+ modules.push(fn);
+ }
+ });
+ }
+ }
+ };
+
+ module.$$beforeAllHook = (window.before || window.beforeAll);
+ module.$$afterAllHook = (window.after || window.afterAll);
+
+ // purely for testing ngMock itself
+ module.$$currentSpec = function(to) {
+ if (arguments.length === 0) return to;
+ currentSpec = to;
+ };
+
+ /**
+ * @ngdoc function
+ * @name angular.mock.module.sharedInjector
+ * @description
+ *
+ * *NOTE*: This function is declared ONLY WHEN running tests with jasmine or mocha
+ *
+ * This function ensures a single injector will be used for all tests in a given describe context.
+ * This contrasts with the default behaviour where a new injector is created per test case.
+ *
+ * Use sharedInjector when you want to take advantage of Jasmine's `beforeAll()`, or mocha's
+ * `before()` methods. Call `module.sharedInjector()` before you setup any other hooks that
+ * will create (i.e call `module()`) or use (i.e call `inject()`) the injector.
+ *
+ * You cannot call `sharedInjector()` from within a context already using `sharedInjector()`.
+ *
+ * ## Example
+ *
+ * Typically beforeAll is used to make many assertions about a single operation. This can
+ * cut down test run-time as the test setup doesn't need to be re-run, and enabling focussed
+ * tests each with a single assertion.
+ *
+ * ```js
+ * describe("Deep Thought", function() {
+ *
+ * module.sharedInjector();
+ *
+ * beforeAll(module("UltimateQuestion"));
+ *
+ * beforeAll(inject(function(DeepThought) {
+ * expect(DeepThought.answer).toBeUndefined();
+ * DeepThought.generateAnswer();
+ * }));
+ *
+ * it("has calculated the answer correctly", inject(function(DeepThought) {
+ * // Because of sharedInjector, we have access to the instance of the DeepThought service
+ * // that was provided to the beforeAll() hook. Therefore we can test the generated answer
+ * expect(DeepThought.answer).toBe(42);
+ * }));
+ *
+ * it("has calculated the answer within the expected time", inject(function(DeepThought) {
+ * expect(DeepThought.runTimeMillennia).toBeLessThan(8000);
+ * }));
+ *
+ * it("has double checked the answer", inject(function(DeepThought) {
+ * expect(DeepThought.absolutelySureItIsTheRightAnswer).toBe(true);
+ * }));
+ *
+ * });
+ *
+ * ```
+ */
+ module.sharedInjector = function() {
+ if (!(module.$$beforeAllHook && module.$$afterAllHook)) {
+ throw Error('sharedInjector() cannot be used unless your test runner defines beforeAll/afterAll');
+ }
+
+ var initialized = false;
+
+ module.$$beforeAllHook(/** @this */ function() {
+ if (injectorState.shared) {
+ injectorState.sharedError = Error('sharedInjector() cannot be called inside a context that has already called sharedInjector()');
+ throw injectorState.sharedError;
+ }
+ initialized = true;
+ currentSpec = this;
+ injectorState.shared = true;
+ });
+
+ module.$$afterAllHook(function() {
+ if (initialized) {
+ injectorState = new InjectorState();
+ module.$$cleanup();
+ } else {
+ injectorState.sharedError = null;
+ }
+ });
+ };
+
+ module.$$beforeEach = function() {
+ if (injectorState.shared && currentSpec && currentSpec !== this) {
+ var state = currentSpec;
+ currentSpec = this;
+ angular.forEach(['$injector','$modules','$providerInjector', '$injectorStrict'], function(k) {
+ currentSpec[k] = state[k];
+ state[k] = null;
+ });
+ } else {
+ currentSpec = this;
+ originalRootElement = null;
+ annotatedFunctions = [];
+ }
+ };
+
+ module.$$afterEach = function() {
+ if (injectorState.cleanupAfterEach()) {
+ module.$$cleanup();
+ }
+ };
+
+ module.$$cleanup = function() {
+ var injector = currentSpec.$injector;
+
+ annotatedFunctions.forEach(function(fn) {
+ delete fn.$inject;
+ });
+
+ angular.forEach(currentSpec.$modules, function(module) {
+ if (module && module.$$hashKey) {
+ module.$$hashKey = undefined;
+ }
+ });
+
+ currentSpec.$injector = null;
+ currentSpec.$modules = null;
+ currentSpec.$providerInjector = null;
+ currentSpec = null;
+
+ if (injector) {
+ // Ensure `$rootElement` is instantiated, before checking `originalRootElement`
+ var $rootElement = injector.get('$rootElement');
+ var rootNode = $rootElement && $rootElement[0];
+ var cleanUpNodes = !originalRootElement ? [] : [originalRootElement[0]];
+ if (rootNode && (!originalRootElement || rootNode !== originalRootElement[0])) {
+ cleanUpNodes.push(rootNode);
+ }
+ angular.element.cleanData(cleanUpNodes);
+
+ // Ensure `$destroy()` is available, before calling it
+ // (a mocked `$rootScope` might not implement it (or not even be an object at all))
+ var $rootScope = injector.get('$rootScope');
+ if ($rootScope && $rootScope.$destroy) $rootScope.$destroy();
+ }
+
+ // clean up jquery's fragment cache
+ angular.forEach(angular.element.fragments, function(val, key) {
+ delete angular.element.fragments[key];
+ });
+
+ MockXhr.$$lastInstance = null;
+
+ angular.forEach(angular.callbacks, function(val, key) {
+ delete angular.callbacks[key];
+ });
+ angular.callbacks.$$counter = 0;
+ };
+
+ (window.beforeEach || window.setup)(module.$$beforeEach);
+ (window.afterEach || window.teardown)(module.$$afterEach);
+
+ /**
+ * @ngdoc function
+ * @name angular.mock.inject
+ * @description
+ *
+ * *NOTE*: This function is also published on window for easy access.
+ * *NOTE*: This function is declared ONLY WHEN running tests with jasmine or mocha
+ *
+ * The inject function wraps a function into an injectable function. The inject() creates new
+ * instance of {@link auto.$injector $injector} per test, which is then used for
+ * resolving references.
+ *
+ *
+ * ## Resolving References (Underscore Wrapping)
+ * Often, we would like to inject a reference once, in a `beforeEach()` block and reuse this
+ * in multiple `it()` clauses. To be able to do this we must assign the reference to a variable
+ * that is declared in the scope of the `describe()` block. Since we would, most likely, want
+ * the variable to have the same name of the reference we have a problem, since the parameter
+ * to the `inject()` function would hide the outer variable.
+ *
+ * To help with this, the injected parameters can, optionally, be enclosed with underscores.
+ * These are ignored by the injector when the reference name is resolved.
+ *
+ * For example, the parameter `_myService_` would be resolved as the reference `myService`.
+ * Since it is available in the function body as `_myService_`, we can then assign it to a variable
+ * defined in an outer scope.
+ *
+ * ```
+ * // Defined out reference variable outside
+ * var myService;
+ *
+ * // Wrap the parameter in underscores
+ * beforeEach( inject( function(_myService_){
+ * myService = _myService_;
+ * }));
+ *
+ * // Use myService in a series of tests.
+ * it('makes use of myService', function() {
+ * myService.doStuff();
+ * });
+ *
+ * ```
+ *
+ * See also {@link angular.mock.module angular.mock.module}
+ *
+ * ## Example
+ * Example of what a typical jasmine tests looks like with the inject method.
+ * ```js
+ *
+ * angular.module('myApplicationModule', [])
+ * .value('mode', 'app')
+ * .value('version', 'v1.0.1');
+ *
+ *
+ * describe('MyApp', function() {
+ *
+ * // You need to load modules that you want to test,
+ * // it loads only the "ng" module by default.
+ * beforeEach(module('myApplicationModule'));
+ *
+ *
+ * // inject() is used to inject arguments of all given functions
+ * it('should provide a version', inject(function(mode, version) {
+ * expect(version).toEqual('v1.0.1');
+ * expect(mode).toEqual('app');
+ * }));
+ *
+ *
+ * // The inject and module method can also be used inside of the it or beforeEach
+ * it('should override a version and test the new version is injected', function() {
+ * // module() takes functions or strings (module aliases)
+ * module(function($provide) {
+ * $provide.value('version', 'overridden'); // override version here
+ * });
+ *
+ * inject(function(version) {
+ * expect(version).toEqual('overridden');
+ * });
+ * });
+ * });
+ *
+ * ```
+ *
+ * @param {...Function} fns any number of functions which will be injected using the injector.
+ */
+
+
+
+ var ErrorAddingDeclarationLocationStack = function ErrorAddingDeclarationLocationStack(e, errorForStack) {
+ this.message = e.message;
+ this.name = e.name;
+ if (e.line) this.line = e.line;
+ if (e.sourceId) this.sourceId = e.sourceId;
+ if (e.stack && errorForStack)
+ this.stack = e.stack + '\n' + errorForStack.stack;
+ if (e.stackArray) this.stackArray = e.stackArray;
+ };
+ ErrorAddingDeclarationLocationStack.prototype = Error.prototype;
+
+ window.inject = angular.mock.inject = function() {
+ var blockFns = Array.prototype.slice.call(arguments, 0);
+ var errorForStack = new Error('Declaration Location');
+ // IE10+ and PhanthomJS do not set stack trace information, until the error is thrown
+ if (!errorForStack.stack) {
+ try {
+ throw errorForStack;
+ } catch (e) { /* empty */ }
+ }
+ return wasInjectorCreated() ? WorkFn.call(currentSpec) : WorkFn;
+ /////////////////////
+ function WorkFn() {
+ var modules = currentSpec.$modules || [];
+ var strictDi = !!currentSpec.$injectorStrict;
+ modules.unshift(['$injector', function($injector) {
+ currentSpec.$providerInjector = $injector;
+ }]);
+ modules.unshift('ngMock');
+ modules.unshift('ng');
+ var injector = currentSpec.$injector;
+ if (!injector) {
+ if (strictDi) {
+ // If strictDi is enabled, annotate the providerInjector blocks
+ angular.forEach(modules, function(moduleFn) {
+ if (typeof moduleFn === 'function') {
+ angular.injector.$$annotate(moduleFn);
+ }
+ });
+ }
+ injector = currentSpec.$injector = angular.injector(modules, strictDi);
+ currentSpec.$injectorStrict = strictDi;
+ }
+ for (var i = 0, ii = blockFns.length; i < ii; i++) {
+ if (currentSpec.$injectorStrict) {
+ // If the injector is strict / strictDi, and the spec wants to inject using automatic
+ // annotation, then annotate the function here.
+ injector.annotate(blockFns[i]);
+ }
+ try {
+ injector.invoke(blockFns[i] || angular.noop, this);
+ } catch (e) {
+ if (e.stack && errorForStack) {
+ throw new ErrorAddingDeclarationLocationStack(e, errorForStack);
+ }
+ throw e;
+ } finally {
+ errorForStack = null;
+ }
+ }
+ }
+ };
+
+
+ angular.mock.inject.strictDi = function(value) {
+ value = arguments.length ? !!value : true;
+ return wasInjectorCreated() ? workFn() : workFn;
+
+ function workFn() {
+ if (value !== currentSpec.$injectorStrict) {
+ if (currentSpec.$injector) {
+ throw new Error('Injector already created, can not modify strict annotations');
+ } else {
+ currentSpec.$injectorStrict = value;
+ }
+ }
+ }
+ };
+
+ function InjectorState() {
+ this.shared = false;
+ this.sharedError = null;
+
+ this.cleanupAfterEach = function() {
+ return !this.shared || this.sharedError;
+ };
+ }
+})(window.jasmine || window.mocha);
+
+
+})(window, window.angular);
diff --git a/1.5.11/angular-parse-ext.js b/1.5.11/angular-parse-ext.js
new file mode 100644
index 0000000000..487048e608
--- /dev/null
+++ b/1.5.11/angular-parse-ext.js
@@ -0,0 +1,1273 @@
+/**
+ * @license AngularJS v1.5.11
+ * (c) 2010-2017 Google, Inc. http://angularjs.org
+ * License: MIT
+ */
+(function(window, angular) {'use strict';
+
+/******************************************************
+ * Generated file, do not modify *
+ * *
+ *****************************************************/
+
+function IDS_Y(cp) {
+ if (0x0041 <= cp && cp <= 0x005A) return true;
+ if (0x0061 <= cp && cp <= 0x007A) return true;
+ if (cp === 0x00AA) return true;
+ if (cp === 0x00B5) return true;
+ if (cp === 0x00BA) return true;
+ if (0x00C0 <= cp && cp <= 0x00D6) return true;
+ if (0x00D8 <= cp && cp <= 0x00F6) return true;
+ if (0x00F8 <= cp && cp <= 0x02C1) return true;
+ if (0x02C6 <= cp && cp <= 0x02D1) return true;
+ if (0x02E0 <= cp && cp <= 0x02E4) return true;
+ if (cp === 0x02EC) return true;
+ if (cp === 0x02EE) return true;
+ if (0x0370 <= cp && cp <= 0x0374) return true;
+ if (0x0376 <= cp && cp <= 0x0377) return true;
+ if (0x037A <= cp && cp <= 0x037D) return true;
+ if (cp === 0x037F) return true;
+ if (cp === 0x0386) return true;
+ if (0x0388 <= cp && cp <= 0x038A) return true;
+ if (cp === 0x038C) return true;
+ if (0x038E <= cp && cp <= 0x03A1) return true;
+ if (0x03A3 <= cp && cp <= 0x03F5) return true;
+ if (0x03F7 <= cp && cp <= 0x0481) return true;
+ if (0x048A <= cp && cp <= 0x052F) return true;
+ if (0x0531 <= cp && cp <= 0x0556) return true;
+ if (cp === 0x0559) return true;
+ if (0x0561 <= cp && cp <= 0x0587) return true;
+ if (0x05D0 <= cp && cp <= 0x05EA) return true;
+ if (0x05F0 <= cp && cp <= 0x05F2) return true;
+ if (0x0620 <= cp && cp <= 0x064A) return true;
+ if (0x066E <= cp && cp <= 0x066F) return true;
+ if (0x0671 <= cp && cp <= 0x06D3) return true;
+ if (cp === 0x06D5) return true;
+ if (0x06E5 <= cp && cp <= 0x06E6) return true;
+ if (0x06EE <= cp && cp <= 0x06EF) return true;
+ if (0x06FA <= cp && cp <= 0x06FC) return true;
+ if (cp === 0x06FF) return true;
+ if (cp === 0x0710) return true;
+ if (0x0712 <= cp && cp <= 0x072F) return true;
+ if (0x074D <= cp && cp <= 0x07A5) return true;
+ if (cp === 0x07B1) return true;
+ if (0x07CA <= cp && cp <= 0x07EA) return true;
+ if (0x07F4 <= cp && cp <= 0x07F5) return true;
+ if (cp === 0x07FA) return true;
+ if (0x0800 <= cp && cp <= 0x0815) return true;
+ if (cp === 0x081A) return true;
+ if (cp === 0x0824) return true;
+ if (cp === 0x0828) return true;
+ if (0x0840 <= cp && cp <= 0x0858) return true;
+ if (0x08A0 <= cp && cp <= 0x08B4) return true;
+ if (0x0904 <= cp && cp <= 0x0939) return true;
+ if (cp === 0x093D) return true;
+ if (cp === 0x0950) return true;
+ if (0x0958 <= cp && cp <= 0x0961) return true;
+ if (0x0971 <= cp && cp <= 0x0980) return true;
+ if (0x0985 <= cp && cp <= 0x098C) return true;
+ if (0x098F <= cp && cp <= 0x0990) return true;
+ if (0x0993 <= cp && cp <= 0x09A8) return true;
+ if (0x09AA <= cp && cp <= 0x09B0) return true;
+ if (cp === 0x09B2) return true;
+ if (0x09B6 <= cp && cp <= 0x09B9) return true;
+ if (cp === 0x09BD) return true;
+ if (cp === 0x09CE) return true;
+ if (0x09DC <= cp && cp <= 0x09DD) return true;
+ if (0x09DF <= cp && cp <= 0x09E1) return true;
+ if (0x09F0 <= cp && cp <= 0x09F1) return true;
+ if (0x0A05 <= cp && cp <= 0x0A0A) return true;
+ if (0x0A0F <= cp && cp <= 0x0A10) return true;
+ if (0x0A13 <= cp && cp <= 0x0A28) return true;
+ if (0x0A2A <= cp && cp <= 0x0A30) return true;
+ if (0x0A32 <= cp && cp <= 0x0A33) return true;
+ if (0x0A35 <= cp && cp <= 0x0A36) return true;
+ if (0x0A38 <= cp && cp <= 0x0A39) return true;
+ if (0x0A59 <= cp && cp <= 0x0A5C) return true;
+ if (cp === 0x0A5E) return true;
+ if (0x0A72 <= cp && cp <= 0x0A74) return true;
+ if (0x0A85 <= cp && cp <= 0x0A8D) return true;
+ if (0x0A8F <= cp && cp <= 0x0A91) return true;
+ if (0x0A93 <= cp && cp <= 0x0AA8) return true;
+ if (0x0AAA <= cp && cp <= 0x0AB0) return true;
+ if (0x0AB2 <= cp && cp <= 0x0AB3) return true;
+ if (0x0AB5 <= cp && cp <= 0x0AB9) return true;
+ if (cp === 0x0ABD) return true;
+ if (cp === 0x0AD0) return true;
+ if (0x0AE0 <= cp && cp <= 0x0AE1) return true;
+ if (cp === 0x0AF9) return true;
+ if (0x0B05 <= cp && cp <= 0x0B0C) return true;
+ if (0x0B0F <= cp && cp <= 0x0B10) return true;
+ if (0x0B13 <= cp && cp <= 0x0B28) return true;
+ if (0x0B2A <= cp && cp <= 0x0B30) return true;
+ if (0x0B32 <= cp && cp <= 0x0B33) return true;
+ if (0x0B35 <= cp && cp <= 0x0B39) return true;
+ if (cp === 0x0B3D) return true;
+ if (0x0B5C <= cp && cp <= 0x0B5D) return true;
+ if (0x0B5F <= cp && cp <= 0x0B61) return true;
+ if (cp === 0x0B71) return true;
+ if (cp === 0x0B83) return true;
+ if (0x0B85 <= cp && cp <= 0x0B8A) return true;
+ if (0x0B8E <= cp && cp <= 0x0B90) return true;
+ if (0x0B92 <= cp && cp <= 0x0B95) return true;
+ if (0x0B99 <= cp && cp <= 0x0B9A) return true;
+ if (cp === 0x0B9C) return true;
+ if (0x0B9E <= cp && cp <= 0x0B9F) return true;
+ if (0x0BA3 <= cp && cp <= 0x0BA4) return true;
+ if (0x0BA8 <= cp && cp <= 0x0BAA) return true;
+ if (0x0BAE <= cp && cp <= 0x0BB9) return true;
+ if (cp === 0x0BD0) return true;
+ if (0x0C05 <= cp && cp <= 0x0C0C) return true;
+ if (0x0C0E <= cp && cp <= 0x0C10) return true;
+ if (0x0C12 <= cp && cp <= 0x0C28) return true;
+ if (0x0C2A <= cp && cp <= 0x0C39) return true;
+ if (cp === 0x0C3D) return true;
+ if (0x0C58 <= cp && cp <= 0x0C5A) return true;
+ if (0x0C60 <= cp && cp <= 0x0C61) return true;
+ if (0x0C85 <= cp && cp <= 0x0C8C) return true;
+ if (0x0C8E <= cp && cp <= 0x0C90) return true;
+ if (0x0C92 <= cp && cp <= 0x0CA8) return true;
+ if (0x0CAA <= cp && cp <= 0x0CB3) return true;
+ if (0x0CB5 <= cp && cp <= 0x0CB9) return true;
+ if (cp === 0x0CBD) return true;
+ if (cp === 0x0CDE) return true;
+ if (0x0CE0 <= cp && cp <= 0x0CE1) return true;
+ if (0x0CF1 <= cp && cp <= 0x0CF2) return true;
+ if (0x0D05 <= cp && cp <= 0x0D0C) return true;
+ if (0x0D0E <= cp && cp <= 0x0D10) return true;
+ if (0x0D12 <= cp && cp <= 0x0D3A) return true;
+ if (cp === 0x0D3D) return true;
+ if (cp === 0x0D4E) return true;
+ if (0x0D5F <= cp && cp <= 0x0D61) return true;
+ if (0x0D7A <= cp && cp <= 0x0D7F) return true;
+ if (0x0D85 <= cp && cp <= 0x0D96) return true;
+ if (0x0D9A <= cp && cp <= 0x0DB1) return true;
+ if (0x0DB3 <= cp && cp <= 0x0DBB) return true;
+ if (cp === 0x0DBD) return true;
+ if (0x0DC0 <= cp && cp <= 0x0DC6) return true;
+ if (0x0E01 <= cp && cp <= 0x0E30) return true;
+ if (0x0E32 <= cp && cp <= 0x0E33) return true;
+ if (0x0E40 <= cp && cp <= 0x0E46) return true;
+ if (0x0E81 <= cp && cp <= 0x0E82) return true;
+ if (cp === 0x0E84) return true;
+ if (0x0E87 <= cp && cp <= 0x0E88) return true;
+ if (cp === 0x0E8A) return true;
+ if (cp === 0x0E8D) return true;
+ if (0x0E94 <= cp && cp <= 0x0E97) return true;
+ if (0x0E99 <= cp && cp <= 0x0E9F) return true;
+ if (0x0EA1 <= cp && cp <= 0x0EA3) return true;
+ if (cp === 0x0EA5) return true;
+ if (cp === 0x0EA7) return true;
+ if (0x0EAA <= cp && cp <= 0x0EAB) return true;
+ if (0x0EAD <= cp && cp <= 0x0EB0) return true;
+ if (0x0EB2 <= cp && cp <= 0x0EB3) return true;
+ if (cp === 0x0EBD) return true;
+ if (0x0EC0 <= cp && cp <= 0x0EC4) return true;
+ if (cp === 0x0EC6) return true;
+ if (0x0EDC <= cp && cp <= 0x0EDF) return true;
+ if (cp === 0x0F00) return true;
+ if (0x0F40 <= cp && cp <= 0x0F47) return true;
+ if (0x0F49 <= cp && cp <= 0x0F6C) return true;
+ if (0x0F88 <= cp && cp <= 0x0F8C) return true;
+ if (0x1000 <= cp && cp <= 0x102A) return true;
+ if (cp === 0x103F) return true;
+ if (0x1050 <= cp && cp <= 0x1055) return true;
+ if (0x105A <= cp && cp <= 0x105D) return true;
+ if (cp === 0x1061) return true;
+ if (0x1065 <= cp && cp <= 0x1066) return true;
+ if (0x106E <= cp && cp <= 0x1070) return true;
+ if (0x1075 <= cp && cp <= 0x1081) return true;
+ if (cp === 0x108E) return true;
+ if (0x10A0 <= cp && cp <= 0x10C5) return true;
+ if (cp === 0x10C7) return true;
+ if (cp === 0x10CD) return true;
+ if (0x10D0 <= cp && cp <= 0x10FA) return true;
+ if (0x10FC <= cp && cp <= 0x1248) return true;
+ if (0x124A <= cp && cp <= 0x124D) return true;
+ if (0x1250 <= cp && cp <= 0x1256) return true;
+ if (cp === 0x1258) return true;
+ if (0x125A <= cp && cp <= 0x125D) return true;
+ if (0x1260 <= cp && cp <= 0x1288) return true;
+ if (0x128A <= cp && cp <= 0x128D) return true;
+ if (0x1290 <= cp && cp <= 0x12B0) return true;
+ if (0x12B2 <= cp && cp <= 0x12B5) return true;
+ if (0x12B8 <= cp && cp <= 0x12BE) return true;
+ if (cp === 0x12C0) return true;
+ if (0x12C2 <= cp && cp <= 0x12C5) return true;
+ if (0x12C8 <= cp && cp <= 0x12D6) return true;
+ if (0x12D8 <= cp && cp <= 0x1310) return true;
+ if (0x1312 <= cp && cp <= 0x1315) return true;
+ if (0x1318 <= cp && cp <= 0x135A) return true;
+ if (0x1380 <= cp && cp <= 0x138F) return true;
+ if (0x13A0 <= cp && cp <= 0x13F5) return true;
+ if (0x13F8 <= cp && cp <= 0x13FD) return true;
+ if (0x1401 <= cp && cp <= 0x166C) return true;
+ if (0x166F <= cp && cp <= 0x167F) return true;
+ if (0x1681 <= cp && cp <= 0x169A) return true;
+ if (0x16A0 <= cp && cp <= 0x16EA) return true;
+ if (0x16EE <= cp && cp <= 0x16F8) return true;
+ if (0x1700 <= cp && cp <= 0x170C) return true;
+ if (0x170E <= cp && cp <= 0x1711) return true;
+ if (0x1720 <= cp && cp <= 0x1731) return true;
+ if (0x1740 <= cp && cp <= 0x1751) return true;
+ if (0x1760 <= cp && cp <= 0x176C) return true;
+ if (0x176E <= cp && cp <= 0x1770) return true;
+ if (0x1780 <= cp && cp <= 0x17B3) return true;
+ if (cp === 0x17D7) return true;
+ if (cp === 0x17DC) return true;
+ if (0x1820 <= cp && cp <= 0x1877) return true;
+ if (0x1880 <= cp && cp <= 0x18A8) return true;
+ if (cp === 0x18AA) return true;
+ if (0x18B0 <= cp && cp <= 0x18F5) return true;
+ if (0x1900 <= cp && cp <= 0x191E) return true;
+ if (0x1950 <= cp && cp <= 0x196D) return true;
+ if (0x1970 <= cp && cp <= 0x1974) return true;
+ if (0x1980 <= cp && cp <= 0x19AB) return true;
+ if (0x19B0 <= cp && cp <= 0x19C9) return true;
+ if (0x1A00 <= cp && cp <= 0x1A16) return true;
+ if (0x1A20 <= cp && cp <= 0x1A54) return true;
+ if (cp === 0x1AA7) return true;
+ if (0x1B05 <= cp && cp <= 0x1B33) return true;
+ if (0x1B45 <= cp && cp <= 0x1B4B) return true;
+ if (0x1B83 <= cp && cp <= 0x1BA0) return true;
+ if (0x1BAE <= cp && cp <= 0x1BAF) return true;
+ if (0x1BBA <= cp && cp <= 0x1BE5) return true;
+ if (0x1C00 <= cp && cp <= 0x1C23) return true;
+ if (0x1C4D <= cp && cp <= 0x1C4F) return true;
+ if (0x1C5A <= cp && cp <= 0x1C7D) return true;
+ if (0x1CE9 <= cp && cp <= 0x1CEC) return true;
+ if (0x1CEE <= cp && cp <= 0x1CF1) return true;
+ if (0x1CF5 <= cp && cp <= 0x1CF6) return true;
+ if (0x1D00 <= cp && cp <= 0x1DBF) return true;
+ if (0x1E00 <= cp && cp <= 0x1F15) return true;
+ if (0x1F18 <= cp && cp <= 0x1F1D) return true;
+ if (0x1F20 <= cp && cp <= 0x1F45) return true;
+ if (0x1F48 <= cp && cp <= 0x1F4D) return true;
+ if (0x1F50 <= cp && cp <= 0x1F57) return true;
+ if (cp === 0x1F59) return true;
+ if (cp === 0x1F5B) return true;
+ if (cp === 0x1F5D) return true;
+ if (0x1F5F <= cp && cp <= 0x1F7D) return true;
+ if (0x1F80 <= cp && cp <= 0x1FB4) return true;
+ if (0x1FB6 <= cp && cp <= 0x1FBC) return true;
+ if (cp === 0x1FBE) return true;
+ if (0x1FC2 <= cp && cp <= 0x1FC4) return true;
+ if (0x1FC6 <= cp && cp <= 0x1FCC) return true;
+ if (0x1FD0 <= cp && cp <= 0x1FD3) return true;
+ if (0x1FD6 <= cp && cp <= 0x1FDB) return true;
+ if (0x1FE0 <= cp && cp <= 0x1FEC) return true;
+ if (0x1FF2 <= cp && cp <= 0x1FF4) return true;
+ if (0x1FF6 <= cp && cp <= 0x1FFC) return true;
+ if (cp === 0x2071) return true;
+ if (cp === 0x207F) return true;
+ if (0x2090 <= cp && cp <= 0x209C) return true;
+ if (cp === 0x2102) return true;
+ if (cp === 0x2107) return true;
+ if (0x210A <= cp && cp <= 0x2113) return true;
+ if (cp === 0x2115) return true;
+ if (0x2118 <= cp && cp <= 0x211D) return true;
+ if (cp === 0x2124) return true;
+ if (cp === 0x2126) return true;
+ if (cp === 0x2128) return true;
+ if (0x212A <= cp && cp <= 0x2139) return true;
+ if (0x213C <= cp && cp <= 0x213F) return true;
+ if (0x2145 <= cp && cp <= 0x2149) return true;
+ if (cp === 0x214E) return true;
+ if (0x2160 <= cp && cp <= 0x2188) return true;
+ if (0x2C00 <= cp && cp <= 0x2C2E) return true;
+ if (0x2C30 <= cp && cp <= 0x2C5E) return true;
+ if (0x2C60 <= cp && cp <= 0x2CE4) return true;
+ if (0x2CEB <= cp && cp <= 0x2CEE) return true;
+ if (0x2CF2 <= cp && cp <= 0x2CF3) return true;
+ if (0x2D00 <= cp && cp <= 0x2D25) return true;
+ if (cp === 0x2D27) return true;
+ if (cp === 0x2D2D) return true;
+ if (0x2D30 <= cp && cp <= 0x2D67) return true;
+ if (cp === 0x2D6F) return true;
+ if (0x2D80 <= cp && cp <= 0x2D96) return true;
+ if (0x2DA0 <= cp && cp <= 0x2DA6) return true;
+ if (0x2DA8 <= cp && cp <= 0x2DAE) return true;
+ if (0x2DB0 <= cp && cp <= 0x2DB6) return true;
+ if (0x2DB8 <= cp && cp <= 0x2DBE) return true;
+ if (0x2DC0 <= cp && cp <= 0x2DC6) return true;
+ if (0x2DC8 <= cp && cp <= 0x2DCE) return true;
+ if (0x2DD0 <= cp && cp <= 0x2DD6) return true;
+ if (0x2DD8 <= cp && cp <= 0x2DDE) return true;
+ if (0x3005 <= cp && cp <= 0x3007) return true;
+ if (0x3021 <= cp && cp <= 0x3029) return true;
+ if (0x3031 <= cp && cp <= 0x3035) return true;
+ if (0x3038 <= cp && cp <= 0x303C) return true;
+ if (0x3041 <= cp && cp <= 0x3096) return true;
+ if (0x309B <= cp && cp <= 0x309F) return true;
+ if (0x30A1 <= cp && cp <= 0x30FA) return true;
+ if (0x30FC <= cp && cp <= 0x30FF) return true;
+ if (0x3105 <= cp && cp <= 0x312D) return true;
+ if (0x3131 <= cp && cp <= 0x318E) return true;
+ if (0x31A0 <= cp && cp <= 0x31BA) return true;
+ if (0x31F0 <= cp && cp <= 0x31FF) return true;
+ if (0x3400 <= cp && cp <= 0x4DB5) return true;
+ if (0x4E00 <= cp && cp <= 0x9FD5) return true;
+ if (0xA000 <= cp && cp <= 0xA48C) return true;
+ if (0xA4D0 <= cp && cp <= 0xA4FD) return true;
+ if (0xA500 <= cp && cp <= 0xA60C) return true;
+ if (0xA610 <= cp && cp <= 0xA61F) return true;
+ if (0xA62A <= cp && cp <= 0xA62B) return true;
+ if (0xA640 <= cp && cp <= 0xA66E) return true;
+ if (0xA67F <= cp && cp <= 0xA69D) return true;
+ if (0xA6A0 <= cp && cp <= 0xA6EF) return true;
+ if (0xA717 <= cp && cp <= 0xA71F) return true;
+ if (0xA722 <= cp && cp <= 0xA788) return true;
+ if (0xA78B <= cp && cp <= 0xA7AD) return true;
+ if (0xA7B0 <= cp && cp <= 0xA7B7) return true;
+ if (0xA7F7 <= cp && cp <= 0xA801) return true;
+ if (0xA803 <= cp && cp <= 0xA805) return true;
+ if (0xA807 <= cp && cp <= 0xA80A) return true;
+ if (0xA80C <= cp && cp <= 0xA822) return true;
+ if (0xA840 <= cp && cp <= 0xA873) return true;
+ if (0xA882 <= cp && cp <= 0xA8B3) return true;
+ if (0xA8F2 <= cp && cp <= 0xA8F7) return true;
+ if (cp === 0xA8FB) return true;
+ if (cp === 0xA8FD) return true;
+ if (0xA90A <= cp && cp <= 0xA925) return true;
+ if (0xA930 <= cp && cp <= 0xA946) return true;
+ if (0xA960 <= cp && cp <= 0xA97C) return true;
+ if (0xA984 <= cp && cp <= 0xA9B2) return true;
+ if (cp === 0xA9CF) return true;
+ if (0xA9E0 <= cp && cp <= 0xA9E4) return true;
+ if (0xA9E6 <= cp && cp <= 0xA9EF) return true;
+ if (0xA9FA <= cp && cp <= 0xA9FE) return true;
+ if (0xAA00 <= cp && cp <= 0xAA28) return true;
+ if (0xAA40 <= cp && cp <= 0xAA42) return true;
+ if (0xAA44 <= cp && cp <= 0xAA4B) return true;
+ if (0xAA60 <= cp && cp <= 0xAA76) return true;
+ if (cp === 0xAA7A) return true;
+ if (0xAA7E <= cp && cp <= 0xAAAF) return true;
+ if (cp === 0xAAB1) return true;
+ if (0xAAB5 <= cp && cp <= 0xAAB6) return true;
+ if (0xAAB9 <= cp && cp <= 0xAABD) return true;
+ if (cp === 0xAAC0) return true;
+ if (cp === 0xAAC2) return true;
+ if (0xAADB <= cp && cp <= 0xAADD) return true;
+ if (0xAAE0 <= cp && cp <= 0xAAEA) return true;
+ if (0xAAF2 <= cp && cp <= 0xAAF4) return true;
+ if (0xAB01 <= cp && cp <= 0xAB06) return true;
+ if (0xAB09 <= cp && cp <= 0xAB0E) return true;
+ if (0xAB11 <= cp && cp <= 0xAB16) return true;
+ if (0xAB20 <= cp && cp <= 0xAB26) return true;
+ if (0xAB28 <= cp && cp <= 0xAB2E) return true;
+ if (0xAB30 <= cp && cp <= 0xAB5A) return true;
+ if (0xAB5C <= cp && cp <= 0xAB65) return true;
+ if (0xAB70 <= cp && cp <= 0xABE2) return true;
+ if (0xAC00 <= cp && cp <= 0xD7A3) return true;
+ if (0xD7B0 <= cp && cp <= 0xD7C6) return true;
+ if (0xD7CB <= cp && cp <= 0xD7FB) return true;
+ if (0xF900 <= cp && cp <= 0xFA6D) return true;
+ if (0xFA70 <= cp && cp <= 0xFAD9) return true;
+ if (0xFB00 <= cp && cp <= 0xFB06) return true;
+ if (0xFB13 <= cp && cp <= 0xFB17) return true;
+ if (cp === 0xFB1D) return true;
+ if (0xFB1F <= cp && cp <= 0xFB28) return true;
+ if (0xFB2A <= cp && cp <= 0xFB36) return true;
+ if (0xFB38 <= cp && cp <= 0xFB3C) return true;
+ if (cp === 0xFB3E) return true;
+ if (0xFB40 <= cp && cp <= 0xFB41) return true;
+ if (0xFB43 <= cp && cp <= 0xFB44) return true;
+ if (0xFB46 <= cp && cp <= 0xFBB1) return true;
+ if (0xFBD3 <= cp && cp <= 0xFD3D) return true;
+ if (0xFD50 <= cp && cp <= 0xFD8F) return true;
+ if (0xFD92 <= cp && cp <= 0xFDC7) return true;
+ if (0xFDF0 <= cp && cp <= 0xFDFB) return true;
+ if (0xFE70 <= cp && cp <= 0xFE74) return true;
+ if (0xFE76 <= cp && cp <= 0xFEFC) return true;
+ if (0xFF21 <= cp && cp <= 0xFF3A) return true;
+ if (0xFF41 <= cp && cp <= 0xFF5A) return true;
+ if (0xFF66 <= cp && cp <= 0xFFBE) return true;
+ if (0xFFC2 <= cp && cp <= 0xFFC7) return true;
+ if (0xFFCA <= cp && cp <= 0xFFCF) return true;
+ if (0xFFD2 <= cp && cp <= 0xFFD7) return true;
+ if (0xFFDA <= cp && cp <= 0xFFDC) return true;
+ if (0x10000 <= cp && cp <= 0x1000B) return true;
+ if (0x1000D <= cp && cp <= 0x10026) return true;
+ if (0x10028 <= cp && cp <= 0x1003A) return true;
+ if (0x1003C <= cp && cp <= 0x1003D) return true;
+ if (0x1003F <= cp && cp <= 0x1004D) return true;
+ if (0x10050 <= cp && cp <= 0x1005D) return true;
+ if (0x10080 <= cp && cp <= 0x100FA) return true;
+ if (0x10140 <= cp && cp <= 0x10174) return true;
+ if (0x10280 <= cp && cp <= 0x1029C) return true;
+ if (0x102A0 <= cp && cp <= 0x102D0) return true;
+ if (0x10300 <= cp && cp <= 0x1031F) return true;
+ if (0x10330 <= cp && cp <= 0x1034A) return true;
+ if (0x10350 <= cp && cp <= 0x10375) return true;
+ if (0x10380 <= cp && cp <= 0x1039D) return true;
+ if (0x103A0 <= cp && cp <= 0x103C3) return true;
+ if (0x103C8 <= cp && cp <= 0x103CF) return true;
+ if (0x103D1 <= cp && cp <= 0x103D5) return true;
+ if (0x10400 <= cp && cp <= 0x1049D) return true;
+ if (0x10500 <= cp && cp <= 0x10527) return true;
+ if (0x10530 <= cp && cp <= 0x10563) return true;
+ if (0x10600 <= cp && cp <= 0x10736) return true;
+ if (0x10740 <= cp && cp <= 0x10755) return true;
+ if (0x10760 <= cp && cp <= 0x10767) return true;
+ if (0x10800 <= cp && cp <= 0x10805) return true;
+ if (cp === 0x10808) return true;
+ if (0x1080A <= cp && cp <= 0x10835) return true;
+ if (0x10837 <= cp && cp <= 0x10838) return true;
+ if (cp === 0x1083C) return true;
+ if (0x1083F <= cp && cp <= 0x10855) return true;
+ if (0x10860 <= cp && cp <= 0x10876) return true;
+ if (0x10880 <= cp && cp <= 0x1089E) return true;
+ if (0x108E0 <= cp && cp <= 0x108F2) return true;
+ if (0x108F4 <= cp && cp <= 0x108F5) return true;
+ if (0x10900 <= cp && cp <= 0x10915) return true;
+ if (0x10920 <= cp && cp <= 0x10939) return true;
+ if (0x10980 <= cp && cp <= 0x109B7) return true;
+ if (0x109BE <= cp && cp <= 0x109BF) return true;
+ if (cp === 0x10A00) return true;
+ if (0x10A10 <= cp && cp <= 0x10A13) return true;
+ if (0x10A15 <= cp && cp <= 0x10A17) return true;
+ if (0x10A19 <= cp && cp <= 0x10A33) return true;
+ if (0x10A60 <= cp && cp <= 0x10A7C) return true;
+ if (0x10A80 <= cp && cp <= 0x10A9C) return true;
+ if (0x10AC0 <= cp && cp <= 0x10AC7) return true;
+ if (0x10AC9 <= cp && cp <= 0x10AE4) return true;
+ if (0x10B00 <= cp && cp <= 0x10B35) return true;
+ if (0x10B40 <= cp && cp <= 0x10B55) return true;
+ if (0x10B60 <= cp && cp <= 0x10B72) return true;
+ if (0x10B80 <= cp && cp <= 0x10B91) return true;
+ if (0x10C00 <= cp && cp <= 0x10C48) return true;
+ if (0x10C80 <= cp && cp <= 0x10CB2) return true;
+ if (0x10CC0 <= cp && cp <= 0x10CF2) return true;
+ if (0x11003 <= cp && cp <= 0x11037) return true;
+ if (0x11083 <= cp && cp <= 0x110AF) return true;
+ if (0x110D0 <= cp && cp <= 0x110E8) return true;
+ if (0x11103 <= cp && cp <= 0x11126) return true;
+ if (0x11150 <= cp && cp <= 0x11172) return true;
+ if (cp === 0x11176) return true;
+ if (0x11183 <= cp && cp <= 0x111B2) return true;
+ if (0x111C1 <= cp && cp <= 0x111C4) return true;
+ if (cp === 0x111DA) return true;
+ if (cp === 0x111DC) return true;
+ if (0x11200 <= cp && cp <= 0x11211) return true;
+ if (0x11213 <= cp && cp <= 0x1122B) return true;
+ if (0x11280 <= cp && cp <= 0x11286) return true;
+ if (cp === 0x11288) return true;
+ if (0x1128A <= cp && cp <= 0x1128D) return true;
+ if (0x1128F <= cp && cp <= 0x1129D) return true;
+ if (0x1129F <= cp && cp <= 0x112A8) return true;
+ if (0x112B0 <= cp && cp <= 0x112DE) return true;
+ if (0x11305 <= cp && cp <= 0x1130C) return true;
+ if (0x1130F <= cp && cp <= 0x11310) return true;
+ if (0x11313 <= cp && cp <= 0x11328) return true;
+ if (0x1132A <= cp && cp <= 0x11330) return true;
+ if (0x11332 <= cp && cp <= 0x11333) return true;
+ if (0x11335 <= cp && cp <= 0x11339) return true;
+ if (cp === 0x1133D) return true;
+ if (cp === 0x11350) return true;
+ if (0x1135D <= cp && cp <= 0x11361) return true;
+ if (0x11480 <= cp && cp <= 0x114AF) return true;
+ if (0x114C4 <= cp && cp <= 0x114C5) return true;
+ if (cp === 0x114C7) return true;
+ if (0x11580 <= cp && cp <= 0x115AE) return true;
+ if (0x115D8 <= cp && cp <= 0x115DB) return true;
+ if (0x11600 <= cp && cp <= 0x1162F) return true;
+ if (cp === 0x11644) return true;
+ if (0x11680 <= cp && cp <= 0x116AA) return true;
+ if (0x11700 <= cp && cp <= 0x11719) return true;
+ if (0x118A0 <= cp && cp <= 0x118DF) return true;
+ if (cp === 0x118FF) return true;
+ if (0x11AC0 <= cp && cp <= 0x11AF8) return true;
+ if (0x12000 <= cp && cp <= 0x12399) return true;
+ if (0x12400 <= cp && cp <= 0x1246E) return true;
+ if (0x12480 <= cp && cp <= 0x12543) return true;
+ if (0x13000 <= cp && cp <= 0x1342E) return true;
+ if (0x14400 <= cp && cp <= 0x14646) return true;
+ if (0x16800 <= cp && cp <= 0x16A38) return true;
+ if (0x16A40 <= cp && cp <= 0x16A5E) return true;
+ if (0x16AD0 <= cp && cp <= 0x16AED) return true;
+ if (0x16B00 <= cp && cp <= 0x16B2F) return true;
+ if (0x16B40 <= cp && cp <= 0x16B43) return true;
+ if (0x16B63 <= cp && cp <= 0x16B77) return true;
+ if (0x16B7D <= cp && cp <= 0x16B8F) return true;
+ if (0x16F00 <= cp && cp <= 0x16F44) return true;
+ if (cp === 0x16F50) return true;
+ if (0x16F93 <= cp && cp <= 0x16F9F) return true;
+ if (0x1B000 <= cp && cp <= 0x1B001) return true;
+ if (0x1BC00 <= cp && cp <= 0x1BC6A) return true;
+ if (0x1BC70 <= cp && cp <= 0x1BC7C) return true;
+ if (0x1BC80 <= cp && cp <= 0x1BC88) return true;
+ if (0x1BC90 <= cp && cp <= 0x1BC99) return true;
+ if (0x1D400 <= cp && cp <= 0x1D454) return true;
+ if (0x1D456 <= cp && cp <= 0x1D49C) return true;
+ if (0x1D49E <= cp && cp <= 0x1D49F) return true;
+ if (cp === 0x1D4A2) return true;
+ if (0x1D4A5 <= cp && cp <= 0x1D4A6) return true;
+ if (0x1D4A9 <= cp && cp <= 0x1D4AC) return true;
+ if (0x1D4AE <= cp && cp <= 0x1D4B9) return true;
+ if (cp === 0x1D4BB) return true;
+ if (0x1D4BD <= cp && cp <= 0x1D4C3) return true;
+ if (0x1D4C5 <= cp && cp <= 0x1D505) return true;
+ if (0x1D507 <= cp && cp <= 0x1D50A) return true;
+ if (0x1D50D <= cp && cp <= 0x1D514) return true;
+ if (0x1D516 <= cp && cp <= 0x1D51C) return true;
+ if (0x1D51E <= cp && cp <= 0x1D539) return true;
+ if (0x1D53B <= cp && cp <= 0x1D53E) return true;
+ if (0x1D540 <= cp && cp <= 0x1D544) return true;
+ if (cp === 0x1D546) return true;
+ if (0x1D54A <= cp && cp <= 0x1D550) return true;
+ if (0x1D552 <= cp && cp <= 0x1D6A5) return true;
+ if (0x1D6A8 <= cp && cp <= 0x1D6C0) return true;
+ if (0x1D6C2 <= cp && cp <= 0x1D6DA) return true;
+ if (0x1D6DC <= cp && cp <= 0x1D6FA) return true;
+ if (0x1D6FC <= cp && cp <= 0x1D714) return true;
+ if (0x1D716 <= cp && cp <= 0x1D734) return true;
+ if (0x1D736 <= cp && cp <= 0x1D74E) return true;
+ if (0x1D750 <= cp && cp <= 0x1D76E) return true;
+ if (0x1D770 <= cp && cp <= 0x1D788) return true;
+ if (0x1D78A <= cp && cp <= 0x1D7A8) return true;
+ if (0x1D7AA <= cp && cp <= 0x1D7C2) return true;
+ if (0x1D7C4 <= cp && cp <= 0x1D7CB) return true;
+ if (0x1E800 <= cp && cp <= 0x1E8C4) return true;
+ if (0x1EE00 <= cp && cp <= 0x1EE03) return true;
+ if (0x1EE05 <= cp && cp <= 0x1EE1F) return true;
+ if (0x1EE21 <= cp && cp <= 0x1EE22) return true;
+ if (cp === 0x1EE24) return true;
+ if (cp === 0x1EE27) return true;
+ if (0x1EE29 <= cp && cp <= 0x1EE32) return true;
+ if (0x1EE34 <= cp && cp <= 0x1EE37) return true;
+ if (cp === 0x1EE39) return true;
+ if (cp === 0x1EE3B) return true;
+ if (cp === 0x1EE42) return true;
+ if (cp === 0x1EE47) return true;
+ if (cp === 0x1EE49) return true;
+ if (cp === 0x1EE4B) return true;
+ if (0x1EE4D <= cp && cp <= 0x1EE4F) return true;
+ if (0x1EE51 <= cp && cp <= 0x1EE52) return true;
+ if (cp === 0x1EE54) return true;
+ if (cp === 0x1EE57) return true;
+ if (cp === 0x1EE59) return true;
+ if (cp === 0x1EE5B) return true;
+ if (cp === 0x1EE5D) return true;
+ if (cp === 0x1EE5F) return true;
+ if (0x1EE61 <= cp && cp <= 0x1EE62) return true;
+ if (cp === 0x1EE64) return true;
+ if (0x1EE67 <= cp && cp <= 0x1EE6A) return true;
+ if (0x1EE6C <= cp && cp <= 0x1EE72) return true;
+ if (0x1EE74 <= cp && cp <= 0x1EE77) return true;
+ if (0x1EE79 <= cp && cp <= 0x1EE7C) return true;
+ if (cp === 0x1EE7E) return true;
+ if (0x1EE80 <= cp && cp <= 0x1EE89) return true;
+ if (0x1EE8B <= cp && cp <= 0x1EE9B) return true;
+ if (0x1EEA1 <= cp && cp <= 0x1EEA3) return true;
+ if (0x1EEA5 <= cp && cp <= 0x1EEA9) return true;
+ if (0x1EEAB <= cp && cp <= 0x1EEBB) return true;
+ if (0x20000 <= cp && cp <= 0x2A6D6) return true;
+ if (0x2A700 <= cp && cp <= 0x2B734) return true;
+ if (0x2B740 <= cp && cp <= 0x2B81D) return true;
+ if (0x2B820 <= cp && cp <= 0x2CEA1) return true;
+ if (0x2F800 <= cp && cp <= 0x2FA1D) return true;
+ return false;
+}
+function IDC_Y(cp) {
+ if (0x0030 <= cp && cp <= 0x0039) return true;
+ if (0x0041 <= cp && cp <= 0x005A) return true;
+ if (cp === 0x005F) return true;
+ if (0x0061 <= cp && cp <= 0x007A) return true;
+ if (cp === 0x00AA) return true;
+ if (cp === 0x00B5) return true;
+ if (cp === 0x00B7) return true;
+ if (cp === 0x00BA) return true;
+ if (0x00C0 <= cp && cp <= 0x00D6) return true;
+ if (0x00D8 <= cp && cp <= 0x00F6) return true;
+ if (0x00F8 <= cp && cp <= 0x02C1) return true;
+ if (0x02C6 <= cp && cp <= 0x02D1) return true;
+ if (0x02E0 <= cp && cp <= 0x02E4) return true;
+ if (cp === 0x02EC) return true;
+ if (cp === 0x02EE) return true;
+ if (0x0300 <= cp && cp <= 0x0374) return true;
+ if (0x0376 <= cp && cp <= 0x0377) return true;
+ if (0x037A <= cp && cp <= 0x037D) return true;
+ if (cp === 0x037F) return true;
+ if (0x0386 <= cp && cp <= 0x038A) return true;
+ if (cp === 0x038C) return true;
+ if (0x038E <= cp && cp <= 0x03A1) return true;
+ if (0x03A3 <= cp && cp <= 0x03F5) return true;
+ if (0x03F7 <= cp && cp <= 0x0481) return true;
+ if (0x0483 <= cp && cp <= 0x0487) return true;
+ if (0x048A <= cp && cp <= 0x052F) return true;
+ if (0x0531 <= cp && cp <= 0x0556) return true;
+ if (cp === 0x0559) return true;
+ if (0x0561 <= cp && cp <= 0x0587) return true;
+ if (0x0591 <= cp && cp <= 0x05BD) return true;
+ if (cp === 0x05BF) return true;
+ if (0x05C1 <= cp && cp <= 0x05C2) return true;
+ if (0x05C4 <= cp && cp <= 0x05C5) return true;
+ if (cp === 0x05C7) return true;
+ if (0x05D0 <= cp && cp <= 0x05EA) return true;
+ if (0x05F0 <= cp && cp <= 0x05F2) return true;
+ if (0x0610 <= cp && cp <= 0x061A) return true;
+ if (0x0620 <= cp && cp <= 0x0669) return true;
+ if (0x066E <= cp && cp <= 0x06D3) return true;
+ if (0x06D5 <= cp && cp <= 0x06DC) return true;
+ if (0x06DF <= cp && cp <= 0x06E8) return true;
+ if (0x06EA <= cp && cp <= 0x06FC) return true;
+ if (cp === 0x06FF) return true;
+ if (0x0710 <= cp && cp <= 0x074A) return true;
+ if (0x074D <= cp && cp <= 0x07B1) return true;
+ if (0x07C0 <= cp && cp <= 0x07F5) return true;
+ if (cp === 0x07FA) return true;
+ if (0x0800 <= cp && cp <= 0x082D) return true;
+ if (0x0840 <= cp && cp <= 0x085B) return true;
+ if (0x08A0 <= cp && cp <= 0x08B4) return true;
+ if (0x08E3 <= cp && cp <= 0x0963) return true;
+ if (0x0966 <= cp && cp <= 0x096F) return true;
+ if (0x0971 <= cp && cp <= 0x0983) return true;
+ if (0x0985 <= cp && cp <= 0x098C) return true;
+ if (0x098F <= cp && cp <= 0x0990) return true;
+ if (0x0993 <= cp && cp <= 0x09A8) return true;
+ if (0x09AA <= cp && cp <= 0x09B0) return true;
+ if (cp === 0x09B2) return true;
+ if (0x09B6 <= cp && cp <= 0x09B9) return true;
+ if (0x09BC <= cp && cp <= 0x09C4) return true;
+ if (0x09C7 <= cp && cp <= 0x09C8) return true;
+ if (0x09CB <= cp && cp <= 0x09CE) return true;
+ if (cp === 0x09D7) return true;
+ if (0x09DC <= cp && cp <= 0x09DD) return true;
+ if (0x09DF <= cp && cp <= 0x09E3) return true;
+ if (0x09E6 <= cp && cp <= 0x09F1) return true;
+ if (0x0A01 <= cp && cp <= 0x0A03) return true;
+ if (0x0A05 <= cp && cp <= 0x0A0A) return true;
+ if (0x0A0F <= cp && cp <= 0x0A10) return true;
+ if (0x0A13 <= cp && cp <= 0x0A28) return true;
+ if (0x0A2A <= cp && cp <= 0x0A30) return true;
+ if (0x0A32 <= cp && cp <= 0x0A33) return true;
+ if (0x0A35 <= cp && cp <= 0x0A36) return true;
+ if (0x0A38 <= cp && cp <= 0x0A39) return true;
+ if (cp === 0x0A3C) return true;
+ if (0x0A3E <= cp && cp <= 0x0A42) return true;
+ if (0x0A47 <= cp && cp <= 0x0A48) return true;
+ if (0x0A4B <= cp && cp <= 0x0A4D) return true;
+ if (cp === 0x0A51) return true;
+ if (0x0A59 <= cp && cp <= 0x0A5C) return true;
+ if (cp === 0x0A5E) return true;
+ if (0x0A66 <= cp && cp <= 0x0A75) return true;
+ if (0x0A81 <= cp && cp <= 0x0A83) return true;
+ if (0x0A85 <= cp && cp <= 0x0A8D) return true;
+ if (0x0A8F <= cp && cp <= 0x0A91) return true;
+ if (0x0A93 <= cp && cp <= 0x0AA8) return true;
+ if (0x0AAA <= cp && cp <= 0x0AB0) return true;
+ if (0x0AB2 <= cp && cp <= 0x0AB3) return true;
+ if (0x0AB5 <= cp && cp <= 0x0AB9) return true;
+ if (0x0ABC <= cp && cp <= 0x0AC5) return true;
+ if (0x0AC7 <= cp && cp <= 0x0AC9) return true;
+ if (0x0ACB <= cp && cp <= 0x0ACD) return true;
+ if (cp === 0x0AD0) return true;
+ if (0x0AE0 <= cp && cp <= 0x0AE3) return true;
+ if (0x0AE6 <= cp && cp <= 0x0AEF) return true;
+ if (cp === 0x0AF9) return true;
+ if (0x0B01 <= cp && cp <= 0x0B03) return true;
+ if (0x0B05 <= cp && cp <= 0x0B0C) return true;
+ if (0x0B0F <= cp && cp <= 0x0B10) return true;
+ if (0x0B13 <= cp && cp <= 0x0B28) return true;
+ if (0x0B2A <= cp && cp <= 0x0B30) return true;
+ if (0x0B32 <= cp && cp <= 0x0B33) return true;
+ if (0x0B35 <= cp && cp <= 0x0B39) return true;
+ if (0x0B3C <= cp && cp <= 0x0B44) return true;
+ if (0x0B47 <= cp && cp <= 0x0B48) return true;
+ if (0x0B4B <= cp && cp <= 0x0B4D) return true;
+ if (0x0B56 <= cp && cp <= 0x0B57) return true;
+ if (0x0B5C <= cp && cp <= 0x0B5D) return true;
+ if (0x0B5F <= cp && cp <= 0x0B63) return true;
+ if (0x0B66 <= cp && cp <= 0x0B6F) return true;
+ if (cp === 0x0B71) return true;
+ if (0x0B82 <= cp && cp <= 0x0B83) return true;
+ if (0x0B85 <= cp && cp <= 0x0B8A) return true;
+ if (0x0B8E <= cp && cp <= 0x0B90) return true;
+ if (0x0B92 <= cp && cp <= 0x0B95) return true;
+ if (0x0B99 <= cp && cp <= 0x0B9A) return true;
+ if (cp === 0x0B9C) return true;
+ if (0x0B9E <= cp && cp <= 0x0B9F) return true;
+ if (0x0BA3 <= cp && cp <= 0x0BA4) return true;
+ if (0x0BA8 <= cp && cp <= 0x0BAA) return true;
+ if (0x0BAE <= cp && cp <= 0x0BB9) return true;
+ if (0x0BBE <= cp && cp <= 0x0BC2) return true;
+ if (0x0BC6 <= cp && cp <= 0x0BC8) return true;
+ if (0x0BCA <= cp && cp <= 0x0BCD) return true;
+ if (cp === 0x0BD0) return true;
+ if (cp === 0x0BD7) return true;
+ if (0x0BE6 <= cp && cp <= 0x0BEF) return true;
+ if (0x0C00 <= cp && cp <= 0x0C03) return true;
+ if (0x0C05 <= cp && cp <= 0x0C0C) return true;
+ if (0x0C0E <= cp && cp <= 0x0C10) return true;
+ if (0x0C12 <= cp && cp <= 0x0C28) return true;
+ if (0x0C2A <= cp && cp <= 0x0C39) return true;
+ if (0x0C3D <= cp && cp <= 0x0C44) return true;
+ if (0x0C46 <= cp && cp <= 0x0C48) return true;
+ if (0x0C4A <= cp && cp <= 0x0C4D) return true;
+ if (0x0C55 <= cp && cp <= 0x0C56) return true;
+ if (0x0C58 <= cp && cp <= 0x0C5A) return true;
+ if (0x0C60 <= cp && cp <= 0x0C63) return true;
+ if (0x0C66 <= cp && cp <= 0x0C6F) return true;
+ if (0x0C81 <= cp && cp <= 0x0C83) return true;
+ if (0x0C85 <= cp && cp <= 0x0C8C) return true;
+ if (0x0C8E <= cp && cp <= 0x0C90) return true;
+ if (0x0C92 <= cp && cp <= 0x0CA8) return true;
+ if (0x0CAA <= cp && cp <= 0x0CB3) return true;
+ if (0x0CB5 <= cp && cp <= 0x0CB9) return true;
+ if (0x0CBC <= cp && cp <= 0x0CC4) return true;
+ if (0x0CC6 <= cp && cp <= 0x0CC8) return true;
+ if (0x0CCA <= cp && cp <= 0x0CCD) return true;
+ if (0x0CD5 <= cp && cp <= 0x0CD6) return true;
+ if (cp === 0x0CDE) return true;
+ if (0x0CE0 <= cp && cp <= 0x0CE3) return true;
+ if (0x0CE6 <= cp && cp <= 0x0CEF) return true;
+ if (0x0CF1 <= cp && cp <= 0x0CF2) return true;
+ if (0x0D01 <= cp && cp <= 0x0D03) return true;
+ if (0x0D05 <= cp && cp <= 0x0D0C) return true;
+ if (0x0D0E <= cp && cp <= 0x0D10) return true;
+ if (0x0D12 <= cp && cp <= 0x0D3A) return true;
+ if (0x0D3D <= cp && cp <= 0x0D44) return true;
+ if (0x0D46 <= cp && cp <= 0x0D48) return true;
+ if (0x0D4A <= cp && cp <= 0x0D4E) return true;
+ if (cp === 0x0D57) return true;
+ if (0x0D5F <= cp && cp <= 0x0D63) return true;
+ if (0x0D66 <= cp && cp <= 0x0D6F) return true;
+ if (0x0D7A <= cp && cp <= 0x0D7F) return true;
+ if (0x0D82 <= cp && cp <= 0x0D83) return true;
+ if (0x0D85 <= cp && cp <= 0x0D96) return true;
+ if (0x0D9A <= cp && cp <= 0x0DB1) return true;
+ if (0x0DB3 <= cp && cp <= 0x0DBB) return true;
+ if (cp === 0x0DBD) return true;
+ if (0x0DC0 <= cp && cp <= 0x0DC6) return true;
+ if (cp === 0x0DCA) return true;
+ if (0x0DCF <= cp && cp <= 0x0DD4) return true;
+ if (cp === 0x0DD6) return true;
+ if (0x0DD8 <= cp && cp <= 0x0DDF) return true;
+ if (0x0DE6 <= cp && cp <= 0x0DEF) return true;
+ if (0x0DF2 <= cp && cp <= 0x0DF3) return true;
+ if (0x0E01 <= cp && cp <= 0x0E3A) return true;
+ if (0x0E40 <= cp && cp <= 0x0E4E) return true;
+ if (0x0E50 <= cp && cp <= 0x0E59) return true;
+ if (0x0E81 <= cp && cp <= 0x0E82) return true;
+ if (cp === 0x0E84) return true;
+ if (0x0E87 <= cp && cp <= 0x0E88) return true;
+ if (cp === 0x0E8A) return true;
+ if (cp === 0x0E8D) return true;
+ if (0x0E94 <= cp && cp <= 0x0E97) return true;
+ if (0x0E99 <= cp && cp <= 0x0E9F) return true;
+ if (0x0EA1 <= cp && cp <= 0x0EA3) return true;
+ if (cp === 0x0EA5) return true;
+ if (cp === 0x0EA7) return true;
+ if (0x0EAA <= cp && cp <= 0x0EAB) return true;
+ if (0x0EAD <= cp && cp <= 0x0EB9) return true;
+ if (0x0EBB <= cp && cp <= 0x0EBD) return true;
+ if (0x0EC0 <= cp && cp <= 0x0EC4) return true;
+ if (cp === 0x0EC6) return true;
+ if (0x0EC8 <= cp && cp <= 0x0ECD) return true;
+ if (0x0ED0 <= cp && cp <= 0x0ED9) return true;
+ if (0x0EDC <= cp && cp <= 0x0EDF) return true;
+ if (cp === 0x0F00) return true;
+ if (0x0F18 <= cp && cp <= 0x0F19) return true;
+ if (0x0F20 <= cp && cp <= 0x0F29) return true;
+ if (cp === 0x0F35) return true;
+ if (cp === 0x0F37) return true;
+ if (cp === 0x0F39) return true;
+ if (0x0F3E <= cp && cp <= 0x0F47) return true;
+ if (0x0F49 <= cp && cp <= 0x0F6C) return true;
+ if (0x0F71 <= cp && cp <= 0x0F84) return true;
+ if (0x0F86 <= cp && cp <= 0x0F97) return true;
+ if (0x0F99 <= cp && cp <= 0x0FBC) return true;
+ if (cp === 0x0FC6) return true;
+ if (0x1000 <= cp && cp <= 0x1049) return true;
+ if (0x1050 <= cp && cp <= 0x109D) return true;
+ if (0x10A0 <= cp && cp <= 0x10C5) return true;
+ if (cp === 0x10C7) return true;
+ if (cp === 0x10CD) return true;
+ if (0x10D0 <= cp && cp <= 0x10FA) return true;
+ if (0x10FC <= cp && cp <= 0x1248) return true;
+ if (0x124A <= cp && cp <= 0x124D) return true;
+ if (0x1250 <= cp && cp <= 0x1256) return true;
+ if (cp === 0x1258) return true;
+ if (0x125A <= cp && cp <= 0x125D) return true;
+ if (0x1260 <= cp && cp <= 0x1288) return true;
+ if (0x128A <= cp && cp <= 0x128D) return true;
+ if (0x1290 <= cp && cp <= 0x12B0) return true;
+ if (0x12B2 <= cp && cp <= 0x12B5) return true;
+ if (0x12B8 <= cp && cp <= 0x12BE) return true;
+ if (cp === 0x12C0) return true;
+ if (0x12C2 <= cp && cp <= 0x12C5) return true;
+ if (0x12C8 <= cp && cp <= 0x12D6) return true;
+ if (0x12D8 <= cp && cp <= 0x1310) return true;
+ if (0x1312 <= cp && cp <= 0x1315) return true;
+ if (0x1318 <= cp && cp <= 0x135A) return true;
+ if (0x135D <= cp && cp <= 0x135F) return true;
+ if (0x1369 <= cp && cp <= 0x1371) return true;
+ if (0x1380 <= cp && cp <= 0x138F) return true;
+ if (0x13A0 <= cp && cp <= 0x13F5) return true;
+ if (0x13F8 <= cp && cp <= 0x13FD) return true;
+ if (0x1401 <= cp && cp <= 0x166C) return true;
+ if (0x166F <= cp && cp <= 0x167F) return true;
+ if (0x1681 <= cp && cp <= 0x169A) return true;
+ if (0x16A0 <= cp && cp <= 0x16EA) return true;
+ if (0x16EE <= cp && cp <= 0x16F8) return true;
+ if (0x1700 <= cp && cp <= 0x170C) return true;
+ if (0x170E <= cp && cp <= 0x1714) return true;
+ if (0x1720 <= cp && cp <= 0x1734) return true;
+ if (0x1740 <= cp && cp <= 0x1753) return true;
+ if (0x1760 <= cp && cp <= 0x176C) return true;
+ if (0x176E <= cp && cp <= 0x1770) return true;
+ if (0x1772 <= cp && cp <= 0x1773) return true;
+ if (0x1780 <= cp && cp <= 0x17D3) return true;
+ if (cp === 0x17D7) return true;
+ if (0x17DC <= cp && cp <= 0x17DD) return true;
+ if (0x17E0 <= cp && cp <= 0x17E9) return true;
+ if (0x180B <= cp && cp <= 0x180D) return true;
+ if (0x1810 <= cp && cp <= 0x1819) return true;
+ if (0x1820 <= cp && cp <= 0x1877) return true;
+ if (0x1880 <= cp && cp <= 0x18AA) return true;
+ if (0x18B0 <= cp && cp <= 0x18F5) return true;
+ if (0x1900 <= cp && cp <= 0x191E) return true;
+ if (0x1920 <= cp && cp <= 0x192B) return true;
+ if (0x1930 <= cp && cp <= 0x193B) return true;
+ if (0x1946 <= cp && cp <= 0x196D) return true;
+ if (0x1970 <= cp && cp <= 0x1974) return true;
+ if (0x1980 <= cp && cp <= 0x19AB) return true;
+ if (0x19B0 <= cp && cp <= 0x19C9) return true;
+ if (0x19D0 <= cp && cp <= 0x19DA) return true;
+ if (0x1A00 <= cp && cp <= 0x1A1B) return true;
+ if (0x1A20 <= cp && cp <= 0x1A5E) return true;
+ if (0x1A60 <= cp && cp <= 0x1A7C) return true;
+ if (0x1A7F <= cp && cp <= 0x1A89) return true;
+ if (0x1A90 <= cp && cp <= 0x1A99) return true;
+ if (cp === 0x1AA7) return true;
+ if (0x1AB0 <= cp && cp <= 0x1ABD) return true;
+ if (0x1B00 <= cp && cp <= 0x1B4B) return true;
+ if (0x1B50 <= cp && cp <= 0x1B59) return true;
+ if (0x1B6B <= cp && cp <= 0x1B73) return true;
+ if (0x1B80 <= cp && cp <= 0x1BF3) return true;
+ if (0x1C00 <= cp && cp <= 0x1C37) return true;
+ if (0x1C40 <= cp && cp <= 0x1C49) return true;
+ if (0x1C4D <= cp && cp <= 0x1C7D) return true;
+ if (0x1CD0 <= cp && cp <= 0x1CD2) return true;
+ if (0x1CD4 <= cp && cp <= 0x1CF6) return true;
+ if (0x1CF8 <= cp && cp <= 0x1CF9) return true;
+ if (0x1D00 <= cp && cp <= 0x1DF5) return true;
+ if (0x1DFC <= cp && cp <= 0x1F15) return true;
+ if (0x1F18 <= cp && cp <= 0x1F1D) return true;
+ if (0x1F20 <= cp && cp <= 0x1F45) return true;
+ if (0x1F48 <= cp && cp <= 0x1F4D) return true;
+ if (0x1F50 <= cp && cp <= 0x1F57) return true;
+ if (cp === 0x1F59) return true;
+ if (cp === 0x1F5B) return true;
+ if (cp === 0x1F5D) return true;
+ if (0x1F5F <= cp && cp <= 0x1F7D) return true;
+ if (0x1F80 <= cp && cp <= 0x1FB4) return true;
+ if (0x1FB6 <= cp && cp <= 0x1FBC) return true;
+ if (cp === 0x1FBE) return true;
+ if (0x1FC2 <= cp && cp <= 0x1FC4) return true;
+ if (0x1FC6 <= cp && cp <= 0x1FCC) return true;
+ if (0x1FD0 <= cp && cp <= 0x1FD3) return true;
+ if (0x1FD6 <= cp && cp <= 0x1FDB) return true;
+ if (0x1FE0 <= cp && cp <= 0x1FEC) return true;
+ if (0x1FF2 <= cp && cp <= 0x1FF4) return true;
+ if (0x1FF6 <= cp && cp <= 0x1FFC) return true;
+ if (0x203F <= cp && cp <= 0x2040) return true;
+ if (cp === 0x2054) return true;
+ if (cp === 0x2071) return true;
+ if (cp === 0x207F) return true;
+ if (0x2090 <= cp && cp <= 0x209C) return true;
+ if (0x20D0 <= cp && cp <= 0x20DC) return true;
+ if (cp === 0x20E1) return true;
+ if (0x20E5 <= cp && cp <= 0x20F0) return true;
+ if (cp === 0x2102) return true;
+ if (cp === 0x2107) return true;
+ if (0x210A <= cp && cp <= 0x2113) return true;
+ if (cp === 0x2115) return true;
+ if (0x2118 <= cp && cp <= 0x211D) return true;
+ if (cp === 0x2124) return true;
+ if (cp === 0x2126) return true;
+ if (cp === 0x2128) return true;
+ if (0x212A <= cp && cp <= 0x2139) return true;
+ if (0x213C <= cp && cp <= 0x213F) return true;
+ if (0x2145 <= cp && cp <= 0x2149) return true;
+ if (cp === 0x214E) return true;
+ if (0x2160 <= cp && cp <= 0x2188) return true;
+ if (0x2C00 <= cp && cp <= 0x2C2E) return true;
+ if (0x2C30 <= cp && cp <= 0x2C5E) return true;
+ if (0x2C60 <= cp && cp <= 0x2CE4) return true;
+ if (0x2CEB <= cp && cp <= 0x2CF3) return true;
+ if (0x2D00 <= cp && cp <= 0x2D25) return true;
+ if (cp === 0x2D27) return true;
+ if (cp === 0x2D2D) return true;
+ if (0x2D30 <= cp && cp <= 0x2D67) return true;
+ if (cp === 0x2D6F) return true;
+ if (0x2D7F <= cp && cp <= 0x2D96) return true;
+ if (0x2DA0 <= cp && cp <= 0x2DA6) return true;
+ if (0x2DA8 <= cp && cp <= 0x2DAE) return true;
+ if (0x2DB0 <= cp && cp <= 0x2DB6) return true;
+ if (0x2DB8 <= cp && cp <= 0x2DBE) return true;
+ if (0x2DC0 <= cp && cp <= 0x2DC6) return true;
+ if (0x2DC8 <= cp && cp <= 0x2DCE) return true;
+ if (0x2DD0 <= cp && cp <= 0x2DD6) return true;
+ if (0x2DD8 <= cp && cp <= 0x2DDE) return true;
+ if (0x2DE0 <= cp && cp <= 0x2DFF) return true;
+ if (0x3005 <= cp && cp <= 0x3007) return true;
+ if (0x3021 <= cp && cp <= 0x302F) return true;
+ if (0x3031 <= cp && cp <= 0x3035) return true;
+ if (0x3038 <= cp && cp <= 0x303C) return true;
+ if (0x3041 <= cp && cp <= 0x3096) return true;
+ if (0x3099 <= cp && cp <= 0x309F) return true;
+ if (0x30A1 <= cp && cp <= 0x30FA) return true;
+ if (0x30FC <= cp && cp <= 0x30FF) return true;
+ if (0x3105 <= cp && cp <= 0x312D) return true;
+ if (0x3131 <= cp && cp <= 0x318E) return true;
+ if (0x31A0 <= cp && cp <= 0x31BA) return true;
+ if (0x31F0 <= cp && cp <= 0x31FF) return true;
+ if (0x3400 <= cp && cp <= 0x4DB5) return true;
+ if (0x4E00 <= cp && cp <= 0x9FD5) return true;
+ if (0xA000 <= cp && cp <= 0xA48C) return true;
+ if (0xA4D0 <= cp && cp <= 0xA4FD) return true;
+ if (0xA500 <= cp && cp <= 0xA60C) return true;
+ if (0xA610 <= cp && cp <= 0xA62B) return true;
+ if (0xA640 <= cp && cp <= 0xA66F) return true;
+ if (0xA674 <= cp && cp <= 0xA67D) return true;
+ if (0xA67F <= cp && cp <= 0xA6F1) return true;
+ if (0xA717 <= cp && cp <= 0xA71F) return true;
+ if (0xA722 <= cp && cp <= 0xA788) return true;
+ if (0xA78B <= cp && cp <= 0xA7AD) return true;
+ if (0xA7B0 <= cp && cp <= 0xA7B7) return true;
+ if (0xA7F7 <= cp && cp <= 0xA827) return true;
+ if (0xA840 <= cp && cp <= 0xA873) return true;
+ if (0xA880 <= cp && cp <= 0xA8C4) return true;
+ if (0xA8D0 <= cp && cp <= 0xA8D9) return true;
+ if (0xA8E0 <= cp && cp <= 0xA8F7) return true;
+ if (cp === 0xA8FB) return true;
+ if (cp === 0xA8FD) return true;
+ if (0xA900 <= cp && cp <= 0xA92D) return true;
+ if (0xA930 <= cp && cp <= 0xA953) return true;
+ if (0xA960 <= cp && cp <= 0xA97C) return true;
+ if (0xA980 <= cp && cp <= 0xA9C0) return true;
+ if (0xA9CF <= cp && cp <= 0xA9D9) return true;
+ if (0xA9E0 <= cp && cp <= 0xA9FE) return true;
+ if (0xAA00 <= cp && cp <= 0xAA36) return true;
+ if (0xAA40 <= cp && cp <= 0xAA4D) return true;
+ if (0xAA50 <= cp && cp <= 0xAA59) return true;
+ if (0xAA60 <= cp && cp <= 0xAA76) return true;
+ if (0xAA7A <= cp && cp <= 0xAAC2) return true;
+ if (0xAADB <= cp && cp <= 0xAADD) return true;
+ if (0xAAE0 <= cp && cp <= 0xAAEF) return true;
+ if (0xAAF2 <= cp && cp <= 0xAAF6) return true;
+ if (0xAB01 <= cp && cp <= 0xAB06) return true;
+ if (0xAB09 <= cp && cp <= 0xAB0E) return true;
+ if (0xAB11 <= cp && cp <= 0xAB16) return true;
+ if (0xAB20 <= cp && cp <= 0xAB26) return true;
+ if (0xAB28 <= cp && cp <= 0xAB2E) return true;
+ if (0xAB30 <= cp && cp <= 0xAB5A) return true;
+ if (0xAB5C <= cp && cp <= 0xAB65) return true;
+ if (0xAB70 <= cp && cp <= 0xABEA) return true;
+ if (0xABEC <= cp && cp <= 0xABED) return true;
+ if (0xABF0 <= cp && cp <= 0xABF9) return true;
+ if (0xAC00 <= cp && cp <= 0xD7A3) return true;
+ if (0xD7B0 <= cp && cp <= 0xD7C6) return true;
+ if (0xD7CB <= cp && cp <= 0xD7FB) return true;
+ if (0xF900 <= cp && cp <= 0xFA6D) return true;
+ if (0xFA70 <= cp && cp <= 0xFAD9) return true;
+ if (0xFB00 <= cp && cp <= 0xFB06) return true;
+ if (0xFB13 <= cp && cp <= 0xFB17) return true;
+ if (0xFB1D <= cp && cp <= 0xFB28) return true;
+ if (0xFB2A <= cp && cp <= 0xFB36) return true;
+ if (0xFB38 <= cp && cp <= 0xFB3C) return true;
+ if (cp === 0xFB3E) return true;
+ if (0xFB40 <= cp && cp <= 0xFB41) return true;
+ if (0xFB43 <= cp && cp <= 0xFB44) return true;
+ if (0xFB46 <= cp && cp <= 0xFBB1) return true;
+ if (0xFBD3 <= cp && cp <= 0xFD3D) return true;
+ if (0xFD50 <= cp && cp <= 0xFD8F) return true;
+ if (0xFD92 <= cp && cp <= 0xFDC7) return true;
+ if (0xFDF0 <= cp && cp <= 0xFDFB) return true;
+ if (0xFE00 <= cp && cp <= 0xFE0F) return true;
+ if (0xFE20 <= cp && cp <= 0xFE2F) return true;
+ if (0xFE33 <= cp && cp <= 0xFE34) return true;
+ if (0xFE4D <= cp && cp <= 0xFE4F) return true;
+ if (0xFE70 <= cp && cp <= 0xFE74) return true;
+ if (0xFE76 <= cp && cp <= 0xFEFC) return true;
+ if (0xFF10 <= cp && cp <= 0xFF19) return true;
+ if (0xFF21 <= cp && cp <= 0xFF3A) return true;
+ if (cp === 0xFF3F) return true;
+ if (0xFF41 <= cp && cp <= 0xFF5A) return true;
+ if (0xFF66 <= cp && cp <= 0xFFBE) return true;
+ if (0xFFC2 <= cp && cp <= 0xFFC7) return true;
+ if (0xFFCA <= cp && cp <= 0xFFCF) return true;
+ if (0xFFD2 <= cp && cp <= 0xFFD7) return true;
+ if (0xFFDA <= cp && cp <= 0xFFDC) return true;
+ if (0x10000 <= cp && cp <= 0x1000B) return true;
+ if (0x1000D <= cp && cp <= 0x10026) return true;
+ if (0x10028 <= cp && cp <= 0x1003A) return true;
+ if (0x1003C <= cp && cp <= 0x1003D) return true;
+ if (0x1003F <= cp && cp <= 0x1004D) return true;
+ if (0x10050 <= cp && cp <= 0x1005D) return true;
+ if (0x10080 <= cp && cp <= 0x100FA) return true;
+ if (0x10140 <= cp && cp <= 0x10174) return true;
+ if (cp === 0x101FD) return true;
+ if (0x10280 <= cp && cp <= 0x1029C) return true;
+ if (0x102A0 <= cp && cp <= 0x102D0) return true;
+ if (cp === 0x102E0) return true;
+ if (0x10300 <= cp && cp <= 0x1031F) return true;
+ if (0x10330 <= cp && cp <= 0x1034A) return true;
+ if (0x10350 <= cp && cp <= 0x1037A) return true;
+ if (0x10380 <= cp && cp <= 0x1039D) return true;
+ if (0x103A0 <= cp && cp <= 0x103C3) return true;
+ if (0x103C8 <= cp && cp <= 0x103CF) return true;
+ if (0x103D1 <= cp && cp <= 0x103D5) return true;
+ if (0x10400 <= cp && cp <= 0x1049D) return true;
+ if (0x104A0 <= cp && cp <= 0x104A9) return true;
+ if (0x10500 <= cp && cp <= 0x10527) return true;
+ if (0x10530 <= cp && cp <= 0x10563) return true;
+ if (0x10600 <= cp && cp <= 0x10736) return true;
+ if (0x10740 <= cp && cp <= 0x10755) return true;
+ if (0x10760 <= cp && cp <= 0x10767) return true;
+ if (0x10800 <= cp && cp <= 0x10805) return true;
+ if (cp === 0x10808) return true;
+ if (0x1080A <= cp && cp <= 0x10835) return true;
+ if (0x10837 <= cp && cp <= 0x10838) return true;
+ if (cp === 0x1083C) return true;
+ if (0x1083F <= cp && cp <= 0x10855) return true;
+ if (0x10860 <= cp && cp <= 0x10876) return true;
+ if (0x10880 <= cp && cp <= 0x1089E) return true;
+ if (0x108E0 <= cp && cp <= 0x108F2) return true;
+ if (0x108F4 <= cp && cp <= 0x108F5) return true;
+ if (0x10900 <= cp && cp <= 0x10915) return true;
+ if (0x10920 <= cp && cp <= 0x10939) return true;
+ if (0x10980 <= cp && cp <= 0x109B7) return true;
+ if (0x109BE <= cp && cp <= 0x109BF) return true;
+ if (0x10A00 <= cp && cp <= 0x10A03) return true;
+ if (0x10A05 <= cp && cp <= 0x10A06) return true;
+ if (0x10A0C <= cp && cp <= 0x10A13) return true;
+ if (0x10A15 <= cp && cp <= 0x10A17) return true;
+ if (0x10A19 <= cp && cp <= 0x10A33) return true;
+ if (0x10A38 <= cp && cp <= 0x10A3A) return true;
+ if (cp === 0x10A3F) return true;
+ if (0x10A60 <= cp && cp <= 0x10A7C) return true;
+ if (0x10A80 <= cp && cp <= 0x10A9C) return true;
+ if (0x10AC0 <= cp && cp <= 0x10AC7) return true;
+ if (0x10AC9 <= cp && cp <= 0x10AE6) return true;
+ if (0x10B00 <= cp && cp <= 0x10B35) return true;
+ if (0x10B40 <= cp && cp <= 0x10B55) return true;
+ if (0x10B60 <= cp && cp <= 0x10B72) return true;
+ if (0x10B80 <= cp && cp <= 0x10B91) return true;
+ if (0x10C00 <= cp && cp <= 0x10C48) return true;
+ if (0x10C80 <= cp && cp <= 0x10CB2) return true;
+ if (0x10CC0 <= cp && cp <= 0x10CF2) return true;
+ if (0x11000 <= cp && cp <= 0x11046) return true;
+ if (0x11066 <= cp && cp <= 0x1106F) return true;
+ if (0x1107F <= cp && cp <= 0x110BA) return true;
+ if (0x110D0 <= cp && cp <= 0x110E8) return true;
+ if (0x110F0 <= cp && cp <= 0x110F9) return true;
+ if (0x11100 <= cp && cp <= 0x11134) return true;
+ if (0x11136 <= cp && cp <= 0x1113F) return true;
+ if (0x11150 <= cp && cp <= 0x11173) return true;
+ if (cp === 0x11176) return true;
+ if (0x11180 <= cp && cp <= 0x111C4) return true;
+ if (0x111CA <= cp && cp <= 0x111CC) return true;
+ if (0x111D0 <= cp && cp <= 0x111DA) return true;
+ if (cp === 0x111DC) return true;
+ if (0x11200 <= cp && cp <= 0x11211) return true;
+ if (0x11213 <= cp && cp <= 0x11237) return true;
+ if (0x11280 <= cp && cp <= 0x11286) return true;
+ if (cp === 0x11288) return true;
+ if (0x1128A <= cp && cp <= 0x1128D) return true;
+ if (0x1128F <= cp && cp <= 0x1129D) return true;
+ if (0x1129F <= cp && cp <= 0x112A8) return true;
+ if (0x112B0 <= cp && cp <= 0x112EA) return true;
+ if (0x112F0 <= cp && cp <= 0x112F9) return true;
+ if (0x11300 <= cp && cp <= 0x11303) return true;
+ if (0x11305 <= cp && cp <= 0x1130C) return true;
+ if (0x1130F <= cp && cp <= 0x11310) return true;
+ if (0x11313 <= cp && cp <= 0x11328) return true;
+ if (0x1132A <= cp && cp <= 0x11330) return true;
+ if (0x11332 <= cp && cp <= 0x11333) return true;
+ if (0x11335 <= cp && cp <= 0x11339) return true;
+ if (0x1133C <= cp && cp <= 0x11344) return true;
+ if (0x11347 <= cp && cp <= 0x11348) return true;
+ if (0x1134B <= cp && cp <= 0x1134D) return true;
+ if (cp === 0x11350) return true;
+ if (cp === 0x11357) return true;
+ if (0x1135D <= cp && cp <= 0x11363) return true;
+ if (0x11366 <= cp && cp <= 0x1136C) return true;
+ if (0x11370 <= cp && cp <= 0x11374) return true;
+ if (0x11480 <= cp && cp <= 0x114C5) return true;
+ if (cp === 0x114C7) return true;
+ if (0x114D0 <= cp && cp <= 0x114D9) return true;
+ if (0x11580 <= cp && cp <= 0x115B5) return true;
+ if (0x115B8 <= cp && cp <= 0x115C0) return true;
+ if (0x115D8 <= cp && cp <= 0x115DD) return true;
+ if (0x11600 <= cp && cp <= 0x11640) return true;
+ if (cp === 0x11644) return true;
+ if (0x11650 <= cp && cp <= 0x11659) return true;
+ if (0x11680 <= cp && cp <= 0x116B7) return true;
+ if (0x116C0 <= cp && cp <= 0x116C9) return true;
+ if (0x11700 <= cp && cp <= 0x11719) return true;
+ if (0x1171D <= cp && cp <= 0x1172B) return true;
+ if (0x11730 <= cp && cp <= 0x11739) return true;
+ if (0x118A0 <= cp && cp <= 0x118E9) return true;
+ if (cp === 0x118FF) return true;
+ if (0x11AC0 <= cp && cp <= 0x11AF8) return true;
+ if (0x12000 <= cp && cp <= 0x12399) return true;
+ if (0x12400 <= cp && cp <= 0x1246E) return true;
+ if (0x12480 <= cp && cp <= 0x12543) return true;
+ if (0x13000 <= cp && cp <= 0x1342E) return true;
+ if (0x14400 <= cp && cp <= 0x14646) return true;
+ if (0x16800 <= cp && cp <= 0x16A38) return true;
+ if (0x16A40 <= cp && cp <= 0x16A5E) return true;
+ if (0x16A60 <= cp && cp <= 0x16A69) return true;
+ if (0x16AD0 <= cp && cp <= 0x16AED) return true;
+ if (0x16AF0 <= cp && cp <= 0x16AF4) return true;
+ if (0x16B00 <= cp && cp <= 0x16B36) return true;
+ if (0x16B40 <= cp && cp <= 0x16B43) return true;
+ if (0x16B50 <= cp && cp <= 0x16B59) return true;
+ if (0x16B63 <= cp && cp <= 0x16B77) return true;
+ if (0x16B7D <= cp && cp <= 0x16B8F) return true;
+ if (0x16F00 <= cp && cp <= 0x16F44) return true;
+ if (0x16F50 <= cp && cp <= 0x16F7E) return true;
+ if (0x16F8F <= cp && cp <= 0x16F9F) return true;
+ if (0x1B000 <= cp && cp <= 0x1B001) return true;
+ if (0x1BC00 <= cp && cp <= 0x1BC6A) return true;
+ if (0x1BC70 <= cp && cp <= 0x1BC7C) return true;
+ if (0x1BC80 <= cp && cp <= 0x1BC88) return true;
+ if (0x1BC90 <= cp && cp <= 0x1BC99) return true;
+ if (0x1BC9D <= cp && cp <= 0x1BC9E) return true;
+ if (0x1D165 <= cp && cp <= 0x1D169) return true;
+ if (0x1D16D <= cp && cp <= 0x1D172) return true;
+ if (0x1D17B <= cp && cp <= 0x1D182) return true;
+ if (0x1D185 <= cp && cp <= 0x1D18B) return true;
+ if (0x1D1AA <= cp && cp <= 0x1D1AD) return true;
+ if (0x1D242 <= cp && cp <= 0x1D244) return true;
+ if (0x1D400 <= cp && cp <= 0x1D454) return true;
+ if (0x1D456 <= cp && cp <= 0x1D49C) return true;
+ if (0x1D49E <= cp && cp <= 0x1D49F) return true;
+ if (cp === 0x1D4A2) return true;
+ if (0x1D4A5 <= cp && cp <= 0x1D4A6) return true;
+ if (0x1D4A9 <= cp && cp <= 0x1D4AC) return true;
+ if (0x1D4AE <= cp && cp <= 0x1D4B9) return true;
+ if (cp === 0x1D4BB) return true;
+ if (0x1D4BD <= cp && cp <= 0x1D4C3) return true;
+ if (0x1D4C5 <= cp && cp <= 0x1D505) return true;
+ if (0x1D507 <= cp && cp <= 0x1D50A) return true;
+ if (0x1D50D <= cp && cp <= 0x1D514) return true;
+ if (0x1D516 <= cp && cp <= 0x1D51C) return true;
+ if (0x1D51E <= cp && cp <= 0x1D539) return true;
+ if (0x1D53B <= cp && cp <= 0x1D53E) return true;
+ if (0x1D540 <= cp && cp <= 0x1D544) return true;
+ if (cp === 0x1D546) return true;
+ if (0x1D54A <= cp && cp <= 0x1D550) return true;
+ if (0x1D552 <= cp && cp <= 0x1D6A5) return true;
+ if (0x1D6A8 <= cp && cp <= 0x1D6C0) return true;
+ if (0x1D6C2 <= cp && cp <= 0x1D6DA) return true;
+ if (0x1D6DC <= cp && cp <= 0x1D6FA) return true;
+ if (0x1D6FC <= cp && cp <= 0x1D714) return true;
+ if (0x1D716 <= cp && cp <= 0x1D734) return true;
+ if (0x1D736 <= cp && cp <= 0x1D74E) return true;
+ if (0x1D750 <= cp && cp <= 0x1D76E) return true;
+ if (0x1D770 <= cp && cp <= 0x1D788) return true;
+ if (0x1D78A <= cp && cp <= 0x1D7A8) return true;
+ if (0x1D7AA <= cp && cp <= 0x1D7C2) return true;
+ if (0x1D7C4 <= cp && cp <= 0x1D7CB) return true;
+ if (0x1D7CE <= cp && cp <= 0x1D7FF) return true;
+ if (0x1DA00 <= cp && cp <= 0x1DA36) return true;
+ if (0x1DA3B <= cp && cp <= 0x1DA6C) return true;
+ if (cp === 0x1DA75) return true;
+ if (cp === 0x1DA84) return true;
+ if (0x1DA9B <= cp && cp <= 0x1DA9F) return true;
+ if (0x1DAA1 <= cp && cp <= 0x1DAAF) return true;
+ if (0x1E800 <= cp && cp <= 0x1E8C4) return true;
+ if (0x1E8D0 <= cp && cp <= 0x1E8D6) return true;
+ if (0x1EE00 <= cp && cp <= 0x1EE03) return true;
+ if (0x1EE05 <= cp && cp <= 0x1EE1F) return true;
+ if (0x1EE21 <= cp && cp <= 0x1EE22) return true;
+ if (cp === 0x1EE24) return true;
+ if (cp === 0x1EE27) return true;
+ if (0x1EE29 <= cp && cp <= 0x1EE32) return true;
+ if (0x1EE34 <= cp && cp <= 0x1EE37) return true;
+ if (cp === 0x1EE39) return true;
+ if (cp === 0x1EE3B) return true;
+ if (cp === 0x1EE42) return true;
+ if (cp === 0x1EE47) return true;
+ if (cp === 0x1EE49) return true;
+ if (cp === 0x1EE4B) return true;
+ if (0x1EE4D <= cp && cp <= 0x1EE4F) return true;
+ if (0x1EE51 <= cp && cp <= 0x1EE52) return true;
+ if (cp === 0x1EE54) return true;
+ if (cp === 0x1EE57) return true;
+ if (cp === 0x1EE59) return true;
+ if (cp === 0x1EE5B) return true;
+ if (cp === 0x1EE5D) return true;
+ if (cp === 0x1EE5F) return true;
+ if (0x1EE61 <= cp && cp <= 0x1EE62) return true;
+ if (cp === 0x1EE64) return true;
+ if (0x1EE67 <= cp && cp <= 0x1EE6A) return true;
+ if (0x1EE6C <= cp && cp <= 0x1EE72) return true;
+ if (0x1EE74 <= cp && cp <= 0x1EE77) return true;
+ if (0x1EE79 <= cp && cp <= 0x1EE7C) return true;
+ if (cp === 0x1EE7E) return true;
+ if (0x1EE80 <= cp && cp <= 0x1EE89) return true;
+ if (0x1EE8B <= cp && cp <= 0x1EE9B) return true;
+ if (0x1EEA1 <= cp && cp <= 0x1EEA3) return true;
+ if (0x1EEA5 <= cp && cp <= 0x1EEA9) return true;
+ if (0x1EEAB <= cp && cp <= 0x1EEBB) return true;
+ if (0x20000 <= cp && cp <= 0x2A6D6) return true;
+ if (0x2A700 <= cp && cp <= 0x2B734) return true;
+ if (0x2B740 <= cp && cp <= 0x2B81D) return true;
+ if (0x2B820 <= cp && cp <= 0x2CEA1) return true;
+ if (0x2F800 <= cp && cp <= 0x2FA1D) return true;
+ if (0xE0100 <= cp && cp <= 0xE01EF) return true;
+ return false;
+}
+
+/* eslint-disable new-cap */
+
+/**
+ * @ngdoc module
+ * @name ngParseExt
+ * @packageName angular-parse-ext
+ * @description
+ *
+ * # ngParseExt
+ *
+ * The `ngParseExt` module provides functionality to allow Unicode characters in
+ * identifiers inside Angular expressions.
+ *
+ *
+ *
+ *
+ * This module allows the usage of any identifier that follows ES6 identifier naming convention
+ * to be used as an identifier in an Angular expression. ES6 delegates some of the identifier
+ * rules definition to Unicode, this module uses ES6 and Unicode 8.0 identifiers convention.
+ *
+ */
+
+/* global angularParseExtModule: true,
+ IDS_Y,
+ IDC_Y
+*/
+
+function isValidIdentifierStart(ch, cp) {
+ return ch === '$' ||
+ ch === '_' ||
+ IDS_Y(cp);
+}
+
+function isValidIdentifierContinue(ch, cp) {
+ return ch === '$' ||
+ ch === '_' ||
+ cp === 0x200C || //
+ cp === 0x200D || //
+ IDC_Y(cp);
+}
+
+angular.module('ngParseExt', [])
+ .config(['$parseProvider', function($parseProvider) {
+ $parseProvider.setIdentifierFns(isValidIdentifierStart, isValidIdentifierContinue);
+ }]);
+
+
+})(window, window.angular);
diff --git a/1.5.11/angular-parse-ext.min.js b/1.5.11/angular-parse-ext.min.js
new file mode 100644
index 0000000000..f2afdc59c0
--- /dev/null
+++ b/1.5.11/angular-parse-ext.min.js
@@ -0,0 +1,49 @@
+/*
+ AngularJS v1.5.11
+ (c) 2010-2017 Google, Inc. http://angularjs.org
+ License: MIT
+*/
+(function(f,c){'use strict';function d(b,a){return"$"===b||"_"===b||(65<=a&&90>=a||97<=a&&122>=a||170===a||181===a||186===a||192<=a&&214>=a||216<=a&&246>=a||248<=a&&705>=a||710<=a&&721>=a||736<=a&&740>=a||748===a||750===a||880<=a&&884>=a||886<=a&&887>=a||890<=a&&893>=a||895===a||902===a||904<=a&&906>=a||908===a||910<=a&&929>=a||931<=a&&1013>=a||1015<=a&&1153>=a||1162<=a&&1327>=a||1329<=a&&1366>=a||1369===a||1377<=a&&1415>=a||1488<=a&&1514>=a||1520<=a&&1522>=a||1568<=a&&1610>=a||1646<=a&&1647>=a||
+1649<=a&&1747>=a||1749===a||1765<=a&&1766>=a||1774<=a&&1775>=a||1786<=a&&1788>=a||1791===a||1808===a||1810<=a&&1839>=a||1869<=a&&1957>=a||1969===a||1994<=a&&2026>=a||2036<=a&&2037>=a||2042===a||2048<=a&&2069>=a||2074===a||2084===a||2088===a||2112<=a&&2136>=a||2208<=a&&2228>=a||2308<=a&&2361>=a||2365===a||2384===a||2392<=a&&2401>=a||2417<=a&&2432>=a||2437<=a&&2444>=a||2447<=a&&2448>=a||2451<=a&&2472>=a||2474<=a&&2480>=a||2482===a||2486<=a&&2489>=a||2493===a||2510===a||2524<=a&&2525>=a||2527<=a&&2529>=
+a||2544<=a&&2545>=a||2565<=a&&2570>=a||2575<=a&&2576>=a||2579<=a&&2600>=a||2602<=a&&2608>=a||2610<=a&&2611>=a||2613<=a&&2614>=a||2616<=a&&2617>=a||2649<=a&&2652>=a||2654===a||2674<=a&&2676>=a||2693<=a&&2701>=a||2703<=a&&2705>=a||2707<=a&&2728>=a||2730<=a&&2736>=a||2738<=a&&2739>=a||2741<=a&&2745>=a||2749===a||2768===a||2784<=a&&2785>=a||2809===a||2821<=a&&2828>=a||2831<=a&&2832>=a||2835<=a&&2856>=a||2858<=a&&2864>=a||2866<=a&&2867>=a||2869<=a&&2873>=a||2877===a||2908<=a&&2909>=a||2911<=a&&2913>=a||
+2929===a||2947===a||2949<=a&&2954>=a||2958<=a&&2960>=a||2962<=a&&2965>=a||2969<=a&&2970>=a||2972===a||2974<=a&&2975>=a||2979<=a&&2980>=a||2984<=a&&2986>=a||2990<=a&&3001>=a||3024===a||3077<=a&&3084>=a||3086<=a&&3088>=a||3090<=a&&3112>=a||3114<=a&&3129>=a||3133===a||3160<=a&&3162>=a||3168<=a&&3169>=a||3205<=a&&3212>=a||3214<=a&&3216>=a||3218<=a&&3240>=a||3242<=a&&3251>=a||3253<=a&&3257>=a||3261===a||3294===a||3296<=a&&3297>=a||3313<=a&&3314>=a||3333<=a&&3340>=a||3342<=a&&3344>=a||3346<=a&&3386>=a||
+3389===a||3406===a||3423<=a&&3425>=a||3450<=a&&3455>=a||3461<=a&&3478>=a||3482<=a&&3505>=a||3507<=a&&3515>=a||3517===a||3520<=a&&3526>=a||3585<=a&&3632>=a||3634<=a&&3635>=a||3648<=a&&3654>=a||3713<=a&&3714>=a||3716===a||3719<=a&&3720>=a||3722===a||3725===a||3732<=a&&3735>=a||3737<=a&&3743>=a||3745<=a&&3747>=a||3749===a||3751===a||3754<=a&&3755>=a||3757<=a&&3760>=a||3762<=a&&3763>=a||3773===a||3776<=a&&3780>=a||3782===a||3804<=a&&3807>=a||3840===a||3904<=a&&3911>=a||3913<=a&&3948>=a||3976<=a&&3980>=
+a||4096<=a&&4138>=a||4159===a||4176<=a&&4181>=a||4186<=a&&4189>=a||4193===a||4197<=a&&4198>=a||4206<=a&&4208>=a||4213<=a&&4225>=a||4238===a||4256<=a&&4293>=a||4295===a||4301===a||4304<=a&&4346>=a||4348<=a&&4680>=a||4682<=a&&4685>=a||4688<=a&&4694>=a||4696===a||4698<=a&&4701>=a||4704<=a&&4744>=a||4746<=a&&4749>=a||4752<=a&&4784>=a||4786<=a&&4789>=a||4792<=a&&4798>=a||4800===a||4802<=a&&4805>=a||4808<=a&&4822>=a||4824<=a&&4880>=a||4882<=a&&4885>=a||4888<=a&&4954>=a||4992<=a&&5007>=a||5024<=a&&5109>=
+a||5112<=a&&5117>=a||5121<=a&&5740>=a||5743<=a&&5759>=a||5761<=a&&5786>=a||5792<=a&&5866>=a||5870<=a&&5880>=a||5888<=a&&5900>=a||5902<=a&&5905>=a||5920<=a&&5937>=a||5952<=a&&5969>=a||5984<=a&&5996>=a||5998<=a&&6E3>=a||6016<=a&&6067>=a||6103===a||6108===a||6176<=a&&6263>=a||6272<=a&&6312>=a||6314===a||6320<=a&&6389>=a||6400<=a&&6430>=a||6480<=a&&6509>=a||6512<=a&&6516>=a||6528<=a&&6571>=a||6576<=a&&6601>=a||6656<=a&&6678>=a||6688<=a&&6740>=a||6823===a||6917<=a&&6963>=a||6981<=a&&6987>=a||7043<=a&&
+7072>=a||7086<=a&&7087>=a||7098<=a&&7141>=a||7168<=a&&7203>=a||7245<=a&&7247>=a||7258<=a&&7293>=a||7401<=a&&7404>=a||7406<=a&&7409>=a||7413<=a&&7414>=a||7424<=a&&7615>=a||7680<=a&&7957>=a||7960<=a&&7965>=a||7968<=a&&8005>=a||8008<=a&&8013>=a||8016<=a&&8023>=a||8025===a||8027===a||8029===a||8031<=a&&8061>=a||8064<=a&&8116>=a||8118<=a&&8124>=a||8126===a||8130<=a&&8132>=a||8134<=a&&8140>=a||8144<=a&&8147>=a||8150<=a&&8155>=a||8160<=a&&8172>=a||8178<=a&&8180>=a||8182<=a&&8188>=a||8305===a||8319===a||
+8336<=a&&8348>=a||8450===a||8455===a||8458<=a&&8467>=a||8469===a||8472<=a&&8477>=a||8484===a||8486===a||8488===a||8490<=a&&8505>=a||8508<=a&&8511>=a||8517<=a&&8521>=a||8526===a||8544<=a&&8584>=a||11264<=a&&11310>=a||11312<=a&&11358>=a||11360<=a&&11492>=a||11499<=a&&11502>=a||11506<=a&&11507>=a||11520<=a&&11557>=a||11559===a||11565===a||11568<=a&&11623>=a||11631===a||11648<=a&&11670>=a||11680<=a&&11686>=a||11688<=a&&11694>=a||11696<=a&&11702>=a||11704<=a&&11710>=a||11712<=a&&11718>=a||11720<=a&&11726>=
+a||11728<=a&&11734>=a||11736<=a&&11742>=a||12293<=a&&12295>=a||12321<=a&&12329>=a||12337<=a&&12341>=a||12344<=a&&12348>=a||12353<=a&&12438>=a||12443<=a&&12447>=a||12449<=a&&12538>=a||12540<=a&&12543>=a||12549<=a&&12589>=a||12593<=a&&12686>=a||12704<=a&&12730>=a||12784<=a&&12799>=a||13312<=a&&19893>=a||19968<=a&&40917>=a||40960<=a&&42124>=a||42192<=a&&42237>=a||42240<=a&&42508>=a||42512<=a&&42527>=a||42538<=a&&42539>=a||42560<=a&&42606>=a||42623<=a&&42653>=a||42656<=a&&42735>=a||42775<=a&&42783>=a||
+42786<=a&&42888>=a||42891<=a&&42925>=a||42928<=a&&42935>=a||42999<=a&&43009>=a||43011<=a&&43013>=a||43015<=a&&43018>=a||43020<=a&&43042>=a||43072<=a&&43123>=a||43138<=a&&43187>=a||43250<=a&&43255>=a||43259===a||43261===a||43274<=a&&43301>=a||43312<=a&&43334>=a||43360<=a&&43388>=a||43396<=a&&43442>=a||43471===a||43488<=a&&43492>=a||43494<=a&&43503>=a||43514<=a&&43518>=a||43520<=a&&43560>=a||43584<=a&&43586>=a||43588<=a&&43595>=a||43616<=a&&43638>=a||43642===a||43646<=a&&43695>=a||43697===a||43701<=
+a&&43702>=a||43705<=a&&43709>=a||43712===a||43714===a||43739<=a&&43741>=a||43744<=a&&43754>=a||43762<=a&&43764>=a||43777<=a&&43782>=a||43785<=a&&43790>=a||43793<=a&&43798>=a||43808<=a&&43814>=a||43816<=a&&43822>=a||43824<=a&&43866>=a||43868<=a&&43877>=a||43888<=a&&44002>=a||44032<=a&&55203>=a||55216<=a&&55238>=a||55243<=a&&55291>=a||63744<=a&&64109>=a||64112<=a&&64217>=a||64256<=a&&64262>=a||64275<=a&&64279>=a||64285===a||64287<=a&&64296>=a||64298<=a&&64310>=a||64312<=a&&64316>=a||64318===a||64320<=
+a&&64321>=a||64323<=a&&64324>=a||64326<=a&&64433>=a||64467<=a&&64829>=a||64848<=a&&64911>=a||64914<=a&&64967>=a||65008<=a&&65019>=a||65136<=a&&65140>=a||65142<=a&&65276>=a||65313<=a&&65338>=a||65345<=a&&65370>=a||65382<=a&&65470>=a||65474<=a&&65479>=a||65482<=a&&65487>=a||65490<=a&&65495>=a||65498<=a&&65500>=a||65536<=a&&65547>=a||65549<=a&&65574>=a||65576<=a&&65594>=a||65596<=a&&65597>=a||65599<=a&&65613>=a||65616<=a&&65629>=a||65664<=a&&65786>=a||65856<=a&&65908>=a||66176<=a&&66204>=a||66208<=a&&
+66256>=a||66304<=a&&66335>=a||66352<=a&&66378>=a||66384<=a&&66421>=a||66432<=a&&66461>=a||66464<=a&&66499>=a||66504<=a&&66511>=a||66513<=a&&66517>=a||66560<=a&&66717>=a||66816<=a&&66855>=a||66864<=a&&66915>=a||67072<=a&&67382>=a||67392<=a&&67413>=a||67424<=a&&67431>=a||67584<=a&&67589>=a||67592===a||67594<=a&&67637>=a||67639<=a&&67640>=a||67644===a||67647<=a&&67669>=a||67680<=a&&67702>=a||67712<=a&&67742>=a||67808<=a&&67826>=a||67828<=a&&67829>=a||67840<=a&&67861>=a||67872<=a&&67897>=a||67968<=a&&
+68023>=a||68030<=a&&68031>=a||68096===a||68112<=a&&68115>=a||68117<=a&&68119>=a||68121<=a&&68147>=a||68192<=a&&68220>=a||68224<=a&&68252>=a||68288<=a&&68295>=a||68297<=a&&68324>=a||68352<=a&&68405>=a||68416<=a&&68437>=a||68448<=a&&68466>=a||68480<=a&&68497>=a||68608<=a&&68680>=a||68736<=a&&68786>=a||68800<=a&&68850>=a||69635<=a&&69687>=a||69763<=a&&69807>=a||69840<=a&&69864>=a||69891<=a&&69926>=a||69968<=a&&70002>=a||70006===a||70019<=a&&70066>=a||70081<=a&&70084>=a||70106===a||70108===a||70144<=
+a&&70161>=a||70163<=a&&70187>=a||70272<=a&&70278>=a||70280===a||70282<=a&&70285>=a||70287<=a&&70301>=a||70303<=a&&70312>=a||70320<=a&&70366>=a||70405<=a&&70412>=a||70415<=a&&70416>=a||70419<=a&&70440>=a||70442<=a&&70448>=a||70450<=a&&70451>=a||70453<=a&&70457>=a||70461===a||70480===a||70493<=a&&70497>=a||70784<=a&&70831>=a||70852<=a&&70853>=a||70855===a||71040<=a&&71086>=a||71128<=a&&71131>=a||71168<=a&&71215>=a||71236===a||71296<=a&&71338>=a||71424<=a&&71449>=a||71840<=a&&71903>=a||71935===a||72384<=
+a&&72440>=a||73728<=a&&74649>=a||74752<=a&&74862>=a||74880<=a&&75075>=a||77824<=a&&78894>=a||82944<=a&&83526>=a||92160<=a&&92728>=a||92736<=a&&92766>=a||92880<=a&&92909>=a||92928<=a&&92975>=a||92992<=a&&92995>=a||93027<=a&&93047>=a||93053<=a&&93071>=a||93952<=a&&94020>=a||94032===a||94099<=a&&94111>=a||110592<=a&&110593>=a||113664<=a&&113770>=a||113776<=a&&113788>=a||113792<=a&&113800>=a||113808<=a&&113817>=a||119808<=a&&119892>=a||119894<=a&&119964>=a||119966<=a&&119967>=a||119970===a||119973<=a&&
+119974>=a||119977<=a&&119980>=a||119982<=a&&119993>=a||119995===a||119997<=a&&120003>=a||120005<=a&&120069>=a||120071<=a&&120074>=a||120077<=a&&120084>=a||120086<=a&&120092>=a||120094<=a&&120121>=a||120123<=a&&120126>=a||120128<=a&&120132>=a||120134===a||120138<=a&&120144>=a||120146<=a&&120485>=a||120488<=a&&120512>=a||120514<=a&&120538>=a||120540<=a&&120570>=a||120572<=a&&120596>=a||120598<=a&&120628>=a||120630<=a&&120654>=a||120656<=a&&120686>=a||120688<=a&&120712>=a||120714<=a&&120744>=a||120746<=
+a&&120770>=a||120772<=a&&120779>=a||124928<=a&&125124>=a||126464<=a&&126467>=a||126469<=a&&126495>=a||126497<=a&&126498>=a||126500===a||126503===a||126505<=a&&126514>=a||126516<=a&&126519>=a||126521===a||126523===a||126530===a||126535===a||126537===a||126539===a||126541<=a&&126543>=a||126545<=a&&126546>=a||126548===a||126551===a||126553===a||126555===a||126557===a||126559===a||126561<=a&&126562>=a||126564===a||126567<=a&&126570>=a||126572<=a&&126578>=a||126580<=a&&126583>=a||126585<=a&&126588>=a||
+126590===a||126592<=a&&126601>=a||126603<=a&&126619>=a||126625<=a&&126627>=a||126629<=a&&126633>=a||126635<=a&&126651>=a||131072<=a&&173782>=a||173824<=a&&177972>=a||177984<=a&&178205>=a||178208<=a&&183969>=a||194560<=a&&195101>=a?!0:!1)}function e(b,a){return"$"===b||"_"===b||8204===a||8205===a||(48<=a&&57>=a||65<=a&&90>=a||95===a||97<=a&&122>=a||170===a||181===a||183===a||186===a||192<=a&&214>=a||216<=a&&246>=a||248<=a&&705>=a||710<=a&&721>=a||736<=a&&740>=a||748===a||750===a||768<=a&&884>=a||886<=
+a&&887>=a||890<=a&&893>=a||895===a||902<=a&&906>=a||908===a||910<=a&&929>=a||931<=a&&1013>=a||1015<=a&&1153>=a||1155<=a&&1159>=a||1162<=a&&1327>=a||1329<=a&&1366>=a||1369===a||1377<=a&&1415>=a||1425<=a&&1469>=a||1471===a||1473<=a&&1474>=a||1476<=a&&1477>=a||1479===a||1488<=a&&1514>=a||1520<=a&&1522>=a||1552<=a&&1562>=a||1568<=a&&1641>=a||1646<=a&&1747>=a||1749<=a&&1756>=a||1759<=a&&1768>=a||1770<=a&&1788>=a||1791===a||1808<=a&&1866>=a||1869<=a&&1969>=a||1984<=a&&2037>=a||2042===a||2048<=a&&2093>=
+a||2112<=a&&2139>=a||2208<=a&&2228>=a||2275<=a&&2403>=a||2406<=a&&2415>=a||2417<=a&&2435>=a||2437<=a&&2444>=a||2447<=a&&2448>=a||2451<=a&&2472>=a||2474<=a&&2480>=a||2482===a||2486<=a&&2489>=a||2492<=a&&2500>=a||2503<=a&&2504>=a||2507<=a&&2510>=a||2519===a||2524<=a&&2525>=a||2527<=a&&2531>=a||2534<=a&&2545>=a||2561<=a&&2563>=a||2565<=a&&2570>=a||2575<=a&&2576>=a||2579<=a&&2600>=a||2602<=a&&2608>=a||2610<=a&&2611>=a||2613<=a&&2614>=a||2616<=a&&2617>=a||2620===a||2622<=a&&2626>=a||2631<=a&&2632>=a||
+2635<=a&&2637>=a||2641===a||2649<=a&&2652>=a||2654===a||2662<=a&&2677>=a||2689<=a&&2691>=a||2693<=a&&2701>=a||2703<=a&&2705>=a||2707<=a&&2728>=a||2730<=a&&2736>=a||2738<=a&&2739>=a||2741<=a&&2745>=a||2748<=a&&2757>=a||2759<=a&&2761>=a||2763<=a&&2765>=a||2768===a||2784<=a&&2787>=a||2790<=a&&2799>=a||2809===a||2817<=a&&2819>=a||2821<=a&&2828>=a||2831<=a&&2832>=a||2835<=a&&2856>=a||2858<=a&&2864>=a||2866<=a&&2867>=a||2869<=a&&2873>=a||2876<=a&&2884>=a||2887<=a&&2888>=a||2891<=a&&2893>=a||2902<=a&&2903>=
+a||2908<=a&&2909>=a||2911<=a&&2915>=a||2918<=a&&2927>=a||2929===a||2946<=a&&2947>=a||2949<=a&&2954>=a||2958<=a&&2960>=a||2962<=a&&2965>=a||2969<=a&&2970>=a||2972===a||2974<=a&&2975>=a||2979<=a&&2980>=a||2984<=a&&2986>=a||2990<=a&&3001>=a||3006<=a&&3010>=a||3014<=a&&3016>=a||3018<=a&&3021>=a||3024===a||3031===a||3046<=a&&3055>=a||3072<=a&&3075>=a||3077<=a&&3084>=a||3086<=a&&3088>=a||3090<=a&&3112>=a||3114<=a&&3129>=a||3133<=a&&3140>=a||3142<=a&&3144>=a||3146<=a&&3149>=a||3157<=a&&3158>=a||3160<=a&&
+3162>=a||3168<=a&&3171>=a||3174<=a&&3183>=a||3201<=a&&3203>=a||3205<=a&&3212>=a||3214<=a&&3216>=a||3218<=a&&3240>=a||3242<=a&&3251>=a||3253<=a&&3257>=a||3260<=a&&3268>=a||3270<=a&&3272>=a||3274<=a&&3277>=a||3285<=a&&3286>=a||3294===a||3296<=a&&3299>=a||3302<=a&&3311>=a||3313<=a&&3314>=a||3329<=a&&3331>=a||3333<=a&&3340>=a||3342<=a&&3344>=a||3346<=a&&3386>=a||3389<=a&&3396>=a||3398<=a&&3400>=a||3402<=a&&3406>=a||3415===a||3423<=a&&3427>=a||3430<=a&&3439>=a||3450<=a&&3455>=a||3458<=a&&3459>=a||3461<=
+a&&3478>=a||3482<=a&&3505>=a||3507<=a&&3515>=a||3517===a||3520<=a&&3526>=a||3530===a||3535<=a&&3540>=a||3542===a||3544<=a&&3551>=a||3558<=a&&3567>=a||3570<=a&&3571>=a||3585<=a&&3642>=a||3648<=a&&3662>=a||3664<=a&&3673>=a||3713<=a&&3714>=a||3716===a||3719<=a&&3720>=a||3722===a||3725===a||3732<=a&&3735>=a||3737<=a&&3743>=a||3745<=a&&3747>=a||3749===a||3751===a||3754<=a&&3755>=a||3757<=a&&3769>=a||3771<=a&&3773>=a||3776<=a&&3780>=a||3782===a||3784<=a&&3789>=a||3792<=a&&3801>=a||3804<=a&&3807>=a||3840===
+a||3864<=a&&3865>=a||3872<=a&&3881>=a||3893===a||3895===a||3897===a||3902<=a&&3911>=a||3913<=a&&3948>=a||3953<=a&&3972>=a||3974<=a&&3991>=a||3993<=a&&4028>=a||4038===a||4096<=a&&4169>=a||4176<=a&&4253>=a||4256<=a&&4293>=a||4295===a||4301===a||4304<=a&&4346>=a||4348<=a&&4680>=a||4682<=a&&4685>=a||4688<=a&&4694>=a||4696===a||4698<=a&&4701>=a||4704<=a&&4744>=a||4746<=a&&4749>=a||4752<=a&&4784>=a||4786<=a&&4789>=a||4792<=a&&4798>=a||4800===a||4802<=a&&4805>=a||4808<=a&&4822>=a||4824<=a&&4880>=a||4882<=
+a&&4885>=a||4888<=a&&4954>=a||4957<=a&&4959>=a||4969<=a&&4977>=a||4992<=a&&5007>=a||5024<=a&&5109>=a||5112<=a&&5117>=a||5121<=a&&5740>=a||5743<=a&&5759>=a||5761<=a&&5786>=a||5792<=a&&5866>=a||5870<=a&&5880>=a||5888<=a&&5900>=a||5902<=a&&5908>=a||5920<=a&&5940>=a||5952<=a&&5971>=a||5984<=a&&5996>=a||5998<=a&&6E3>=a||6002<=a&&6003>=a||6016<=a&&6099>=a||6103===a||6108<=a&&6109>=a||6112<=a&&6121>=a||6155<=a&&6157>=a||6160<=a&&6169>=a||6176<=a&&6263>=a||6272<=a&&6314>=a||6320<=a&&6389>=a||6400<=a&&6430>=
+a||6432<=a&&6443>=a||6448<=a&&6459>=a||6470<=a&&6509>=a||6512<=a&&6516>=a||6528<=a&&6571>=a||6576<=a&&6601>=a||6608<=a&&6618>=a||6656<=a&&6683>=a||6688<=a&&6750>=a||6752<=a&&6780>=a||6783<=a&&6793>=a||6800<=a&&6809>=a||6823===a||6832<=a&&6845>=a||6912<=a&&6987>=a||6992<=a&&7001>=a||7019<=a&&7027>=a||7040<=a&&7155>=a||7168<=a&&7223>=a||7232<=a&&7241>=a||7245<=a&&7293>=a||7376<=a&&7378>=a||7380<=a&&7414>=a||7416<=a&&7417>=a||7424<=a&&7669>=a||7676<=a&&7957>=a||7960<=a&&7965>=a||7968<=a&&8005>=a||8008<=
+a&&8013>=a||8016<=a&&8023>=a||8025===a||8027===a||8029===a||8031<=a&&8061>=a||8064<=a&&8116>=a||8118<=a&&8124>=a||8126===a||8130<=a&&8132>=a||8134<=a&&8140>=a||8144<=a&&8147>=a||8150<=a&&8155>=a||8160<=a&&8172>=a||8178<=a&&8180>=a||8182<=a&&8188>=a||8255<=a&&8256>=a||8276===a||8305===a||8319===a||8336<=a&&8348>=a||8400<=a&&8412>=a||8417===a||8421<=a&&8432>=a||8450===a||8455===a||8458<=a&&8467>=a||8469===a||8472<=a&&8477>=a||8484===a||8486===a||8488===a||8490<=a&&8505>=a||8508<=a&&8511>=a||8517<=a&&
+8521>=a||8526===a||8544<=a&&8584>=a||11264<=a&&11310>=a||11312<=a&&11358>=a||11360<=a&&11492>=a||11499<=a&&11507>=a||11520<=a&&11557>=a||11559===a||11565===a||11568<=a&&11623>=a||11631===a||11647<=a&&11670>=a||11680<=a&&11686>=a||11688<=a&&11694>=a||11696<=a&&11702>=a||11704<=a&&11710>=a||11712<=a&&11718>=a||11720<=a&&11726>=a||11728<=a&&11734>=a||11736<=a&&11742>=a||11744<=a&&11775>=a||12293<=a&&12295>=a||12321<=a&&12335>=a||12337<=a&&12341>=a||12344<=a&&12348>=a||12353<=a&&12438>=a||12441<=a&&12447>=
+a||12449<=a&&12538>=a||12540<=a&&12543>=a||12549<=a&&12589>=a||12593<=a&&12686>=a||12704<=a&&12730>=a||12784<=a&&12799>=a||13312<=a&&19893>=a||19968<=a&&40917>=a||40960<=a&&42124>=a||42192<=a&&42237>=a||42240<=a&&42508>=a||42512<=a&&42539>=a||42560<=a&&42607>=a||42612<=a&&42621>=a||42623<=a&&42737>=a||42775<=a&&42783>=a||42786<=a&&42888>=a||42891<=a&&42925>=a||42928<=a&&42935>=a||42999<=a&&43047>=a||43072<=a&&43123>=a||43136<=a&&43204>=a||43216<=a&&43225>=a||43232<=a&&43255>=a||43259===a||43261===
+a||43264<=a&&43309>=a||43312<=a&&43347>=a||43360<=a&&43388>=a||43392<=a&&43456>=a||43471<=a&&43481>=a||43488<=a&&43518>=a||43520<=a&&43574>=a||43584<=a&&43597>=a||43600<=a&&43609>=a||43616<=a&&43638>=a||43642<=a&&43714>=a||43739<=a&&43741>=a||43744<=a&&43759>=a||43762<=a&&43766>=a||43777<=a&&43782>=a||43785<=a&&43790>=a||43793<=a&&43798>=a||43808<=a&&43814>=a||43816<=a&&43822>=a||43824<=a&&43866>=a||43868<=a&&43877>=a||43888<=a&&44010>=a||44012<=a&&44013>=a||44016<=a&&44025>=a||44032<=a&&55203>=a||
+55216<=a&&55238>=a||55243<=a&&55291>=a||63744<=a&&64109>=a||64112<=a&&64217>=a||64256<=a&&64262>=a||64275<=a&&64279>=a||64285<=a&&64296>=a||64298<=a&&64310>=a||64312<=a&&64316>=a||64318===a||64320<=a&&64321>=a||64323<=a&&64324>=a||64326<=a&&64433>=a||64467<=a&&64829>=a||64848<=a&&64911>=a||64914<=a&&64967>=a||65008<=a&&65019>=a||65024<=a&&65039>=a||65056<=a&&65071>=a||65075<=a&&65076>=a||65101<=a&&65103>=a||65136<=a&&65140>=a||65142<=a&&65276>=a||65296<=a&&65305>=a||65313<=a&&65338>=a||65343===a||
+65345<=a&&65370>=a||65382<=a&&65470>=a||65474<=a&&65479>=a||65482<=a&&65487>=a||65490<=a&&65495>=a||65498<=a&&65500>=a||65536<=a&&65547>=a||65549<=a&&65574>=a||65576<=a&&65594>=a||65596<=a&&65597>=a||65599<=a&&65613>=a||65616<=a&&65629>=a||65664<=a&&65786>=a||65856<=a&&65908>=a||66045===a||66176<=a&&66204>=a||66208<=a&&66256>=a||66272===a||66304<=a&&66335>=a||66352<=a&&66378>=a||66384<=a&&66426>=a||66432<=a&&66461>=a||66464<=a&&66499>=a||66504<=a&&66511>=a||66513<=a&&66517>=a||66560<=a&&66717>=a||
+66720<=a&&66729>=a||66816<=a&&66855>=a||66864<=a&&66915>=a||67072<=a&&67382>=a||67392<=a&&67413>=a||67424<=a&&67431>=a||67584<=a&&67589>=a||67592===a||67594<=a&&67637>=a||67639<=a&&67640>=a||67644===a||67647<=a&&67669>=a||67680<=a&&67702>=a||67712<=a&&67742>=a||67808<=a&&67826>=a||67828<=a&&67829>=a||67840<=a&&67861>=a||67872<=a&&67897>=a||67968<=a&&68023>=a||68030<=a&&68031>=a||68096<=a&&68099>=a||68101<=a&&68102>=a||68108<=a&&68115>=a||68117<=a&&68119>=a||68121<=a&&68147>=a||68152<=a&&68154>=a||
+68159===a||68192<=a&&68220>=a||68224<=a&&68252>=a||68288<=a&&68295>=a||68297<=a&&68326>=a||68352<=a&&68405>=a||68416<=a&&68437>=a||68448<=a&&68466>=a||68480<=a&&68497>=a||68608<=a&&68680>=a||68736<=a&&68786>=a||68800<=a&&68850>=a||69632<=a&&69702>=a||69734<=a&&69743>=a||69759<=a&&69818>=a||69840<=a&&69864>=a||69872<=a&&69881>=a||69888<=a&&69940>=a||69942<=a&&69951>=a||69968<=a&&70003>=a||70006===a||70016<=a&&70084>=a||70090<=a&&70092>=a||70096<=a&&70106>=a||70108===a||70144<=a&&70161>=a||70163<=a&&
+70199>=a||70272<=a&&70278>=a||70280===a||70282<=a&&70285>=a||70287<=a&&70301>=a||70303<=a&&70312>=a||70320<=a&&70378>=a||70384<=a&&70393>=a||70400<=a&&70403>=a||70405<=a&&70412>=a||70415<=a&&70416>=a||70419<=a&&70440>=a||70442<=a&&70448>=a||70450<=a&&70451>=a||70453<=a&&70457>=a||70460<=a&&70468>=a||70471<=a&&70472>=a||70475<=a&&70477>=a||70480===a||70487===a||70493<=a&&70499>=a||70502<=a&&70508>=a||70512<=a&&70516>=a||70784<=a&&70853>=a||70855===a||70864<=a&&70873>=a||71040<=a&&71093>=a||71096<=
+a&&71104>=a||71128<=a&&71133>=a||71168<=a&&71232>=a||71236===a||71248<=a&&71257>=a||71296<=a&&71351>=a||71360<=a&&71369>=a||71424<=a&&71449>=a||71453<=a&&71467>=a||71472<=a&&71481>=a||71840<=a&&71913>=a||71935===a||72384<=a&&72440>=a||73728<=a&&74649>=a||74752<=a&&74862>=a||74880<=a&&75075>=a||77824<=a&&78894>=a||82944<=a&&83526>=a||92160<=a&&92728>=a||92736<=a&&92766>=a||92768<=a&&92777>=a||92880<=a&&92909>=a||92912<=a&&92916>=a||92928<=a&&92982>=a||92992<=a&&92995>=a||93008<=a&&93017>=a||93027<=
+a&&93047>=a||93053<=a&&93071>=a||93952<=a&&94020>=a||94032<=a&&94078>=a||94095<=a&&94111>=a||110592<=a&&110593>=a||113664<=a&&113770>=a||113776<=a&&113788>=a||113792<=a&&113800>=a||113808<=a&&113817>=a||113821<=a&&113822>=a||119141<=a&&119145>=a||119149<=a&&119154>=a||119163<=a&&119170>=a||119173<=a&&119179>=a||119210<=a&&119213>=a||119362<=a&&119364>=a||119808<=a&&119892>=a||119894<=a&&119964>=a||119966<=a&&119967>=a||119970===a||119973<=a&&119974>=a||119977<=a&&119980>=a||119982<=a&&119993>=a||
+119995===a||119997<=a&&120003>=a||120005<=a&&120069>=a||120071<=a&&120074>=a||120077<=a&&120084>=a||120086<=a&&120092>=a||120094<=a&&120121>=a||120123<=a&&120126>=a||120128<=a&&120132>=a||120134===a||120138<=a&&120144>=a||120146<=a&&120485>=a||120488<=a&&120512>=a||120514<=a&&120538>=a||120540<=a&&120570>=a||120572<=a&&120596>=a||120598<=a&&120628>=a||120630<=a&&120654>=a||120656<=a&&120686>=a||120688<=a&&120712>=a||120714<=a&&120744>=a||120746<=a&&120770>=a||120772<=a&&120779>=a||120782<=a&&120831>=
+a||121344<=a&&121398>=a||121403<=a&&121452>=a||121461===a||121476===a||121499<=a&&121503>=a||121505<=a&&121519>=a||124928<=a&&125124>=a||125136<=a&&125142>=a||126464<=a&&126467>=a||126469<=a&&126495>=a||126497<=a&&126498>=a||126500===a||126503===a||126505<=a&&126514>=a||126516<=a&&126519>=a||126521===a||126523===a||126530===a||126535===a||126537===a||126539===a||126541<=a&&126543>=a||126545<=a&&126546>=a||126548===a||126551===a||126553===a||126555===a||126557===a||126559===a||126561<=a&&126562>=a||
+126564===a||126567<=a&&126570>=a||126572<=a&&126578>=a||126580<=a&&126583>=a||126585<=a&&126588>=a||126590===a||126592<=a&&126601>=a||126603<=a&&126619>=a||126625<=a&&126627>=a||126629<=a&&126633>=a||126635<=a&&126651>=a||131072<=a&&173782>=a||173824<=a&&177972>=a||177984<=a&&178205>=a||178208<=a&&183969>=a||194560<=a&&195101>=a||917760<=a&&917999>=a?!0:!1)}c.module("ngParseExt",[]).config(["$parseProvider",function(b){b.setIdentifierFns(d,e)}])})(window,window.angular);
+//# sourceMappingURL=angular-parse-ext.min.js.map
diff --git a/1.5.11/angular-parse-ext.min.js.map b/1.5.11/angular-parse-ext.min.js.map
new file mode 100644
index 0000000000..b37c8377ba
--- /dev/null
+++ b/1.5.11/angular-parse-ext.min.js.map
@@ -0,0 +1,8 @@
+{
+"version":3,
+"file":"angular-parse-ext.min.js",
+"lineCount":48,
+"mappings":"A;;;;;aAKC,SAAQ,CAACA,CAAD,CAASC,CAAT,CAAkB,CA+tC3BC,QAASA,EAAsB,CAACC,CAAD,CAAKC,CAAL,CAAS,CACtC,MAAc,GAAd,GAAOD,CAAP,EACc,GADd,GACOA,CADP,GAxtCI,EA0iBJ,EAgrBaC,CAhrBb,EA1iB0B,EA0iB1B,EAgrBaA,CAhrBb,EAziBI,EAyiBJ,EAgrBaA,CAhrBb,EAziB0B,GAyiB1B,EAgrBaA,CAhrBb,EAxiBW,GAwiBX,GAgrBaA,CAhrBb,EAviBW,GAuiBX,GAgrBaA,CAhrBb,EAtiBW,GAsiBX,GAgrBaA,CAhrBb,EAriBI,GAqiBJ,EAgrBaA,CAhrBb,EAriB0B,GAqiB1B,EAgrBaA,CAhrBb,EApiBI,GAoiBJ,EAgrBaA,CAhrBb,EApiB0B,GAoiB1B,EAgrBaA,CAhrBb,EAniBI,GAmiBJ,EAgrBaA,CAhrBb,EAniB0B,GAmiB1B,EAgrBaA,CAhrBb,EAliBI,GAkiBJ,EAgrBaA,CAhrBb,EAliB0B,GAkiB1B,EAgrBaA,CAhrBb,EAjiBI,GAiiBJ,EAgrBaA,CAhrBb,EAjiB0B,GAiiB1B,EAgrBaA,CAhrBb,EAhiBW,GAgiBX,GAgrBaA,CAhrBb,EA/hBW,GA+hBX,GAgrBaA,CAhrBb,EA9hBI,GA8hBJ,EAgrBaA,CAhrBb,EA9hB0B,GA8hB1B,EAgrBaA,CAhrBb,EA7hBI,GA6hBJ,EAgrBaA,CAhrBb,EA7hB0B,GA6hB1B,EAgrBaA,CAhrBb,EA5hBI,GA4hBJ,EAgrBaA,CAhrBb,EA5hB0B,GA4hB1B,EAgrBaA,CAhrBb,EA3hBW,GA2hBX,GAgrBaA,CAhrBb,EA1hBW,GA0hBX,GAgrBaA,CAhrBb,EAzhBI,GAyhBJ,EAgrBaA,CAhrBb,EAzhB0B,GAyhB1B,EAgrBaA,CAhrBb,EAxhBW,GAwhBX,GAgrBaA,CAhrBb,EAvhBI,GAuhBJ,EAgrBaA,CAhrBb,EAvhB0B,GAuhB1B,EAgrBaA,CAhrBb,EAthBI,GAshBJ,EAgrBaA,CAhrBb,EAthB0B,IAshB1B,EAgrBaA,CAhrBb,EArhBI,IAqhBJ,EAgrBaA,CAhrBb,EArhB0B,IAqhB1B,EAgrBaA,CAhrBb,EAphBI,IAohBJ,EAgrBaA,CAhrBb,EAphB0B,IAohB1B,EAgrBaA,CAhrBb,EAnhBI,IAmhBJ,EAgrBaA,CAhrBb,EAnhB0B,IAmhB1B,EAgrBaA,CAhrBb,EAlhBW,IAkhBX,GAgrBaA,CAhrBb,EAjhBI,IAihBJ,EAgrBaA,CAhrBb,EAjhB0B,IAihB1B,EAgrBaA,CAhrBb,EAhhBI,IAghBJ,EAgrBaA,CAhrBb,EAhhB0B,IAghB1B,EAgrBaA,CAhrBb,EA/gBI,IA+gBJ,EAgrBaA,CAhrBb,EA/gB0B,IA+gB1B,EAgrBaA,CAhrBb,EA9gBI,IA8gBJ,EAgrBaA,CAhrBb,EA9gB0B,IA8gB1B,EAgrBaA,CAhrBb,EA7gBI,IA6gBJ,EAgrBaA,CAhrBb,EA7gB0B,IA6gB1B,EAgrBaA,CAhrBb;AA5gBI,IA4gBJ,EAgrBaA,CAhrBb,EA5gB0B,IA4gB1B,EAgrBaA,CAhrBb,EA3gBW,IA2gBX,GAgrBaA,CAhrBb,EA1gBI,IA0gBJ,EAgrBaA,CAhrBb,EA1gB0B,IA0gB1B,EAgrBaA,CAhrBb,EAzgBI,IAygBJ,EAgrBaA,CAhrBb,EAzgB0B,IAygB1B,EAgrBaA,CAhrBb,EAxgBI,IAwgBJ,EAgrBaA,CAhrBb,EAxgB0B,IAwgB1B,EAgrBaA,CAhrBb,EAvgBW,IAugBX,GAgrBaA,CAhrBb,EAtgBW,IAsgBX,GAgrBaA,CAhrBb,EArgBI,IAqgBJ,EAgrBaA,CAhrBb,EArgB0B,IAqgB1B,EAgrBaA,CAhrBb,EApgBI,IAogBJ,EAgrBaA,CAhrBb,EApgB0B,IAogB1B,EAgrBaA,CAhrBb,EAngBW,IAmgBX,GAgrBaA,CAhrBb,EAlgBI,IAkgBJ,EAgrBaA,CAhrBb,EAlgB0B,IAkgB1B,EAgrBaA,CAhrBb,EAjgBI,IAigBJ,EAgrBaA,CAhrBb,EAjgB0B,IAigB1B,EAgrBaA,CAhrBb,EAhgBW,IAggBX,GAgrBaA,CAhrBb,EA/fI,IA+fJ,EAgrBaA,CAhrBb,EA/f0B,IA+f1B,EAgrBaA,CAhrBb,EA9fW,IA8fX,GAgrBaA,CAhrBb,EA7fW,IA6fX,GAgrBaA,CAhrBb,EA5fW,IA4fX,GAgrBaA,CAhrBb,EA3fI,IA2fJ,EAgrBaA,CAhrBb,EA3f0B,IA2f1B,EAgrBaA,CAhrBb,EA1fI,IA0fJ,EAgrBaA,CAhrBb,EA1f0B,IA0f1B,EAgrBaA,CAhrBb,EAzfI,IAyfJ,EAgrBaA,CAhrBb,EAzf0B,IAyf1B,EAgrBaA,CAhrBb,EAxfW,IAwfX,GAgrBaA,CAhrBb,EAvfW,IAufX,GAgrBaA,CAhrBb,EAtfI,IAsfJ,EAgrBaA,CAhrBb,EAtf0B,IAsf1B,EAgrBaA,CAhrBb,EArfI,IAqfJ,EAgrBaA,CAhrBb,EArf0B,IAqf1B,EAgrBaA,CAhrBb,EApfI,IAofJ,EAgrBaA,CAhrBb,EApf0B,IAof1B,EAgrBaA,CAhrBb,EAnfI,IAmfJ,EAgrBaA,CAhrBb,EAnf0B,IAmf1B,EAgrBaA,CAhrBb,EAlfI,IAkfJ,EAgrBaA,CAhrBb,EAlf0B,IAkf1B,EAgrBaA,CAhrBb,EAjfI,IAifJ,EAgrBaA,CAhrBb,EAjf0B,IAif1B,EAgrBaA,CAhrBb,EAhfW,IAgfX,GAgrBaA,CAhrBb,EA/eI,IA+eJ,EAgrBaA,CAhrBb,EA/e0B,IA+e1B,EAgrBaA,CAhrBb,EA9eW,IA8eX,GAgrBaA,CAhrBb,EA7eW,IA6eX,GAgrBaA,CAhrBb,EA5eI,IA4eJ,EAgrBaA,CAhrBb,EA5e0B,IA4e1B,EAgrBaA,CAhrBb,EA3eI,IA2eJ,EAgrBaA,CAhrBb,EA3e0B,IA2e1B;AAgrBaA,CAhrBb,EA1eI,IA0eJ,EAgrBaA,CAhrBb,EA1e0B,IA0e1B,EAgrBaA,CAhrBb,EAzeI,IAyeJ,EAgrBaA,CAhrBb,EAze0B,IAye1B,EAgrBaA,CAhrBb,EAxeI,IAweJ,EAgrBaA,CAhrBb,EAxe0B,IAwe1B,EAgrBaA,CAhrBb,EAveI,IAueJ,EAgrBaA,CAhrBb,EAve0B,IAue1B,EAgrBaA,CAhrBb,EAteI,IAseJ,EAgrBaA,CAhrBb,EAte0B,IAse1B,EAgrBaA,CAhrBb,EAreI,IAqeJ,EAgrBaA,CAhrBb,EAre0B,IAqe1B,EAgrBaA,CAhrBb,EApeI,IAoeJ,EAgrBaA,CAhrBb,EApe0B,IAoe1B,EAgrBaA,CAhrBb,EAneI,IAmeJ,EAgrBaA,CAhrBb,EAne0B,IAme1B,EAgrBaA,CAhrBb,EAleI,IAkeJ,EAgrBaA,CAhrBb,EAle0B,IAke1B,EAgrBaA,CAhrBb,EAjeW,IAieX,GAgrBaA,CAhrBb,EAheI,IAgeJ,EAgrBaA,CAhrBb,EAhe0B,IAge1B,EAgrBaA,CAhrBb,EA/dI,IA+dJ,EAgrBaA,CAhrBb,EA/d0B,IA+d1B,EAgrBaA,CAhrBb,EA9dI,IA8dJ,EAgrBaA,CAhrBb,EA9d0B,IA8d1B,EAgrBaA,CAhrBb,EA7dI,IA6dJ,EAgrBaA,CAhrBb,EA7d0B,IA6d1B,EAgrBaA,CAhrBb,EA5dI,IA4dJ,EAgrBaA,CAhrBb,EA5d0B,IA4d1B,EAgrBaA,CAhrBb,EA3dI,IA2dJ,EAgrBaA,CAhrBb,EA3d0B,IA2d1B,EAgrBaA,CAhrBb,EA1dI,IA0dJ,EAgrBaA,CAhrBb,EA1d0B,IA0d1B,EAgrBaA,CAhrBb,EAzdW,IAydX,GAgrBaA,CAhrBb,EAxdW,IAwdX,GAgrBaA,CAhrBb,EAvdI,IAudJ,EAgrBaA,CAhrBb,EAvd0B,IAud1B,EAgrBaA,CAhrBb,EAtdW,IAsdX,GAgrBaA,CAhrBb,EArdI,IAqdJ,EAgrBaA,CAhrBb,EArd0B,IAqd1B,EAgrBaA,CAhrBb,EApdI,IAodJ,EAgrBaA,CAhrBb,EApd0B,IAod1B,EAgrBaA,CAhrBb,EAndI,IAmdJ,EAgrBaA,CAhrBb,EAnd0B,IAmd1B,EAgrBaA,CAhrBb,EAldI,IAkdJ,EAgrBaA,CAhrBb,EAld0B,IAkd1B,EAgrBaA,CAhrBb,EAjdI,IAidJ,EAgrBaA,CAhrBb,EAjd0B,IAid1B,EAgrBaA,CAhrBb,EAhdI,IAgdJ,EAgrBaA,CAhrBb,EAhd0B,IAgd1B,EAgrBaA,CAhrBb,EA/cW,IA+cX,GAgrBaA,CAhrBb,EA9cI,IA8cJ,EAgrBaA,CAhrBb,EA9c0B,IA8c1B,EAgrBaA,CAhrBb,EA7cI,IA6cJ,EAgrBaA,CAhrBb,EA7c0B,IA6c1B,EAgrBaA,CAhrBb;AA5cW,IA4cX,GAgrBaA,CAhrBb,EA3cW,IA2cX,GAgrBaA,CAhrBb,EA1cI,IA0cJ,EAgrBaA,CAhrBb,EA1c0B,IA0c1B,EAgrBaA,CAhrBb,EAzcI,IAycJ,EAgrBaA,CAhrBb,EAzc0B,IAyc1B,EAgrBaA,CAhrBb,EAxcI,IAwcJ,EAgrBaA,CAhrBb,EAxc0B,IAwc1B,EAgrBaA,CAhrBb,EAvcI,IAucJ,EAgrBaA,CAhrBb,EAvc0B,IAuc1B,EAgrBaA,CAhrBb,EAtcW,IAscX,GAgrBaA,CAhrBb,EArcI,IAqcJ,EAgrBaA,CAhrBb,EArc0B,IAqc1B,EAgrBaA,CAhrBb,EApcI,IAocJ,EAgrBaA,CAhrBb,EApc0B,IAoc1B,EAgrBaA,CAhrBb,EAncI,IAmcJ,EAgrBaA,CAhrBb,EAnc0B,IAmc1B,EAgrBaA,CAhrBb,EAlcI,IAkcJ,EAgrBaA,CAhrBb,EAlc0B,IAkc1B,EAgrBaA,CAhrBb,EAjcW,IAicX,GAgrBaA,CAhrBb,EAhcI,IAgcJ,EAgrBaA,CAhrBb,EAhc0B,IAgc1B,EAgrBaA,CAhrBb,EA/bI,IA+bJ,EAgrBaA,CAhrBb,EA/b0B,IA+b1B,EAgrBaA,CAhrBb,EA9bI,IA8bJ,EAgrBaA,CAhrBb,EA9b0B,IA8b1B,EAgrBaA,CAhrBb,EA7bI,IA6bJ,EAgrBaA,CAhrBb,EA7b0B,IA6b1B,EAgrBaA,CAhrBb,EA5bW,IA4bX,GAgrBaA,CAhrBb,EA3bI,IA2bJ,EAgrBaA,CAhrBb,EA3b0B,IA2b1B,EAgrBaA,CAhrBb,EA1bI,IA0bJ,EAgrBaA,CAhrBb,EA1b0B,IA0b1B,EAgrBaA,CAhrBb,EAzbI,IAybJ,EAgrBaA,CAhrBb,EAzb0B,IAyb1B,EAgrBaA,CAhrBb,EAxbI,IAwbJ,EAgrBaA,CAhrBb,EAxb0B,IAwb1B,EAgrBaA,CAhrBb,EAvbI,IAubJ,EAgrBaA,CAhrBb,EAvb0B,IAub1B,EAgrBaA,CAhrBb,EAtbI,IAsbJ,EAgrBaA,CAhrBb,EAtb0B,IAsb1B,EAgrBaA,CAhrBb,EArbI,IAqbJ,EAgrBaA,CAhrBb,EArb0B,IAqb1B,EAgrBaA,CAhrBb,EApbW,IAobX,GAgrBaA,CAhrBb,EAnbW,IAmbX,GAgrBaA,CAhrBb,EAlbI,IAkbJ,EAgrBaA,CAhrBb,EAlb0B,IAkb1B,EAgrBaA,CAhrBb,EAjbI,IAibJ,EAgrBaA,CAhrBb,EAjb0B,IAib1B,EAgrBaA,CAhrBb,EAhbI,IAgbJ,EAgrBaA,CAhrBb,EAhb0B,IAgb1B,EAgrBaA,CAhrBb,EA/aI,IA+aJ,EAgrBaA,CAhrBb,EA/a0B,IA+a1B,EAgrBaA,CAhrBb,EA9aI,IA8aJ,EAgrBaA,CAhrBb,EA9a0B,IA8a1B,EAgrBaA,CAhrBb;AA7aW,IA6aX,GAgrBaA,CAhrBb,EA5aW,IA4aX,GAgrBaA,CAhrBb,EA3aI,IA2aJ,EAgrBaA,CAhrBb,EA3a0B,IA2a1B,EAgrBaA,CAhrBb,EA1aI,IA0aJ,EAgrBaA,CAhrBb,EA1a0B,IA0a1B,EAgrBaA,CAhrBb,EAzaI,IAyaJ,EAgrBaA,CAhrBb,EAza0B,IAya1B,EAgrBaA,CAhrBb,EAxaI,IAwaJ,EAgrBaA,CAhrBb,EAxa0B,IAwa1B,EAgrBaA,CAhrBb,EAvaI,IAuaJ,EAgrBaA,CAhrBb,EAva0B,IAua1B,EAgrBaA,CAhrBb,EAtaW,IAsaX,GAgrBaA,CAhrBb,EAraI,IAqaJ,EAgrBaA,CAhrBb,EAra0B,IAqa1B,EAgrBaA,CAhrBb,EApaI,IAoaJ,EAgrBaA,CAhrBb,EApa0B,IAoa1B,EAgrBaA,CAhrBb,EAnaI,IAmaJ,EAgrBaA,CAhrBb,EAna0B,IAma1B,EAgrBaA,CAhrBb,EAlaI,IAkaJ,EAgrBaA,CAhrBb,EAla0B,IAka1B,EAgrBaA,CAhrBb,EAjaI,IAiaJ,EAgrBaA,CAhrBb,EAja0B,IAia1B,EAgrBaA,CAhrBb,EAhaW,IAgaX,GAgrBaA,CAhrBb,EA/ZI,IA+ZJ,EAgrBaA,CAhrBb,EA/Z0B,IA+Z1B,EAgrBaA,CAhrBb,EA9ZW,IA8ZX,GAgrBaA,CAhrBb,EA7ZW,IA6ZX,GAgrBaA,CAhrBb,EA5ZI,IA4ZJ,EAgrBaA,CAhrBb,EA5Z0B,IA4Z1B,EAgrBaA,CAhrBb,EA3ZI,IA2ZJ,EAgrBaA,CAhrBb,EA3Z0B,IA2Z1B,EAgrBaA,CAhrBb,EA1ZI,IA0ZJ,EAgrBaA,CAhrBb,EA1Z0B,IA0Z1B,EAgrBaA,CAhrBb,EAzZW,IAyZX,GAgrBaA,CAhrBb,EAxZW,IAwZX,GAgrBaA,CAhrBb,EAvZI,IAuZJ,EAgrBaA,CAhrBb,EAvZ0B,IAuZ1B,EAgrBaA,CAhrBb,EAtZI,IAsZJ,EAgrBaA,CAhrBb,EAtZ0B,IAsZ1B,EAgrBaA,CAhrBb,EArZI,IAqZJ,EAgrBaA,CAhrBb,EArZ0B,IAqZ1B,EAgrBaA,CAhrBb,EApZW,IAoZX,GAgrBaA,CAhrBb,EAnZI,IAmZJ,EAgrBaA,CAhrBb,EAnZ0B,IAmZ1B,EAgrBaA,CAhrBb,EAlZW,IAkZX,GAgrBaA,CAhrBb,EAjZI,IAiZJ,EAgrBaA,CAhrBb,EAjZ0B,IAiZ1B,EAgrBaA,CAhrBb,EAhZW,IAgZX,GAgrBaA,CAhrBb,EA/YI,IA+YJ,EAgrBaA,CAhrBb,EA/Y0B,IA+Y1B,EAgrBaA,CAhrBb,EA9YI,IA8YJ,EAgrBaA,CAhrBb,EA9Y0B,IA8Y1B,EAgrBaA,CAhrBb,EA7YI,IA6YJ,EAgrBaA,CAhrBb,EA7Y0B,IA6Y1B;AAgrBaA,CAhrBb,EA5YI,IA4YJ,EAgrBaA,CAhrBb,EA5Y0B,IA4Y1B,EAgrBaA,CAhrBb,EA3YW,IA2YX,GAgrBaA,CAhrBb,EA1YI,IA0YJ,EAgrBaA,CAhrBb,EA1Y0B,IA0Y1B,EAgrBaA,CAhrBb,EAzYI,IAyYJ,EAgrBaA,CAhrBb,EAzY0B,IAyY1B,EAgrBaA,CAhrBb,EAxYW,IAwYX,GAgrBaA,CAhrBb,EAvYI,IAuYJ,EAgrBaA,CAhrBb,EAvY0B,IAuY1B,EAgrBaA,CAhrBb,EAtYI,IAsYJ,EAgrBaA,CAhrBb,EAtY0B,IAsY1B,EAgrBaA,CAhrBb,EArYI,IAqYJ,EAgrBaA,CAhrBb,EArY0B,IAqY1B,EAgrBaA,CAhrBb,EApYW,IAoYX,GAgrBaA,CAhrBb,EAnYI,IAmYJ,EAgrBaA,CAhrBb,EAnY0B,IAmY1B,EAgrBaA,CAhrBb,EAlYW,IAkYX,GAgrBaA,CAhrBb,EAjYW,IAiYX,GAgrBaA,CAhrBb,EAhYI,IAgYJ,EAgrBaA,CAhrBb,EAhY0B,IAgY1B,EAgrBaA,CAhrBb,EA/XI,IA+XJ,EAgrBaA,CAhrBb,EA/X0B,IA+X1B,EAgrBaA,CAhrBb,EA9XI,IA8XJ,EAgrBaA,CAhrBb,EA9X0B,IA8X1B,EAgrBaA,CAhrBb,EA7XI,IA6XJ,EAgrBaA,CAhrBb,EA7X0B,IA6X1B,EAgrBaA,CAhrBb,EA5XW,IA4XX,GAgrBaA,CAhrBb,EA3XI,IA2XJ,EAgrBaA,CAhrBb,EA3X0B,IA2X1B,EAgrBaA,CAhrBb,EA1XI,IA0XJ,EAgrBaA,CAhrBb,EA1X0B,IA0X1B,EAgrBaA,CAhrBb,EAzXI,IAyXJ,EAgrBaA,CAhrBb,EAzX0B,IAyX1B,EAgrBaA,CAhrBb,EAxXI,IAwXJ,EAgrBaA,CAhrBb,EAxX0B,IAwX1B,EAgrBaA,CAhrBb,EAvXI,IAuXJ,EAgrBaA,CAhrBb,EAvX0B,IAuX1B,EAgrBaA,CAhrBb,EAtXI,IAsXJ,EAgrBaA,CAhrBb,EAtX0B,IAsX1B,EAgrBaA,CAhrBb,EArXW,IAqXX,GAgrBaA,CAhrBb,EApXI,IAoXJ,EAgrBaA,CAhrBb,EApX0B,IAoX1B,EAgrBaA,CAhrBb,EAnXI,IAmXJ,EAgrBaA,CAhrBb,EAnX0B,IAmX1B,EAgrBaA,CAhrBb,EAlXI,IAkXJ,EAgrBaA,CAhrBb,EAlX0B,IAkX1B,EAgrBaA,CAhrBb,EAjXI,IAiXJ,EAgrBaA,CAhrBb,EAjX0B,IAiX1B,EAgrBaA,CAhrBb,EAhXI,IAgXJ,EAgrBaA,CAhrBb,EAhX0B,IAgX1B,EAgrBaA,CAhrBb,EA/WI,IA+WJ,EAgrBaA,CAhrBb,EA/W0B,IA+W1B,EAgrBaA,CAhrBb,EA9WI,IA8WJ,EAgrBaA,CAhrBb,EA9W0B,IA8W1B;AAgrBaA,CAhrBb,EA7WI,IA6WJ,EAgrBaA,CAhrBb,EA7W0B,IA6W1B,EAgrBaA,CAhrBb,EA5WI,IA4WJ,EAgrBaA,CAhrBb,EA5W0B,IA4W1B,EAgrBaA,CAhrBb,EA3WI,IA2WJ,EAgrBaA,CAhrBb,EA3W0B,IA2W1B,EAgrBaA,CAhrBb,EA1WI,IA0WJ,EAgrBaA,CAhrBb,EA1W0B,IA0W1B,EAgrBaA,CAhrBb,EAzWI,IAyWJ,EAgrBaA,CAhrBb,EAzW0B,IAyW1B,EAgrBaA,CAhrBb,EAxWI,IAwWJ,EAgrBaA,CAhrBb,EAxW0B,IAwW1B,EAgrBaA,CAhrBb,EAvWI,IAuWJ,EAgrBaA,CAhrBb,EAvW0B,IAuW1B,EAgrBaA,CAhrBb,EAtWI,IAsWJ,EAgrBaA,CAhrBb,EAtW0B,IAsW1B,EAgrBaA,CAhrBb,EArWI,IAqWJ,EAgrBaA,CAhrBb,EArW0B,IAqW1B,EAgrBaA,CAhrBb,EApWI,IAoWJ,EAgrBaA,CAhrBb,EApW0B,IAoW1B,EAgrBaA,CAhrBb,EAnWI,IAmWJ,EAgrBaA,CAhrBb,EAnW0B,IAmW1B,EAgrBaA,CAhrBb,EAlWI,IAkWJ,EAgrBaA,CAhrBb,EAlW0B,GAkW1B,EAgrBaA,CAhrBb,EAjWI,IAiWJ,EAgrBaA,CAhrBb,EAjW0B,IAiW1B,EAgrBaA,CAhrBb,EAhWW,IAgWX,GAgrBaA,CAhrBb,EA/VW,IA+VX,GAgrBaA,CAhrBb,EA9VI,IA8VJ,EAgrBaA,CAhrBb,EA9V0B,IA8V1B,EAgrBaA,CAhrBb,EA7VI,IA6VJ,EAgrBaA,CAhrBb,EA7V0B,IA6V1B,EAgrBaA,CAhrBb,EA5VW,IA4VX,GAgrBaA,CAhrBb,EA3VI,IA2VJ,EAgrBaA,CAhrBb,EA3V0B,IA2V1B,EAgrBaA,CAhrBb,EA1VI,IA0VJ,EAgrBaA,CAhrBb,EA1V0B,IA0V1B,EAgrBaA,CAhrBb,EAzVI,IAyVJ,EAgrBaA,CAhrBb,EAzV0B,IAyV1B,EAgrBaA,CAhrBb,EAxVI,IAwVJ,EAgrBaA,CAhrBb,EAxV0B,IAwV1B,EAgrBaA,CAhrBb,EAvVI,IAuVJ,EAgrBaA,CAhrBb,EAvV0B,IAuV1B,EAgrBaA,CAhrBb,EAtVI,IAsVJ,EAgrBaA,CAhrBb,EAtV0B,IAsV1B,EAgrBaA,CAhrBb,EArVI,IAqVJ,EAgrBaA,CAhrBb,EArV0B,IAqV1B,EAgrBaA,CAhrBb,EApVI,IAoVJ,EAgrBaA,CAhrBb,EApV0B,IAoV1B,EAgrBaA,CAhrBb,EAnVW,IAmVX,GAgrBaA,CAhrBb,EAlVI,IAkVJ,EAgrBaA,CAhrBb,EAlV0B,IAkV1B,EAgrBaA,CAhrBb,EAjVI,IAiVJ,EAgrBaA,CAhrBb,EAjV0B,IAiV1B,EAgrBaA,CAhrBb,EAhVI,IAgVJ,EAgrBaA,CAhrBb;AAhV0B,IAgV1B,EAgrBaA,CAhrBb,EA/UI,IA+UJ,EAgrBaA,CAhrBb,EA/U0B,IA+U1B,EAgrBaA,CAhrBb,EA9UI,IA8UJ,EAgrBaA,CAhrBb,EA9U0B,IA8U1B,EAgrBaA,CAhrBb,EA7UI,IA6UJ,EAgrBaA,CAhrBb,EA7U0B,IA6U1B,EAgrBaA,CAhrBb,EA5UI,IA4UJ,EAgrBaA,CAhrBb,EA5U0B,IA4U1B,EAgrBaA,CAhrBb,EA3UI,IA2UJ,EAgrBaA,CAhrBb,EA3U0B,IA2U1B,EAgrBaA,CAhrBb,EA1UI,IA0UJ,EAgrBaA,CAhrBb,EA1U0B,IA0U1B,EAgrBaA,CAhrBb,EAzUI,IAyUJ,EAgrBaA,CAhrBb,EAzU0B,IAyU1B,EAgrBaA,CAhrBb,EAxUI,IAwUJ,EAgrBaA,CAhrBb,EAxU0B,IAwU1B,EAgrBaA,CAhrBb,EAvUI,IAuUJ,EAgrBaA,CAhrBb,EAvU0B,IAuU1B,EAgrBaA,CAhrBb,EAtUI,IAsUJ,EAgrBaA,CAhrBb,EAtU0B,IAsU1B,EAgrBaA,CAhrBb,EArUI,IAqUJ,EAgrBaA,CAhrBb,EArU0B,IAqU1B,EAgrBaA,CAhrBb,EApUI,IAoUJ,EAgrBaA,CAhrBb,EApU0B,IAoU1B,EAgrBaA,CAhrBb,EAnUI,IAmUJ,EAgrBaA,CAhrBb,EAnU0B,IAmU1B,EAgrBaA,CAhrBb,EAlUI,IAkUJ,EAgrBaA,CAhrBb,EAlU0B,IAkU1B,EAgrBaA,CAhrBb,EAjUW,IAiUX,GAgrBaA,CAhrBb,EAhUW,IAgUX,GAgrBaA,CAhrBb,EA/TW,IA+TX,GAgrBaA,CAhrBb,EA9TI,IA8TJ,EAgrBaA,CAhrBb,EA9T0B,IA8T1B,EAgrBaA,CAhrBb,EA7TI,IA6TJ,EAgrBaA,CAhrBb,EA7T0B,IA6T1B,EAgrBaA,CAhrBb,EA5TI,IA4TJ,EAgrBaA,CAhrBb,EA5T0B,IA4T1B,EAgrBaA,CAhrBb,EA3TW,IA2TX,GAgrBaA,CAhrBb,EA1TI,IA0TJ,EAgrBaA,CAhrBb,EA1T0B,IA0T1B,EAgrBaA,CAhrBb,EAzTI,IAyTJ,EAgrBaA,CAhrBb,EAzT0B,IAyT1B,EAgrBaA,CAhrBb,EAxTI,IAwTJ,EAgrBaA,CAhrBb,EAxT0B,IAwT1B,EAgrBaA,CAhrBb,EAvTI,IAuTJ,EAgrBaA,CAhrBb,EAvT0B,IAuT1B,EAgrBaA,CAhrBb,EAtTI,IAsTJ,EAgrBaA,CAhrBb,EAtT0B,IAsT1B,EAgrBaA,CAhrBb,EArTI,IAqTJ,EAgrBaA,CAhrBb,EArT0B,IAqT1B,EAgrBaA,CAhrBb,EApTI,IAoTJ,EAgrBaA,CAhrBb,EApT0B,IAoT1B,EAgrBaA,CAhrBb,EAnTW,IAmTX,GAgrBaA,CAhrBb,EAlTW,IAkTX,GAgrBaA,CAhrBb;AAjTI,IAiTJ,EAgrBaA,CAhrBb,EAjT0B,IAiT1B,EAgrBaA,CAhrBb,EAhTW,IAgTX,GAgrBaA,CAhrBb,EA/SW,IA+SX,GAgrBaA,CAhrBb,EA9SI,IA8SJ,EAgrBaA,CAhrBb,EA9S0B,IA8S1B,EAgrBaA,CAhrBb,EA7SW,IA6SX,GAgrBaA,CAhrBb,EA5SI,IA4SJ,EAgrBaA,CAhrBb,EA5S0B,IA4S1B,EAgrBaA,CAhrBb,EA3SW,IA2SX,GAgrBaA,CAhrBb,EA1SW,IA0SX,GAgrBaA,CAhrBb,EAzSW,IAySX,GAgrBaA,CAhrBb,EAxSI,IAwSJ,EAgrBaA,CAhrBb,EAxS0B,IAwS1B,EAgrBaA,CAhrBb,EAvSI,IAuSJ,EAgrBaA,CAhrBb,EAvS0B,IAuS1B,EAgrBaA,CAhrBb,EAtSI,IAsSJ,EAgrBaA,CAhrBb,EAtS0B,IAsS1B,EAgrBaA,CAhrBb,EArSW,IAqSX,GAgrBaA,CAhrBb,EApSI,IAoSJ,EAgrBaA,CAhrBb,EApS0B,IAoS1B,EAgrBaA,CAhrBb,EAnSI,KAmSJ,EAgrBaA,CAhrBb,EAnS0B,KAmS1B,EAgrBaA,CAhrBb,EAlSI,KAkSJ,EAgrBaA,CAhrBb,EAlS0B,KAkS1B,EAgrBaA,CAhrBb,EAjSI,KAiSJ,EAgrBaA,CAhrBb,EAjS0B,KAiS1B,EAgrBaA,CAhrBb,EAhSI,KAgSJ,EAgrBaA,CAhrBb,EAhS0B,KAgS1B,EAgrBaA,CAhrBb,EA/RI,KA+RJ,EAgrBaA,CAhrBb,EA/R0B,KA+R1B,EAgrBaA,CAhrBb,EA9RI,KA8RJ,EAgrBaA,CAhrBb,EA9R0B,KA8R1B,EAgrBaA,CAhrBb,EA7RW,KA6RX,GAgrBaA,CAhrBb,EA5RW,KA4RX,GAgrBaA,CAhrBb,EA3RI,KA2RJ,EAgrBaA,CAhrBb,EA3R0B,KA2R1B,EAgrBaA,CAhrBb,EA1RW,KA0RX,GAgrBaA,CAhrBb,EAzRI,KAyRJ,EAgrBaA,CAhrBb,EAzR0B,KAyR1B,EAgrBaA,CAhrBb,EAxRI,KAwRJ,EAgrBaA,CAhrBb,EAxR0B,KAwR1B,EAgrBaA,CAhrBb,EAvRI,KAuRJ,EAgrBaA,CAhrBb,EAvR0B,KAuR1B,EAgrBaA,CAhrBb,EAtRI,KAsRJ,EAgrBaA,CAhrBb,EAtR0B,KAsR1B,EAgrBaA,CAhrBb,EArRI,KAqRJ,EAgrBaA,CAhrBb,EArR0B,KAqR1B,EAgrBaA,CAhrBb,EApRI,KAoRJ,EAgrBaA,CAhrBb,EApR0B,KAoR1B,EAgrBaA,CAhrBb,EAnRI,KAmRJ,EAgrBaA,CAhrBb,EAnR0B,KAmR1B;AAgrBaA,CAhrBb,EAlRI,KAkRJ,EAgrBaA,CAhrBb,EAlR0B,KAkR1B,EAgrBaA,CAhrBb,EAjRI,KAiRJ,EAgrBaA,CAhrBb,EAjR0B,KAiR1B,EAgrBaA,CAhrBb,EAhRI,KAgRJ,EAgrBaA,CAhrBb,EAhR0B,KAgR1B,EAgrBaA,CAhrBb,EA/QI,KA+QJ,EAgrBaA,CAhrBb,EA/Q0B,KA+Q1B,EAgrBaA,CAhrBb,EA9QI,KA8QJ,EAgrBaA,CAhrBb,EA9Q0B,KA8Q1B,EAgrBaA,CAhrBb,EA7QI,KA6QJ,EAgrBaA,CAhrBb,EA7Q0B,KA6Q1B,EAgrBaA,CAhrBb,EA5QI,KA4QJ,EAgrBaA,CAhrBb,EA5Q0B,KA4Q1B,EAgrBaA,CAhrBb,EA3QI,KA2QJ,EAgrBaA,CAhrBb,EA3Q0B,KA2Q1B,EAgrBaA,CAhrBb,EA1QI,KA0QJ,EAgrBaA,CAhrBb,EA1Q0B,KA0Q1B,EAgrBaA,CAhrBb,EAzQI,KAyQJ,EAgrBaA,CAhrBb,EAzQ0B,KAyQ1B,EAgrBaA,CAhrBb,EAxQI,KAwQJ,EAgrBaA,CAhrBb,EAxQ0B,KAwQ1B,EAgrBaA,CAhrBb,EAvQI,KAuQJ,EAgrBaA,CAhrBb,EAvQ0B,KAuQ1B,EAgrBaA,CAhrBb,EAtQI,KAsQJ,EAgrBaA,CAhrBb,EAtQ0B,KAsQ1B,EAgrBaA,CAhrBb,EArQI,KAqQJ,EAgrBaA,CAhrBb,EArQ0B,KAqQ1B,EAgrBaA,CAhrBb,EApQI,KAoQJ,EAgrBaA,CAhrBb,EApQ0B,KAoQ1B,EAgrBaA,CAhrBb,EAnQI,KAmQJ,EAgrBaA,CAhrBb,EAnQ0B,KAmQ1B,EAgrBaA,CAhrBb,EAlQI,KAkQJ,EAgrBaA,CAhrBb,EAlQ0B,KAkQ1B,EAgrBaA,CAhrBb,EAjQI,KAiQJ,EAgrBaA,CAhrBb,EAjQ0B,KAiQ1B,EAgrBaA,CAhrBb,EAhQI,KAgQJ,EAgrBaA,CAhrBb,EAhQ0B,KAgQ1B,EAgrBaA,CAhrBb,EA/PI,KA+PJ,EAgrBaA,CAhrBb,EA/P0B,KA+P1B,EAgrBaA,CAhrBb,EA9PI,KA8PJ,EAgrBaA,CAhrBb,EA9P0B,KA8P1B,EAgrBaA,CAhrBb,EA7PI,KA6PJ,EAgrBaA,CAhrBb,EA7P0B,KA6P1B,EAgrBaA,CAhrBb,EA5PI,KA4PJ,EAgrBaA,CAhrBb,EA5P0B,KA4P1B,EAgrBaA,CAhrBb,EA3PI,KA2PJ,EAgrBaA,CAhrBb,EA3P0B,KA2P1B,EAgrBaA,CAhrBb,EA1PI,KA0PJ,EAgrBaA,CAhrBb,EA1P0B,KA0P1B,EAgrBaA,CAhrBb;AAzPI,KAyPJ,EAgrBaA,CAhrBb,EAzP0B,KAyP1B,EAgrBaA,CAhrBb,EAxPI,KAwPJ,EAgrBaA,CAhrBb,EAxP0B,KAwP1B,EAgrBaA,CAhrBb,EAvPI,KAuPJ,EAgrBaA,CAhrBb,EAvP0B,KAuP1B,EAgrBaA,CAhrBb,EAtPI,KAsPJ,EAgrBaA,CAhrBb,EAtP0B,KAsP1B,EAgrBaA,CAhrBb,EArPI,KAqPJ,EAgrBaA,CAhrBb,EArP0B,KAqP1B,EAgrBaA,CAhrBb,EApPI,KAoPJ,EAgrBaA,CAhrBb,EApP0B,KAoP1B,EAgrBaA,CAhrBb,EAnPI,KAmPJ,EAgrBaA,CAhrBb,EAnP0B,KAmP1B,EAgrBaA,CAhrBb,EAlPI,KAkPJ,EAgrBaA,CAhrBb,EAlP0B,KAkP1B,EAgrBaA,CAhrBb,EAjPI,KAiPJ,EAgrBaA,CAhrBb,EAjP0B,KAiP1B,EAgrBaA,CAhrBb,EAhPI,KAgPJ,EAgrBaA,CAhrBb,EAhP0B,KAgP1B,EAgrBaA,CAhrBb,EA/OW,KA+OX,GAgrBaA,CAhrBb,EA9OW,KA8OX,GAgrBaA,CAhrBb,EA7OI,KA6OJ,EAgrBaA,CAhrBb,EA7O0B,KA6O1B,EAgrBaA,CAhrBb,EA5OI,KA4OJ,EAgrBaA,CAhrBb,EA5O0B,KA4O1B,EAgrBaA,CAhrBb,EA3OI,KA2OJ,EAgrBaA,CAhrBb,EA3O0B,KA2O1B,EAgrBaA,CAhrBb,EA1OI,KA0OJ,EAgrBaA,CAhrBb,EA1O0B,KA0O1B,EAgrBaA,CAhrBb,EAzOW,KAyOX,GAgrBaA,CAhrBb,EAxOI,KAwOJ,EAgrBaA,CAhrBb,EAxO0B,KAwO1B,EAgrBaA,CAhrBb,EAvOI,KAuOJ,EAgrBaA,CAhrBb,EAvO0B,KAuO1B,EAgrBaA,CAhrBb,EAtOI,KAsOJ,EAgrBaA,CAhrBb,EAtO0B,KAsO1B,EAgrBaA,CAhrBb,EArOI,KAqOJ,EAgrBaA,CAhrBb,EArO0B,KAqO1B,EAgrBaA,CAhrBb,EApOI,KAoOJ,EAgrBaA,CAhrBb,EApO0B,KAoO1B,EAgrBaA,CAhrBb,EAnOI,KAmOJ,EAgrBaA,CAhrBb,EAnO0B,KAmO1B,EAgrBaA,CAhrBb,EAlOI,KAkOJ,EAgrBaA,CAhrBb,EAlO0B,KAkO1B,EAgrBaA,CAhrBb,EAjOW,KAiOX,GAgrBaA,CAhrBb,EAhOI,KAgOJ,EAgrBaA,CAhrBb,EAhO0B,KAgO1B,EAgrBaA,CAhrBb,EA/NW,KA+NX,GAgrBaA,CAhrBb,EA9NI,KA8NJ;AAgrBaA,CAhrBb,EA9N0B,KA8N1B,EAgrBaA,CAhrBb,EA7NI,KA6NJ,EAgrBaA,CAhrBb,EA7N0B,KA6N1B,EAgrBaA,CAhrBb,EA5NW,KA4NX,GAgrBaA,CAhrBb,EA3NW,KA2NX,GAgrBaA,CAhrBb,EA1NI,KA0NJ,EAgrBaA,CAhrBb,EA1N0B,KA0N1B,EAgrBaA,CAhrBb,EAzNI,KAyNJ,EAgrBaA,CAhrBb,EAzN0B,KAyN1B,EAgrBaA,CAhrBb,EAxNI,KAwNJ,EAgrBaA,CAhrBb,EAxN0B,KAwN1B,EAgrBaA,CAhrBb,EAvNI,KAuNJ,EAgrBaA,CAhrBb,EAvN0B,KAuN1B,EAgrBaA,CAhrBb,EAtNI,KAsNJ,EAgrBaA,CAhrBb,EAtN0B,KAsN1B,EAgrBaA,CAhrBb,EArNI,KAqNJ,EAgrBaA,CAhrBb,EArN0B,KAqN1B,EAgrBaA,CAhrBb,EApNI,KAoNJ,EAgrBaA,CAhrBb,EApN0B,KAoN1B,EAgrBaA,CAhrBb,EAnNI,KAmNJ,EAgrBaA,CAhrBb,EAnN0B,KAmN1B,EAgrBaA,CAhrBb,EAlNI,KAkNJ,EAgrBaA,CAhrBb,EAlN0B,KAkN1B,EAgrBaA,CAhrBb,EAjNI,KAiNJ,EAgrBaA,CAhrBb,EAjN0B,KAiN1B,EAgrBaA,CAhrBb,EAhNI,KAgNJ,EAgrBaA,CAhrBb,EAhN0B,KAgN1B,EAgrBaA,CAhrBb,EA/MI,KA+MJ,EAgrBaA,CAhrBb,EA/M0B,KA+M1B,EAgrBaA,CAhrBb,EA9MI,KA8MJ,EAgrBaA,CAhrBb,EA9M0B,KA8M1B,EAgrBaA,CAhrBb,EA7MI,KA6MJ,EAgrBaA,CAhrBb,EA7M0B,KA6M1B,EAgrBaA,CAhrBb,EA5MI,KA4MJ,EAgrBaA,CAhrBb,EA5M0B,KA4M1B,EAgrBaA,CAhrBb,EA3MI,KA2MJ,EAgrBaA,CAhrBb,EA3M0B,KA2M1B,EAgrBaA,CAhrBb,EA1MI,KA0MJ,EAgrBaA,CAhrBb,EA1M0B,KA0M1B,EAgrBaA,CAhrBb,EAzMI,KAyMJ,EAgrBaA,CAhrBb,EAzM0B,KAyM1B,EAgrBaA,CAhrBb,EAxMW,KAwMX,GAgrBaA,CAhrBb,EAvMI,KAuMJ,EAgrBaA,CAhrBb,EAvM0B,KAuM1B,EAgrBaA,CAhrBb,EAtMI,KAsMJ,EAgrBaA,CAhrBb,EAtM0B,KAsM1B,EAgrBaA,CAhrBb,EArMI,KAqMJ,EAgrBaA,CAhrBb,EArM0B,KAqM1B,EAgrBaA,CAhrBb,EApMW,KAoMX,GAgrBaA,CAhrBb,EAnMI,KAmMJ;AAgrBaA,CAhrBb,EAnM0B,KAmM1B,EAgrBaA,CAhrBb,EAlMI,KAkMJ,EAgrBaA,CAhrBb,EAlM0B,KAkM1B,EAgrBaA,CAhrBb,EAjMI,KAiMJ,EAgrBaA,CAhrBb,EAjM0B,KAiM1B,EAgrBaA,CAhrBb,EAhMI,KAgMJ,EAgrBaA,CAhrBb,EAhM0B,KAgM1B,EAgrBaA,CAhrBb,EA/LI,KA+LJ,EAgrBaA,CAhrBb,EA/L0B,KA+L1B,EAgrBaA,CAhrBb,EA9LI,KA8LJ,EAgrBaA,CAhrBb,EA9L0B,KA8L1B,EAgrBaA,CAhrBb,EA7LI,KA6LJ,EAgrBaA,CAhrBb,EA7L0B,KA6L1B,EAgrBaA,CAhrBb,EA5LI,KA4LJ,EAgrBaA,CAhrBb,EA5L0B,KA4L1B,EAgrBaA,CAhrBb,EA3LI,KA2LJ,EAgrBaA,CAhrBb,EA3L0B,KA2L1B,EAgrBaA,CAhrBb,EA1LI,KA0LJ,EAgrBaA,CAhrBb,EA1L0B,KA0L1B,EAgrBaA,CAhrBb,EAzLI,KAyLJ,EAgrBaA,CAhrBb,EAzL0B,KAyL1B,EAgrBaA,CAhrBb,EAxLI,KAwLJ,EAgrBaA,CAhrBb,EAxL0B,KAwL1B,EAgrBaA,CAhrBb,EAvLI,KAuLJ,EAgrBaA,CAhrBb,EAvL0B,KAuL1B,EAgrBaA,CAhrBb,EAtLI,KAsLJ,EAgrBaA,CAhrBb,EAtL0B,KAsL1B,EAgrBaA,CAhrBb,EArLI,KAqLJ,EAgrBaA,CAhrBb,EArL0B,KAqL1B,EAgrBaA,CAhrBb,EApLI,KAoLJ,EAgrBaA,CAhrBb,EApL0B,KAoL1B,EAgrBaA,CAhrBb,EAnLI,KAmLJ,EAgrBaA,CAhrBb,EAnL2B,KAmL3B,EAgrBaA,CAhrBb,EAlLI,KAkLJ,EAgrBaA,CAhrBb,EAlL2B,KAkL3B,EAgrBaA,CAhrBb,EAjLI,KAiLJ,EAgrBaA,CAhrBb,EAjL2B,KAiL3B,EAgrBaA,CAhrBb,EAhLI,KAgLJ,EAgrBaA,CAhrBb,EAhL2B,KAgL3B,EAgrBaA,CAhrBb,EA/KI,KA+KJ,EAgrBaA,CAhrBb,EA/K2B,KA+K3B,EAgrBaA,CAhrBb,EA9KI,KA8KJ,EAgrBaA,CAhrBb,EA9K2B,KA8K3B,EAgrBaA,CAhrBb,EA7KI,KA6KJ,EAgrBaA,CAhrBb,EA7K2B,KA6K3B,EAgrBaA,CAhrBb,EA5KI,KA4KJ,EAgrBaA,CAhrBb,EA5K2B,KA4K3B,EAgrBaA,CAhrBb,EA3KI,KA2KJ,EAgrBaA,CAhrBb,EA3K2B,KA2K3B,EAgrBaA,CAhrBb,EA1KI,KA0KJ,EAgrBaA,CAhrBb;AA1K2B,KA0K3B,EAgrBaA,CAhrBb,EAzKI,KAyKJ,EAgrBaA,CAhrBb,EAzK2B,KAyK3B,EAgrBaA,CAhrBb,EAxKI,KAwKJ,EAgrBaA,CAhrBb,EAxK2B,KAwK3B,EAgrBaA,CAhrBb,EAvKI,KAuKJ,EAgrBaA,CAhrBb,EAvK2B,KAuK3B,EAgrBaA,CAhrBb,EAtKI,KAsKJ,EAgrBaA,CAhrBb,EAtK2B,KAsK3B,EAgrBaA,CAhrBb,EArKI,KAqKJ,EAgrBaA,CAhrBb,EArK2B,KAqK3B,EAgrBaA,CAhrBb,EApKI,KAoKJ,EAgrBaA,CAhrBb,EApK2B,KAoK3B,EAgrBaA,CAhrBb,EAnKI,KAmKJ,EAgrBaA,CAhrBb,EAnK2B,KAmK3B,EAgrBaA,CAhrBb,EAlKI,KAkKJ,EAgrBaA,CAhrBb,EAlK2B,KAkK3B,EAgrBaA,CAhrBb,EAjKI,KAiKJ,EAgrBaA,CAhrBb,EAjK2B,KAiK3B,EAgrBaA,CAhrBb,EAhKI,KAgKJ,EAgrBaA,CAhrBb,EAhK2B,KAgK3B,EAgrBaA,CAhrBb,EA/JI,KA+JJ,EAgrBaA,CAhrBb,EA/J2B,KA+J3B,EAgrBaA,CAhrBb,EA9JI,KA8JJ,EAgrBaA,CAhrBb,EA9J2B,KA8J3B,EAgrBaA,CAhrBb,EA7JI,KA6JJ,EAgrBaA,CAhrBb,EA7J2B,KA6J3B,EAgrBaA,CAhrBb,EA5JI,KA4JJ,EAgrBaA,CAhrBb,EA5J2B,KA4J3B,EAgrBaA,CAhrBb,EA3JW,KA2JX,GAgrBaA,CAhrBb,EA1JI,KA0JJ,EAgrBaA,CAhrBb,EA1J2B,KA0J3B,EAgrBaA,CAhrBb,EAzJI,KAyJJ,EAgrBaA,CAhrBb,EAzJ2B,KAyJ3B,EAgrBaA,CAhrBb,EAxJW,KAwJX,GAgrBaA,CAhrBb,EAvJI,KAuJJ,EAgrBaA,CAhrBb,EAvJ2B,KAuJ3B,EAgrBaA,CAhrBb,EAtJI,KAsJJ,EAgrBaA,CAhrBb,EAtJ2B,KAsJ3B,EAgrBaA,CAhrBb,EArJI,KAqJJ,EAgrBaA,CAhrBb,EArJ2B,KAqJ3B,EAgrBaA,CAhrBb,EApJI,KAoJJ,EAgrBaA,CAhrBb,EApJ2B,KAoJ3B,EAgrBaA,CAhrBb,EAnJI,KAmJJ,EAgrBaA,CAhrBb,EAnJ2B,KAmJ3B,EAgrBaA,CAhrBb,EAlJI,KAkJJ,EAgrBaA,CAhrBb,EAlJ2B,KAkJ3B,EAgrBaA,CAhrBb,EAjJI,KAiJJ,EAgrBaA,CAhrBb,EAjJ2B,KAiJ3B,EAgrBaA,CAhrBb,EAhJI,KAgJJ,EAgrBaA,CAhrBb;AAhJ2B,KAgJ3B,EAgrBaA,CAhrBb,EA/II,KA+IJ,EAgrBaA,CAhrBb,EA/I2B,KA+I3B,EAgrBaA,CAhrBb,EA9IW,KA8IX,GAgrBaA,CAhrBb,EA7II,KA6IJ,EAgrBaA,CAhrBb,EA7I2B,KA6I3B,EAgrBaA,CAhrBb,EA5II,KA4IJ,EAgrBaA,CAhrBb,EA5I2B,KA4I3B,EAgrBaA,CAhrBb,EA3II,KA2IJ,EAgrBaA,CAhrBb,EA3I2B,KA2I3B,EAgrBaA,CAhrBb,EA1II,KA0IJ,EAgrBaA,CAhrBb,EA1I2B,KA0I3B,EAgrBaA,CAhrBb,EAzII,KAyIJ,EAgrBaA,CAhrBb,EAzI2B,KAyI3B,EAgrBaA,CAhrBb,EAxII,KAwIJ,EAgrBaA,CAhrBb,EAxI2B,KAwI3B,EAgrBaA,CAhrBb,EAvII,KAuIJ,EAgrBaA,CAhrBb,EAvI2B,KAuI3B,EAgrBaA,CAhrBb,EAtII,KAsIJ,EAgrBaA,CAhrBb,EAtI2B,KAsI3B,EAgrBaA,CAhrBb,EArII,KAqIJ,EAgrBaA,CAhrBb,EArI2B,KAqI3B,EAgrBaA,CAhrBb,EApII,KAoIJ,EAgrBaA,CAhrBb,EApI2B,KAoI3B,EAgrBaA,CAhrBb,EAnII,KAmIJ,EAgrBaA,CAhrBb,EAnI2B,KAmI3B,EAgrBaA,CAhrBb,EAlII,KAkIJ,EAgrBaA,CAhrBb,EAlI2B,KAkI3B,EAgrBaA,CAhrBb,EAjII,KAiIJ,EAgrBaA,CAhrBb,EAjI2B,KAiI3B,EAgrBaA,CAhrBb,EAhII,KAgIJ,EAgrBaA,CAhrBb,EAhI2B,KAgI3B,EAgrBaA,CAhrBb,EA/HI,KA+HJ,EAgrBaA,CAhrBb,EA/H2B,KA+H3B,EAgrBaA,CAhrBb,EA9HI,KA8HJ,EAgrBaA,CAhrBb,EA9H2B,KA8H3B,EAgrBaA,CAhrBb,EA7HI,KA6HJ,EAgrBaA,CAhrBb,EA7H2B,KA6H3B,EAgrBaA,CAhrBb,EA5HI,KA4HJ,EAgrBaA,CAhrBb,EA5H2B,KA4H3B,EAgrBaA,CAhrBb,EA3HI,KA2HJ,EAgrBaA,CAhrBb,EA3H2B,KA2H3B,EAgrBaA,CAhrBb,EA1HW,KA0HX,GAgrBaA,CAhrBb,EAzHI,KAyHJ,EAgrBaA,CAhrBb,EAzH2B,KAyH3B,EAgrBaA,CAhrBb,EAxHI,KAwHJ,EAgrBaA,CAhrBb,EAxH2B,KAwH3B,EAgrBaA,CAhrBb,EAvHW,KAuHX,GAgrBaA,CAhrBb,EAtHW,KAsHX,GAgrBaA,CAhrBb,EArHI,KAqHJ;AAgrBaA,CAhrBb,EArH2B,KAqH3B,EAgrBaA,CAhrBb,EApHI,KAoHJ,EAgrBaA,CAhrBb,EApH2B,KAoH3B,EAgrBaA,CAhrBb,EAnHI,KAmHJ,EAgrBaA,CAhrBb,EAnH2B,KAmH3B,EAgrBaA,CAhrBb,EAlHW,KAkHX,GAgrBaA,CAhrBb,EAjHI,KAiHJ,EAgrBaA,CAhrBb,EAjH2B,KAiH3B,EAgrBaA,CAhrBb,EAhHI,KAgHJ,EAgrBaA,CAhrBb,EAhH2B,KAgH3B,EAgrBaA,CAhrBb,EA/GI,KA+GJ,EAgrBaA,CAhrBb,EA/G2B,KA+G3B,EAgrBaA,CAhrBb,EA9GI,KA8GJ,EAgrBaA,CAhrBb,EA9G2B,KA8G3B,EAgrBaA,CAhrBb,EA7GI,KA6GJ,EAgrBaA,CAhrBb,EA7G2B,KA6G3B,EAgrBaA,CAhrBb,EA5GI,KA4GJ,EAgrBaA,CAhrBb,EA5G2B,KA4G3B,EAgrBaA,CAhrBb,EA3GI,KA2GJ,EAgrBaA,CAhrBb,EA3G2B,KA2G3B,EAgrBaA,CAhrBb,EA1GI,KA0GJ,EAgrBaA,CAhrBb,EA1G2B,KA0G3B,EAgrBaA,CAhrBb,EAzGI,KAyGJ,EAgrBaA,CAhrBb,EAzG2B,KAyG3B,EAgrBaA,CAhrBb,EAxGI,KAwGJ,EAgrBaA,CAhrBb,EAxG2B,KAwG3B,EAgrBaA,CAhrBb,EAvGW,KAuGX,GAgrBaA,CAhrBb,EAtGW,KAsGX,GAgrBaA,CAhrBb,EArGI,KAqGJ,EAgrBaA,CAhrBb,EArG2B,KAqG3B,EAgrBaA,CAhrBb,EApGI,KAoGJ,EAgrBaA,CAhrBb,EApG2B,KAoG3B,EAgrBaA,CAhrBb,EAnGI,KAmGJ,EAgrBaA,CAhrBb,EAnG2B,KAmG3B,EAgrBaA,CAhrBb,EAlGW,KAkGX,GAgrBaA,CAhrBb,EAjGI,KAiGJ,EAgrBaA,CAhrBb,EAjG2B,KAiG3B,EAgrBaA,CAhrBb,EAhGI,KAgGJ,EAgrBaA,CAhrBb,EAhG2B,KAgG3B,EAgrBaA,CAhrBb,EA/FI,KA+FJ,EAgrBaA,CAhrBb,EA/F2B,KA+F3B,EAgrBaA,CAhrBb,EA9FW,KA8FX,GAgrBaA,CAhrBb,EA7FI,KA6FJ,EAgrBaA,CAhrBb,EA7F2B,KA6F3B,EAgrBaA,CAhrBb,EA5FI,KA4FJ,EAgrBaA,CAhrBb,EA5F2B,KA4F3B,EAgrBaA,CAhrBb,EA3FI,KA2FJ,EAgrBaA,CAhrBb,EA3F2B,KA2F3B,EAgrBaA,CAhrBb,EA1FW,KA0FX,GAgrBaA,CAhrBb,EAzFI,KAyFJ;AAgrBaA,CAhrBb,EAzF2B,KAyF3B,EAgrBaA,CAhrBb,EAxFI,KAwFJ,EAgrBaA,CAhrBb,EAxF2B,KAwF3B,EAgrBaA,CAhrBb,EAvFI,KAuFJ,EAgrBaA,CAhrBb,EAvF2B,KAuF3B,EAgrBaA,CAhrBb,EAtFI,KAsFJ,EAgrBaA,CAhrBb,EAtF2B,KAsF3B,EAgrBaA,CAhrBb,EArFI,KAqFJ,EAgrBaA,CAhrBb,EArF2B,KAqF3B,EAgrBaA,CAhrBb,EApFI,KAoFJ,EAgrBaA,CAhrBb,EApF2B,KAoF3B,EAgrBaA,CAhrBb,EAnFI,KAmFJ,EAgrBaA,CAhrBb,EAnF2B,KAmF3B,EAgrBaA,CAhrBb,EAlFI,KAkFJ,EAgrBaA,CAhrBb,EAlF2B,KAkF3B,EAgrBaA,CAhrBb,EAjFI,KAiFJ,EAgrBaA,CAhrBb,EAjF2B,KAiF3B,EAgrBaA,CAhrBb,EAhFI,KAgFJ,EAgrBaA,CAhrBb,EAhF2B,KAgF3B,EAgrBaA,CAhrBb,EA/EI,KA+EJ,EAgrBaA,CAhrBb,EA/E2B,KA+E3B,EAgrBaA,CAhrBb,EA9EI,KA8EJ,EAgrBaA,CAhrBb,EA9E2B,KA8E3B,EAgrBaA,CAhrBb,EA7EI,KA6EJ,EAgrBaA,CAhrBb,EA7E2B,KA6E3B,EAgrBaA,CAhrBb,EA5EI,KA4EJ,EAgrBaA,CAhrBb,EA5E2B,KA4E3B,EAgrBaA,CAhrBb,EA3EW,KA2EX,GAgrBaA,CAhrBb,EA1EI,KA0EJ,EAgrBaA,CAhrBb,EA1E2B,KA0E3B,EAgrBaA,CAhrBb,EAzEI,MAyEJ,EAgrBaA,CAhrBb,EAzE2B,MAyE3B,EAgrBaA,CAhrBb,EAxEI,MAwEJ,EAgrBaA,CAhrBb,EAxE2B,MAwE3B,EAgrBaA,CAhrBb,EAvEI,MAuEJ,EAgrBaA,CAhrBb,EAvE2B,MAuE3B,EAgrBaA,CAhrBb,EAtEI,MAsEJ,EAgrBaA,CAhrBb,EAtE2B,MAsE3B,EAgrBaA,CAhrBb,EArEI,MAqEJ,EAgrBaA,CAhrBb,EArE2B,MAqE3B,EAgrBaA,CAhrBb,EApEI,MAoEJ,EAgrBaA,CAhrBb,EApE2B,MAoE3B,EAgrBaA,CAhrBb,EAnEI,MAmEJ,EAgrBaA,CAhrBb,EAnE2B,MAmE3B,EAgrBaA,CAhrBb,EAlEI,MAkEJ,EAgrBaA,CAhrBb,EAlE2B,MAkE3B,EAgrBaA,CAhrBb,EAjEW,MAiEX,GAgrBaA,CAhrBb,EAhEI,MAgEJ,EAgrBaA,CAhrBb;AAhE2B,MAgE3B,EAgrBaA,CAhrBb,EA/DI,MA+DJ,EAgrBaA,CAhrBb,EA/D2B,MA+D3B,EAgrBaA,CAhrBb,EA9DI,MA8DJ,EAgrBaA,CAhrBb,EA9D2B,MA8D3B,EAgrBaA,CAhrBb,EA7DW,MA6DX,GAgrBaA,CAhrBb,EA5DI,MA4DJ,EAgrBaA,CAhrBb,EA5D2B,MA4D3B,EAgrBaA,CAhrBb,EA3DI,MA2DJ,EAgrBaA,CAhrBb,EA3D2B,MA2D3B,EAgrBaA,CAhrBb,EA1DI,MA0DJ,EAgrBaA,CAhrBb,EA1D2B,MA0D3B,EAgrBaA,CAhrBb,EAzDI,MAyDJ,EAgrBaA,CAhrBb,EAzD2B,MAyD3B,EAgrBaA,CAhrBb,EAxDI,MAwDJ,EAgrBaA,CAhrBb,EAxD2B,MAwD3B,EAgrBaA,CAhrBb,EAvDI,MAuDJ,EAgrBaA,CAhrBb,EAvD2B,MAuD3B,EAgrBaA,CAhrBb,EAtDI,MAsDJ,EAgrBaA,CAhrBb,EAtD2B,MAsD3B,EAgrBaA,CAhrBb,EArDI,MAqDJ,EAgrBaA,CAhrBb,EArD2B,MAqD3B,EAgrBaA,CAhrBb,EApDW,MAoDX,GAgrBaA,CAhrBb,EAnDI,MAmDJ,EAgrBaA,CAhrBb,EAnD2B,MAmD3B,EAgrBaA,CAhrBb,EAlDI,MAkDJ,EAgrBaA,CAhrBb,EAlD2B,MAkD3B,EAgrBaA,CAhrBb,EAjDI,MAiDJ,EAgrBaA,CAhrBb,EAjD2B,MAiD3B,EAgrBaA,CAhrBb,EAhDI,MAgDJ,EAgrBaA,CAhrBb,EAhD2B,MAgD3B,EAgrBaA,CAhrBb,EA/CI,MA+CJ,EAgrBaA,CAhrBb,EA/C2B,MA+C3B,EAgrBaA,CAhrBb,EA9CI,MA8CJ,EAgrBaA,CAhrBb,EA9C2B,MA8C3B,EAgrBaA,CAhrBb,EA7CI,MA6CJ,EAgrBaA,CAhrBb,EA7C2B,MA6C3B,EAgrBaA,CAhrBb,EA5CI,MA4CJ,EAgrBaA,CAhrBb,EA5C2B,MA4C3B,EAgrBaA,CAhrBb,EA3CI,MA2CJ,EAgrBaA,CAhrBb,EA3C2B,MA2C3B,EAgrBaA,CAhrBb,EA1CI,MA0CJ,EAgrBaA,CAhrBb,EA1C2B,MA0C3B,EAgrBaA,CAhrBb,EAzCI,MAyCJ,EAgrBaA,CAhrBb,EAzC2B,MAyC3B,EAgrBaA,CAhrBb,EAxCI,MAwCJ;AAgrBaA,CAhrBb,EAxC2B,MAwC3B,EAgrBaA,CAhrBb,EAvCI,MAuCJ,EAgrBaA,CAhrBb,EAvC2B,MAuC3B,EAgrBaA,CAhrBb,EAtCI,MAsCJ,EAgrBaA,CAhrBb,EAtC2B,MAsC3B,EAgrBaA,CAhrBb,EArCI,MAqCJ,EAgrBaA,CAhrBb,EArC2B,MAqC3B,EAgrBaA,CAhrBb,EApCI,MAoCJ,EAgrBaA,CAhrBb,EApC2B,MAoC3B,EAgrBaA,CAhrBb,EAnCI,MAmCJ,EAgrBaA,CAhrBb,EAnC2B,MAmC3B,EAgrBaA,CAhrBb,EAlCW,MAkCX,GAgrBaA,CAhrBb,EAjCW,MAiCX,GAgrBaA,CAhrBb,EAhCI,MAgCJ,EAgrBaA,CAhrBb,EAhC2B,MAgC3B,EAgrBaA,CAhrBb,EA/BI,MA+BJ,EAgrBaA,CAhrBb,EA/B2B,MA+B3B,EAgrBaA,CAhrBb,EA9BW,MA8BX,GAgrBaA,CAhrBb,EA7BW,MA6BX,GAgrBaA,CAhrBb,EA5BW,MA4BX,GAgrBaA,CAhrBb,EA3BW,MA2BX,GAgrBaA,CAhrBb,EA1BW,MA0BX,GAgrBaA,CAhrBb,EAzBW,MAyBX,GAgrBaA,CAhrBb,EAxBI,MAwBJ,EAgrBaA,CAhrBb,EAxB2B,MAwB3B,EAgrBaA,CAhrBb,EAvBI,MAuBJ,EAgrBaA,CAhrBb,EAvB2B,MAuB3B,EAgrBaA,CAhrBb,EAtBW,MAsBX,GAgrBaA,CAhrBb,EArBW,MAqBX,GAgrBaA,CAhrBb,EApBW,MAoBX,GAgrBaA,CAhrBb,EAnBW,MAmBX,GAgrBaA,CAhrBb,EAlBW,MAkBX,GAgrBaA,CAhrBb,EAjBW,MAiBX,GAgrBaA,CAhrBb,EAhBI,MAgBJ,EAgrBaA,CAhrBb,EAhB2B,MAgB3B,EAgrBaA,CAhrBb,EAfW,MAeX,GAgrBaA,CAhrBb,EAdI,MAcJ,EAgrBaA,CAhrBb,EAd2B,MAc3B,EAgrBaA,CAhrBb,EAbI,MAaJ,EAgrBaA,CAhrBb,EAb2B,MAa3B,EAgrBaA,CAhrBb,EAZI,MAYJ,EAgrBaA,CAhrBb,EAZ2B,MAY3B,EAgrBaA,CAhrBb,EAXI,MAWJ,EAgrBaA,CAhrBb,EAX2B,MAW3B,EAgrBaA,CAhrBb;AAVW,MAUX,GAgrBaA,CAhrBb,EATI,MASJ,EAgrBaA,CAhrBb,EAT2B,MAS3B,EAgrBaA,CAhrBb,EARI,MAQJ,EAgrBaA,CAhrBb,EAR2B,MAQ3B,EAgrBaA,CAhrBb,EAPI,MAOJ,EAgrBaA,CAhrBb,EAP2B,MAO3B,EAgrBaA,CAhrBb,EANI,MAMJ,EAgrBaA,CAhrBb,EAN2B,MAM3B,EAgrBaA,CAhrBb,EALI,MAKJ,EAgrBaA,CAhrBb,EAL2B,MAK3B,EAgrBaA,CAhrBb,EAJI,MAIJ,EAgrBaA,CAhrBb,EAJ2B,MAI3B,EAgrBaA,CAhrBb,EAHI,MAGJ,EAgrBaA,CAhrBb,EAH2B,MAG3B,EAgrBaA,CAhrBb,EAFI,MAEJ,EAgrBaA,CAhrBb,EAF2B,MAE3B,EAgrBaA,CAhrBb,EADI,MACJ,EAgrBaA,CAhrBb,EAD2B,MAC3B,EAgrBaA,CAhrBb,EAAI,MAAJ,EAgrBaA,CAhrBb,EAA2B,MAA3B,EAgrBaA,CAhrBb,CAA2C,CAAA,CAA3C,CACO,CAAA,CA6qBP,CADsC,CAMxCC,QAASA,EAAyB,CAACF,CAAD,CAAKC,CAAL,CAAS,CACzC,MAAc,GAAd,GAAOD,CAAP,EACc,GADd,GACOA,CADP,EAEc,IAFd,GAEOC,CAFP,EAGc,IAHd,GAGOA,CAHP,GAhrBI,EA0oBJ,EA0CaA,CA1Cb,EA1oB0B,EA0oB1B,EA0CaA,CA1Cb,EAzoBI,EAyoBJ,EA0CaA,CA1Cb,EAzoB0B,EAyoB1B,EA0CaA,CA1Cb,EAxoBW,EAwoBX,GA0CaA,CA1Cb,EAvoBI,EAuoBJ,EA0CaA,CA1Cb,EAvoB0B,GAuoB1B,EA0CaA,CA1Cb,EAtoBW,GAsoBX,GA0CaA,CA1Cb,EAroBW,GAqoBX,GA0CaA,CA1Cb,EApoBW,GAooBX,GA0CaA,CA1Cb,EAnoBW,GAmoBX,GA0CaA,CA1Cb,EAloBI,GAkoBJ,EA0CaA,CA1Cb,EAloB0B,GAkoB1B,EA0CaA,CA1Cb,EAjoBI,GAioBJ,EA0CaA,CA1Cb,EAjoB0B,GAioB1B,EA0CaA,CA1Cb,EAhoBI,GAgoBJ,EA0CaA,CA1Cb,EAhoB0B,GAgoB1B,EA0CaA,CA1Cb,EA/nBI,GA+nBJ,EA0CaA,CA1Cb,EA/nB0B,GA+nB1B,EA0CaA,CA1Cb,EA9nBI,GA8nBJ,EA0CaA,CA1Cb,EA9nB0B,GA8nB1B,EA0CaA,CA1Cb,EA7nBW,GA6nBX,GA0CaA,CA1Cb,EA5nBW,GA4nBX,GA0CaA,CA1Cb,EA3nBI,GA2nBJ,EA0CaA,CA1Cb,EA3nB0B,GA2nB1B,EA0CaA,CA1Cb,EA1nBI,GA0nBJ;AA0CaA,CA1Cb,EA1nB0B,GA0nB1B,EA0CaA,CA1Cb,EAznBI,GAynBJ,EA0CaA,CA1Cb,EAznB0B,GAynB1B,EA0CaA,CA1Cb,EAxnBW,GAwnBX,GA0CaA,CA1Cb,EAvnBI,GAunBJ,EA0CaA,CA1Cb,EAvnB0B,GAunB1B,EA0CaA,CA1Cb,EAtnBW,GAsnBX,GA0CaA,CA1Cb,EArnBI,GAqnBJ,EA0CaA,CA1Cb,EArnB0B,GAqnB1B,EA0CaA,CA1Cb,EApnBI,GAonBJ,EA0CaA,CA1Cb,EApnB0B,IAonB1B,EA0CaA,CA1Cb,EAnnBI,IAmnBJ,EA0CaA,CA1Cb,EAnnB0B,IAmnB1B,EA0CaA,CA1Cb,EAlnBI,IAknBJ,EA0CaA,CA1Cb,EAlnB0B,IAknB1B,EA0CaA,CA1Cb,EAjnBI,IAinBJ,EA0CaA,CA1Cb,EAjnB0B,IAinB1B,EA0CaA,CA1Cb,EAhnBI,IAgnBJ,EA0CaA,CA1Cb,EAhnB0B,IAgnB1B,EA0CaA,CA1Cb,EA/mBW,IA+mBX,GA0CaA,CA1Cb,EA9mBI,IA8mBJ,EA0CaA,CA1Cb,EA9mB0B,IA8mB1B,EA0CaA,CA1Cb,EA7mBI,IA6mBJ,EA0CaA,CA1Cb,EA7mB0B,IA6mB1B,EA0CaA,CA1Cb,EA5mBW,IA4mBX,GA0CaA,CA1Cb,EA3mBI,IA2mBJ,EA0CaA,CA1Cb,EA3mB0B,IA2mB1B,EA0CaA,CA1Cb,EA1mBI,IA0mBJ,EA0CaA,CA1Cb,EA1mB0B,IA0mB1B,EA0CaA,CA1Cb,EAzmBW,IAymBX,GA0CaA,CA1Cb,EAxmBI,IAwmBJ,EA0CaA,CA1Cb,EAxmB0B,IAwmB1B,EA0CaA,CA1Cb,EAvmBI,IAumBJ,EA0CaA,CA1Cb,EAvmB0B,IAumB1B,EA0CaA,CA1Cb,EAtmBI,IAsmBJ,EA0CaA,CA1Cb,EAtmB0B,IAsmB1B,EA0CaA,CA1Cb,EArmBI,IAqmBJ,EA0CaA,CA1Cb,EArmB0B,IAqmB1B,EA0CaA,CA1Cb,EApmBI,IAomBJ,EA0CaA,CA1Cb,EApmB0B,IAomB1B,EA0CaA,CA1Cb,EAnmBI,IAmmBJ,EA0CaA,CA1Cb,EAnmB0B,IAmmB1B,EA0CaA,CA1Cb,EAlmBI,IAkmBJ,EA0CaA,CA1Cb,EAlmB0B,IAkmB1B,EA0CaA,CA1Cb,EAjmBI,IAimBJ,EA0CaA,CA1Cb,EAjmB0B,IAimB1B,EA0CaA,CA1Cb,EAhmBW,IAgmBX,GA0CaA,CA1Cb,EA/lBI,IA+lBJ,EA0CaA,CA1Cb,EA/lB0B,IA+lB1B,EA0CaA,CA1Cb,EA9lBI,IA8lBJ,EA0CaA,CA1Cb,EA9lB0B,IA8lB1B,EA0CaA,CA1Cb,EA7lBI,IA6lBJ,EA0CaA,CA1Cb,EA7lB0B,IA6lB1B,EA0CaA,CA1Cb,EA5lBW,IA4lBX,GA0CaA,CA1Cb,EA3lBI,IA2lBJ,EA0CaA,CA1Cb,EA3lB0B,IA2lB1B;AA0CaA,CA1Cb,EA1lBI,IA0lBJ,EA0CaA,CA1Cb,EA1lB0B,IA0lB1B,EA0CaA,CA1Cb,EAzlBI,IAylBJ,EA0CaA,CA1Cb,EAzlB0B,IAylB1B,EA0CaA,CA1Cb,EAxlBI,IAwlBJ,EA0CaA,CA1Cb,EAxlB0B,IAwlB1B,EA0CaA,CA1Cb,EAvlBI,IAulBJ,EA0CaA,CA1Cb,EAvlB0B,IAulB1B,EA0CaA,CA1Cb,EAtlBI,IAslBJ,EA0CaA,CA1Cb,EAtlB0B,IAslB1B,EA0CaA,CA1Cb,EArlBI,IAqlBJ,EA0CaA,CA1Cb,EArlB0B,IAqlB1B,EA0CaA,CA1Cb,EAplBI,IAolBJ,EA0CaA,CA1Cb,EAplB0B,IAolB1B,EA0CaA,CA1Cb,EAnlBI,IAmlBJ,EA0CaA,CA1Cb,EAnlB0B,IAmlB1B,EA0CaA,CA1Cb,EAllBI,IAklBJ,EA0CaA,CA1Cb,EAllB0B,IAklB1B,EA0CaA,CA1Cb,EAjlBW,IAilBX,GA0CaA,CA1Cb,EAhlBI,IAglBJ,EA0CaA,CA1Cb,EAhlB0B,IAglB1B,EA0CaA,CA1Cb,EA/kBI,IA+kBJ,EA0CaA,CA1Cb,EA/kB0B,IA+kB1B,EA0CaA,CA1Cb,EA9kBI,IA8kBJ,EA0CaA,CA1Cb,EA9kB0B,IA8kB1B,EA0CaA,CA1Cb,EA7kBI,IA6kBJ,EA0CaA,CA1Cb,EA7kB0B,IA6kB1B,EA0CaA,CA1Cb,EA5kBW,IA4kBX,GA0CaA,CA1Cb,EA3kBI,IA2kBJ,EA0CaA,CA1Cb,EA3kB0B,IA2kB1B,EA0CaA,CA1Cb,EA1kBI,IA0kBJ,EA0CaA,CA1Cb,EA1kB0B,IA0kB1B,EA0CaA,CA1Cb,EAzkBI,IAykBJ,EA0CaA,CA1Cb,EAzkB0B,IAykB1B,EA0CaA,CA1Cb,EAxkBI,IAwkBJ,EA0CaA,CA1Cb,EAxkB0B,IAwkB1B,EA0CaA,CA1Cb,EAvkBI,IAukBJ,EA0CaA,CA1Cb,EAvkB0B,IAukB1B,EA0CaA,CA1Cb,EAtkBI,IAskBJ,EA0CaA,CA1Cb,EAtkB0B,IAskB1B,EA0CaA,CA1Cb,EArkBI,IAqkBJ,EA0CaA,CA1Cb,EArkB0B,IAqkB1B,EA0CaA,CA1Cb,EApkBI,IAokBJ,EA0CaA,CA1Cb,EApkB0B,IAokB1B,EA0CaA,CA1Cb,EAnkBI,IAmkBJ,EA0CaA,CA1Cb,EAnkB0B,IAmkB1B,EA0CaA,CA1Cb,EAlkBI,IAkkBJ,EA0CaA,CA1Cb,EAlkB0B,IAkkB1B,EA0CaA,CA1Cb,EAjkBI,IAikBJ,EA0CaA,CA1Cb,EAjkB0B,IAikB1B,EA0CaA,CA1Cb,EAhkBW,IAgkBX,GA0CaA,CA1Cb,EA/jBI,IA+jBJ,EA0CaA,CA1Cb,EA/jB0B,IA+jB1B,EA0CaA,CA1Cb,EA9jBI,IA8jBJ,EA0CaA,CA1Cb,EA9jB0B,IA8jB1B,EA0CaA,CA1Cb;AA7jBI,IA6jBJ,EA0CaA,CA1Cb,EA7jB0B,IA6jB1B,EA0CaA,CA1Cb,EA5jBW,IA4jBX,GA0CaA,CA1Cb,EA3jBI,IA2jBJ,EA0CaA,CA1Cb,EA3jB0B,IA2jB1B,EA0CaA,CA1Cb,EA1jBW,IA0jBX,GA0CaA,CA1Cb,EAzjBI,IAyjBJ,EA0CaA,CA1Cb,EAzjB0B,IAyjB1B,EA0CaA,CA1Cb,EAxjBI,IAwjBJ,EA0CaA,CA1Cb,EAxjB0B,IAwjB1B,EA0CaA,CA1Cb,EAvjBI,IAujBJ,EA0CaA,CA1Cb,EAvjB0B,IAujB1B,EA0CaA,CA1Cb,EAtjBI,IAsjBJ,EA0CaA,CA1Cb,EAtjB0B,IAsjB1B,EA0CaA,CA1Cb,EArjBI,IAqjBJ,EA0CaA,CA1Cb,EArjB0B,IAqjB1B,EA0CaA,CA1Cb,EApjBI,IAojBJ,EA0CaA,CA1Cb,EApjB0B,IAojB1B,EA0CaA,CA1Cb,EAnjBI,IAmjBJ,EA0CaA,CA1Cb,EAnjB0B,IAmjB1B,EA0CaA,CA1Cb,EAljBI,IAkjBJ,EA0CaA,CA1Cb,EAljB0B,IAkjB1B,EA0CaA,CA1Cb,EAjjBI,IAijBJ,EA0CaA,CA1Cb,EAjjB0B,IAijB1B,EA0CaA,CA1Cb,EAhjBI,IAgjBJ,EA0CaA,CA1Cb,EAhjB0B,IAgjB1B,EA0CaA,CA1Cb,EA/iBI,IA+iBJ,EA0CaA,CA1Cb,EA/iB0B,IA+iB1B,EA0CaA,CA1Cb,EA9iBW,IA8iBX,GA0CaA,CA1Cb,EA7iBI,IA6iBJ,EA0CaA,CA1Cb,EA7iB0B,IA6iB1B,EA0CaA,CA1Cb,EA5iBI,IA4iBJ,EA0CaA,CA1Cb,EA5iB0B,IA4iB1B,EA0CaA,CA1Cb,EA3iBW,IA2iBX,GA0CaA,CA1Cb,EA1iBI,IA0iBJ,EA0CaA,CA1Cb,EA1iB0B,IA0iB1B,EA0CaA,CA1Cb,EAziBI,IAyiBJ,EA0CaA,CA1Cb,EAziB0B,IAyiB1B,EA0CaA,CA1Cb,EAxiBI,IAwiBJ,EA0CaA,CA1Cb,EAxiB0B,IAwiB1B,EA0CaA,CA1Cb,EAviBI,IAuiBJ,EA0CaA,CA1Cb,EAviB0B,IAuiB1B,EA0CaA,CA1Cb,EAtiBI,IAsiBJ,EA0CaA,CA1Cb,EAtiB0B,IAsiB1B,EA0CaA,CA1Cb,EAriBI,IAqiBJ,EA0CaA,CA1Cb,EAriB0B,IAqiB1B,EA0CaA,CA1Cb,EApiBI,IAoiBJ,EA0CaA,CA1Cb,EApiB0B,IAoiB1B,EA0CaA,CA1Cb,EAniBI,IAmiBJ,EA0CaA,CA1Cb,EAniB0B,IAmiB1B,EA0CaA,CA1Cb,EAliBI,IAkiBJ,EA0CaA,CA1Cb,EAliB0B,IAkiB1B,EA0CaA,CA1Cb,EAjiBI,IAiiBJ,EA0CaA,CA1Cb,EAjiB0B,IAiiB1B,EA0CaA,CA1Cb,EAhiBI,IAgiBJ,EA0CaA,CA1Cb,EAhiB0B,IAgiB1B;AA0CaA,CA1Cb,EA/hBI,IA+hBJ,EA0CaA,CA1Cb,EA/hB0B,IA+hB1B,EA0CaA,CA1Cb,EA9hBI,IA8hBJ,EA0CaA,CA1Cb,EA9hB0B,IA8hB1B,EA0CaA,CA1Cb,EA7hBI,IA6hBJ,EA0CaA,CA1Cb,EA7hB0B,IA6hB1B,EA0CaA,CA1Cb,EA5hBW,IA4hBX,GA0CaA,CA1Cb,EA3hBI,IA2hBJ,EA0CaA,CA1Cb,EA3hB0B,IA2hB1B,EA0CaA,CA1Cb,EA1hBI,IA0hBJ,EA0CaA,CA1Cb,EA1hB0B,IA0hB1B,EA0CaA,CA1Cb,EAzhBI,IAyhBJ,EA0CaA,CA1Cb,EAzhB0B,IAyhB1B,EA0CaA,CA1Cb,EAxhBI,IAwhBJ,EA0CaA,CA1Cb,EAxhB0B,IAwhB1B,EA0CaA,CA1Cb,EAvhBI,IAuhBJ,EA0CaA,CA1Cb,EAvhB0B,IAuhB1B,EA0CaA,CA1Cb,EAthBW,IAshBX,GA0CaA,CA1Cb,EArhBI,IAqhBJ,EA0CaA,CA1Cb,EArhB0B,IAqhB1B,EA0CaA,CA1Cb,EAphBI,IAohBJ,EA0CaA,CA1Cb,EAphB0B,IAohB1B,EA0CaA,CA1Cb,EAnhBI,IAmhBJ,EA0CaA,CA1Cb,EAnhB0B,IAmhB1B,EA0CaA,CA1Cb,EAlhBI,IAkhBJ,EA0CaA,CA1Cb,EAlhB0B,IAkhB1B,EA0CaA,CA1Cb,EAjhBI,IAihBJ,EA0CaA,CA1Cb,EAjhB0B,IAihB1B,EA0CaA,CA1Cb,EAhhBI,IAghBJ,EA0CaA,CA1Cb,EAhhB0B,IAghB1B,EA0CaA,CA1Cb,EA/gBI,IA+gBJ,EA0CaA,CA1Cb,EA/gB0B,IA+gB1B,EA0CaA,CA1Cb,EA9gBW,IA8gBX,GA0CaA,CA1Cb,EA7gBW,IA6gBX,GA0CaA,CA1Cb,EA5gBI,IA4gBJ,EA0CaA,CA1Cb,EA5gB0B,IA4gB1B,EA0CaA,CA1Cb,EA3gBI,IA2gBJ,EA0CaA,CA1Cb,EA3gB0B,IA2gB1B,EA0CaA,CA1Cb,EA1gBI,IA0gBJ,EA0CaA,CA1Cb,EA1gB0B,IA0gB1B,EA0CaA,CA1Cb,EAzgBI,IAygBJ,EA0CaA,CA1Cb,EAzgB0B,IAygB1B,EA0CaA,CA1Cb,EAxgBI,IAwgBJ,EA0CaA,CA1Cb,EAxgB0B,IAwgB1B,EA0CaA,CA1Cb,EAvgBI,IAugBJ,EA0CaA,CA1Cb,EAvgB0B,IAugB1B,EA0CaA,CA1Cb,EAtgBI,IAsgBJ,EA0CaA,CA1Cb,EAtgB0B,IAsgB1B,EA0CaA,CA1Cb,EArgBI,IAqgBJ,EA0CaA,CA1Cb,EArgB0B,IAqgB1B,EA0CaA,CA1Cb,EApgBI,IAogBJ,EA0CaA,CA1Cb,EApgB0B,IAogB1B,EA0CaA,CA1Cb,EAngBI,IAmgBJ,EA0CaA,CA1Cb,EAngB0B,IAmgB1B,EA0CaA,CA1Cb,EAlgBI,IAkgBJ,EA0CaA,CA1Cb;AAlgB0B,IAkgB1B,EA0CaA,CA1Cb,EAjgBI,IAigBJ,EA0CaA,CA1Cb,EAjgB0B,IAigB1B,EA0CaA,CA1Cb,EAhgBI,IAggBJ,EA0CaA,CA1Cb,EAhgB0B,IAggB1B,EA0CaA,CA1Cb,EA/fI,IA+fJ,EA0CaA,CA1Cb,EA/f0B,IA+f1B,EA0CaA,CA1Cb,EA9fI,IA8fJ,EA0CaA,CA1Cb,EA9f0B,IA8f1B,EA0CaA,CA1Cb,EA7fI,IA6fJ,EA0CaA,CA1Cb,EA7f0B,IA6f1B,EA0CaA,CA1Cb,EA5fI,IA4fJ,EA0CaA,CA1Cb,EA5f0B,IA4f1B,EA0CaA,CA1Cb,EA3fI,IA2fJ,EA0CaA,CA1Cb,EA3f0B,IA2f1B,EA0CaA,CA1Cb,EA1fI,IA0fJ,EA0CaA,CA1Cb,EA1f0B,IA0f1B,EA0CaA,CA1Cb,EAzfI,IAyfJ,EA0CaA,CA1Cb,EAzf0B,IAyf1B,EA0CaA,CA1Cb,EAxfI,IAwfJ,EA0CaA,CA1Cb,EAxf0B,IAwf1B,EA0CaA,CA1Cb,EAvfI,IAufJ,EA0CaA,CA1Cb,EAvf0B,IAuf1B,EA0CaA,CA1Cb,EAtfI,IAsfJ,EA0CaA,CA1Cb,EAtf0B,IAsf1B,EA0CaA,CA1Cb,EArfW,IAqfX,GA0CaA,CA1Cb,EApfI,IAofJ,EA0CaA,CA1Cb,EApf0B,IAof1B,EA0CaA,CA1Cb,EAnfI,IAmfJ,EA0CaA,CA1Cb,EAnf0B,IAmf1B,EA0CaA,CA1Cb,EAlfI,IAkfJ,EA0CaA,CA1Cb,EAlf0B,IAkf1B,EA0CaA,CA1Cb,EAjfI,IAifJ,EA0CaA,CA1Cb,EAjf0B,IAif1B,EA0CaA,CA1Cb,EAhfI,IAgfJ,EA0CaA,CA1Cb,EAhf0B,IAgf1B,EA0CaA,CA1Cb,EA/eI,IA+eJ,EA0CaA,CA1Cb,EA/e0B,IA+e1B,EA0CaA,CA1Cb,EA9eI,IA8eJ,EA0CaA,CA1Cb,EA9e0B,IA8e1B,EA0CaA,CA1Cb,EA7eI,IA6eJ,EA0CaA,CA1Cb,EA7e0B,IA6e1B,EA0CaA,CA1Cb,EA5eI,IA4eJ,EA0CaA,CA1Cb,EA5e0B,IA4e1B,EA0CaA,CA1Cb,EA3eI,IA2eJ,EA0CaA,CA1Cb,EA3e0B,IA2e1B,EA0CaA,CA1Cb,EA1eW,IA0eX,GA0CaA,CA1Cb,EAzeI,IAyeJ,EA0CaA,CA1Cb,EAze0B,IAye1B,EA0CaA,CA1Cb,EAxeI,IAweJ,EA0CaA,CA1Cb,EAxe0B,IAwe1B,EA0CaA,CA1Cb,EAveI,IAueJ,EA0CaA,CA1Cb,EAve0B,IAue1B,EA0CaA,CA1Cb,EAteI,IAseJ,EA0CaA,CA1Cb,EAte0B,IAse1B,EA0CaA,CA1Cb,EAreI,IAqeJ;AA0CaA,CA1Cb,EAre0B,IAqe1B,EA0CaA,CA1Cb,EApeI,IAoeJ,EA0CaA,CA1Cb,EApe0B,IAoe1B,EA0CaA,CA1Cb,EAneI,IAmeJ,EA0CaA,CA1Cb,EAne0B,IAme1B,EA0CaA,CA1Cb,EAleW,IAkeX,GA0CaA,CA1Cb,EAjeI,IAieJ,EA0CaA,CA1Cb,EAje0B,IAie1B,EA0CaA,CA1Cb,EAheW,IAgeX,GA0CaA,CA1Cb,EA/dI,IA+dJ,EA0CaA,CA1Cb,EA/d0B,IA+d1B,EA0CaA,CA1Cb,EA9dW,IA8dX,GA0CaA,CA1Cb,EA7dI,IA6dJ,EA0CaA,CA1Cb,EA7d0B,IA6d1B,EA0CaA,CA1Cb,EA5dI,IA4dJ,EA0CaA,CA1Cb,EA5d0B,IA4d1B,EA0CaA,CA1Cb,EA3dI,IA2dJ,EA0CaA,CA1Cb,EA3d0B,IA2d1B,EA0CaA,CA1Cb,EA1dI,IA0dJ,EA0CaA,CA1Cb,EA1d0B,IA0d1B,EA0CaA,CA1Cb,EAzdI,IAydJ,EA0CaA,CA1Cb,EAzd0B,IAyd1B,EA0CaA,CA1Cb,EAxdI,IAwdJ,EA0CaA,CA1Cb,EAxd0B,IAwd1B,EA0CaA,CA1Cb,EAvdI,IAudJ,EA0CaA,CA1Cb,EAvd0B,IAud1B,EA0CaA,CA1Cb,EAtdW,IAsdX,GA0CaA,CA1Cb,EArdI,IAqdJ,EA0CaA,CA1Cb,EArd0B,IAqd1B,EA0CaA,CA1Cb,EApdW,IAodX,GA0CaA,CA1Cb,EAndW,IAmdX,GA0CaA,CA1Cb,EAldI,IAkdJ,EA0CaA,CA1Cb,EAld0B,IAkd1B,EA0CaA,CA1Cb,EAjdI,IAidJ,EA0CaA,CA1Cb,EAjd0B,IAid1B,EA0CaA,CA1Cb,EAhdI,IAgdJ,EA0CaA,CA1Cb,EAhd0B,IAgd1B,EA0CaA,CA1Cb,EA/cW,IA+cX,GA0CaA,CA1Cb,EA9cW,IA8cX,GA0CaA,CA1Cb,EA7cI,IA6cJ,EA0CaA,CA1Cb,EA7c0B,IA6c1B,EA0CaA,CA1Cb,EA5cI,IA4cJ,EA0CaA,CA1Cb,EA5c0B,IA4c1B,EA0CaA,CA1Cb,EA3cI,IA2cJ,EA0CaA,CA1Cb,EA3c0B,IA2c1B,EA0CaA,CA1Cb,EA1cI,IA0cJ,EA0CaA,CA1Cb,EA1c0B,IA0c1B,EA0CaA,CA1Cb,EAzcW,IAycX,GA0CaA,CA1Cb,EAxcI,IAwcJ,EA0CaA,CA1Cb,EAxc0B,IAwc1B,EA0CaA,CA1Cb,EAvcI,IAucJ,EA0CaA,CA1Cb,EAvc0B,IAuc1B,EA0CaA,CA1Cb,EAtcI,IAscJ,EA0CaA,CA1Cb,EAtc0B,IAsc1B,EA0CaA,CA1Cb,EArcW,IAqcX;AA0CaA,CA1Cb,EApcI,IAocJ,EA0CaA,CA1Cb,EApc0B,IAoc1B,EA0CaA,CA1Cb,EAncI,IAmcJ,EA0CaA,CA1Cb,EAnc0B,IAmc1B,EA0CaA,CA1Cb,EAlcW,IAkcX,GA0CaA,CA1Cb,EAjcW,IAicX,GA0CaA,CA1Cb,EAhcW,IAgcX,GA0CaA,CA1Cb,EA/bI,IA+bJ,EA0CaA,CA1Cb,EA/b0B,IA+b1B,EA0CaA,CA1Cb,EA9bI,IA8bJ,EA0CaA,CA1Cb,EA9b0B,IA8b1B,EA0CaA,CA1Cb,EA7bI,IA6bJ,EA0CaA,CA1Cb,EA7b0B,IA6b1B,EA0CaA,CA1Cb,EA5bI,IA4bJ,EA0CaA,CA1Cb,EA5b0B,IA4b1B,EA0CaA,CA1Cb,EA3bI,IA2bJ,EA0CaA,CA1Cb,EA3b0B,IA2b1B,EA0CaA,CA1Cb,EA1bW,IA0bX,GA0CaA,CA1Cb,EAzbI,IAybJ,EA0CaA,CA1Cb,EAzb0B,IAyb1B,EA0CaA,CA1Cb,EAxbI,IAwbJ,EA0CaA,CA1Cb,EAxb0B,IAwb1B,EA0CaA,CA1Cb,EAvbI,IAubJ,EA0CaA,CA1Cb,EAvb0B,IAub1B,EA0CaA,CA1Cb,EAtbW,IAsbX,GA0CaA,CA1Cb,EArbW,IAqbX,GA0CaA,CA1Cb,EApbI,IAobJ,EA0CaA,CA1Cb,EApb0B,IAob1B,EA0CaA,CA1Cb,EAnbI,IAmbJ,EA0CaA,CA1Cb,EAnb0B,IAmb1B,EA0CaA,CA1Cb,EAlbI,IAkbJ,EA0CaA,CA1Cb,EAlb0B,IAkb1B,EA0CaA,CA1Cb,EAjbI,IAibJ,EA0CaA,CA1Cb,EAjb0B,IAib1B,EA0CaA,CA1Cb,EAhbW,IAgbX,GA0CaA,CA1Cb,EA/aI,IA+aJ,EA0CaA,CA1Cb,EA/a0B,IA+a1B,EA0CaA,CA1Cb,EA9aI,IA8aJ,EA0CaA,CA1Cb,EA9a0B,IA8a1B,EA0CaA,CA1Cb,EA7aI,IA6aJ,EA0CaA,CA1Cb,EA7a0B,IA6a1B,EA0CaA,CA1Cb,EA5aI,IA4aJ,EA0CaA,CA1Cb,EA5a0B,IA4a1B,EA0CaA,CA1Cb,EA3aI,IA2aJ,EA0CaA,CA1Cb,EA3a0B,IA2a1B,EA0CaA,CA1Cb,EA1aI,IA0aJ,EA0CaA,CA1Cb,EA1a0B,IA0a1B,EA0CaA,CA1Cb,EAzaW,IAyaX,GA0CaA,CA1Cb,EAxaI,IAwaJ,EA0CaA,CA1Cb,EAxa0B,IAwa1B,EA0CaA,CA1Cb,EAvaI,IAuaJ,EA0CaA,CA1Cb,EAva0B,IAua1B,EA0CaA,CA1Cb,EAtaI,IAsaJ,EA0CaA,CA1Cb,EAta0B,IAsa1B,EA0CaA,CA1Cb,EAraI,IAqaJ;AA0CaA,CA1Cb,EAra0B,IAqa1B,EA0CaA,CA1Cb,EApaI,IAoaJ,EA0CaA,CA1Cb,EApa0B,IAoa1B,EA0CaA,CA1Cb,EAnaI,IAmaJ,EA0CaA,CA1Cb,EAna0B,IAma1B,EA0CaA,CA1Cb,EAlaI,IAkaJ,EA0CaA,CA1Cb,EAla0B,IAka1B,EA0CaA,CA1Cb,EAjaI,IAiaJ,EA0CaA,CA1Cb,EAja0B,IAia1B,EA0CaA,CA1Cb,EAhaI,IAgaJ,EA0CaA,CA1Cb,EAha0B,IAga1B,EA0CaA,CA1Cb,EA/ZI,IA+ZJ,EA0CaA,CA1Cb,EA/Z0B,IA+Z1B,EA0CaA,CA1Cb,EA9ZI,IA8ZJ,EA0CaA,CA1Cb,EA9Z0B,IA8Z1B,EA0CaA,CA1Cb,EA7ZI,IA6ZJ,EA0CaA,CA1Cb,EA7Z0B,IA6Z1B,EA0CaA,CA1Cb,EA5ZI,IA4ZJ,EA0CaA,CA1Cb,EA5Z0B,IA4Z1B,EA0CaA,CA1Cb,EA3ZI,IA2ZJ,EA0CaA,CA1Cb,EA3Z0B,IA2Z1B,EA0CaA,CA1Cb,EA1ZI,IA0ZJ,EA0CaA,CA1Cb,EA1Z0B,IA0Z1B,EA0CaA,CA1Cb,EAzZI,IAyZJ,EA0CaA,CA1Cb,EAzZ0B,IAyZ1B,EA0CaA,CA1Cb,EAxZI,IAwZJ,EA0CaA,CA1Cb,EAxZ0B,IAwZ1B,EA0CaA,CA1Cb,EAvZI,IAuZJ,EA0CaA,CA1Cb,EAvZ0B,IAuZ1B,EA0CaA,CA1Cb,EAtZI,IAsZJ,EA0CaA,CA1Cb,EAtZ0B,IAsZ1B,EA0CaA,CA1Cb,EArZI,IAqZJ,EA0CaA,CA1Cb,EArZ0B,IAqZ1B,EA0CaA,CA1Cb,EApZI,IAoZJ,EA0CaA,CA1Cb,EApZ0B,GAoZ1B,EA0CaA,CA1Cb,EAnZI,IAmZJ,EA0CaA,CA1Cb,EAnZ0B,IAmZ1B,EA0CaA,CA1Cb,EAlZI,IAkZJ,EA0CaA,CA1Cb,EAlZ0B,IAkZ1B,EA0CaA,CA1Cb,EAjZW,IAiZX,GA0CaA,CA1Cb,EAhZI,IAgZJ,EA0CaA,CA1Cb,EAhZ0B,IAgZ1B,EA0CaA,CA1Cb,EA/YI,IA+YJ,EA0CaA,CA1Cb,EA/Y0B,IA+Y1B,EA0CaA,CA1Cb,EA9YI,IA8YJ,EA0CaA,CA1Cb,EA9Y0B,IA8Y1B,EA0CaA,CA1Cb,EA7YI,IA6YJ,EA0CaA,CA1Cb,EA7Y0B,IA6Y1B,EA0CaA,CA1Cb,EA5YI,IA4YJ,EA0CaA,CA1Cb,EA5Y0B,IA4Y1B,EA0CaA,CA1Cb,EA3YI,IA2YJ,EA0CaA,CA1Cb,EA3Y0B,IA2Y1B,EA0CaA,CA1Cb,EA1YI,IA0YJ,EA0CaA,CA1Cb,EA1Y0B,IA0Y1B,EA0CaA,CA1Cb,EAzYI,IAyYJ,EA0CaA,CA1Cb,EAzY0B,IAyY1B;AA0CaA,CA1Cb,EAxYI,IAwYJ,EA0CaA,CA1Cb,EAxY0B,IAwY1B,EA0CaA,CA1Cb,EAvYI,IAuYJ,EA0CaA,CA1Cb,EAvY0B,IAuY1B,EA0CaA,CA1Cb,EAtYI,IAsYJ,EA0CaA,CA1Cb,EAtY0B,IAsY1B,EA0CaA,CA1Cb,EArYI,IAqYJ,EA0CaA,CA1Cb,EArY0B,IAqY1B,EA0CaA,CA1Cb,EApYI,IAoYJ,EA0CaA,CA1Cb,EApY0B,IAoY1B,EA0CaA,CA1Cb,EAnYI,IAmYJ,EA0CaA,CA1Cb,EAnY0B,IAmY1B,EA0CaA,CA1Cb,EAlYI,IAkYJ,EA0CaA,CA1Cb,EAlY0B,IAkY1B,EA0CaA,CA1Cb,EAjYI,IAiYJ,EA0CaA,CA1Cb,EAjY0B,IAiY1B,EA0CaA,CA1Cb,EAhYI,IAgYJ,EA0CaA,CA1Cb,EAhY0B,IAgY1B,EA0CaA,CA1Cb,EA/XI,IA+XJ,EA0CaA,CA1Cb,EA/X0B,IA+X1B,EA0CaA,CA1Cb,EA9XI,IA8XJ,EA0CaA,CA1Cb,EA9X0B,IA8X1B,EA0CaA,CA1Cb,EA7XI,IA6XJ,EA0CaA,CA1Cb,EA7X0B,IA6X1B,EA0CaA,CA1Cb,EA5XW,IA4XX,GA0CaA,CA1Cb,EA3XI,IA2XJ,EA0CaA,CA1Cb,EA3X0B,IA2X1B,EA0CaA,CA1Cb,EA1XI,IA0XJ,EA0CaA,CA1Cb,EA1X0B,IA0X1B,EA0CaA,CA1Cb,EAzXI,IAyXJ,EA0CaA,CA1Cb,EAzX0B,IAyX1B,EA0CaA,CA1Cb,EAxXI,IAwXJ,EA0CaA,CA1Cb,EAxX0B,IAwX1B,EA0CaA,CA1Cb,EAvXI,IAuXJ,EA0CaA,CA1Cb,EAvX0B,IAuX1B,EA0CaA,CA1Cb,EAtXI,IAsXJ,EA0CaA,CA1Cb,EAtX0B,IAsX1B,EA0CaA,CA1Cb,EArXI,IAqXJ,EA0CaA,CA1Cb,EArX0B,IAqX1B,EA0CaA,CA1Cb,EApXI,IAoXJ,EA0CaA,CA1Cb,EApX0B,IAoX1B,EA0CaA,CA1Cb,EAnXI,IAmXJ,EA0CaA,CA1Cb,EAnX0B,IAmX1B,EA0CaA,CA1Cb,EAlXI,IAkXJ,EA0CaA,CA1Cb,EAlX0B,IAkX1B,EA0CaA,CA1Cb,EAjXI,IAiXJ,EA0CaA,CA1Cb,EAjX0B,IAiX1B,EA0CaA,CA1Cb,EAhXI,IAgXJ,EA0CaA,CA1Cb,EAhX0B,IAgX1B,EA0CaA,CA1Cb,EA/WI,IA+WJ,EA0CaA,CA1Cb,EA/W0B,IA+W1B,EA0CaA,CA1Cb,EA9WI,IA8WJ,EA0CaA,CA1Cb,EA9W0B,IA8W1B,EA0CaA,CA1Cb,EA7WI,IA6WJ,EA0CaA,CA1Cb,EA7W0B,IA6W1B,EA0CaA,CA1Cb,EA5WI,IA4WJ;AA0CaA,CA1Cb,EA5W0B,IA4W1B,EA0CaA,CA1Cb,EA3WI,IA2WJ,EA0CaA,CA1Cb,EA3W0B,IA2W1B,EA0CaA,CA1Cb,EA1WW,IA0WX,GA0CaA,CA1Cb,EAzWW,IAyWX,GA0CaA,CA1Cb,EAxWW,IAwWX,GA0CaA,CA1Cb,EAvWI,IAuWJ,EA0CaA,CA1Cb,EAvW0B,IAuW1B,EA0CaA,CA1Cb,EAtWI,IAsWJ,EA0CaA,CA1Cb,EAtW0B,IAsW1B,EA0CaA,CA1Cb,EArWI,IAqWJ,EA0CaA,CA1Cb,EArW0B,IAqW1B,EA0CaA,CA1Cb,EApWW,IAoWX,GA0CaA,CA1Cb,EAnWI,IAmWJ,EA0CaA,CA1Cb,EAnW0B,IAmW1B,EA0CaA,CA1Cb,EAlWI,IAkWJ,EA0CaA,CA1Cb,EAlW0B,IAkW1B,EA0CaA,CA1Cb,EAjWI,IAiWJ,EA0CaA,CA1Cb,EAjW0B,IAiW1B,EA0CaA,CA1Cb,EAhWI,IAgWJ,EA0CaA,CA1Cb,EAhW0B,IAgW1B,EA0CaA,CA1Cb,EA/VI,IA+VJ,EA0CaA,CA1Cb,EA/V0B,IA+V1B,EA0CaA,CA1Cb,EA9VI,IA8VJ,EA0CaA,CA1Cb,EA9V0B,IA8V1B,EA0CaA,CA1Cb,EA7VI,IA6VJ,EA0CaA,CA1Cb,EA7V0B,IA6V1B,EA0CaA,CA1Cb,EA5VI,IA4VJ,EA0CaA,CA1Cb,EA5V0B,IA4V1B,EA0CaA,CA1Cb,EA3VW,IA2VX,GA0CaA,CA1Cb,EA1VW,IA0VX,GA0CaA,CA1Cb,EAzVW,IAyVX,GA0CaA,CA1Cb,EAxVI,IAwVJ,EA0CaA,CA1Cb,EAxV0B,IAwV1B,EA0CaA,CA1Cb,EAvVI,IAuVJ,EA0CaA,CA1Cb,EAvV0B,IAuV1B,EA0CaA,CA1Cb,EAtVW,IAsVX,GA0CaA,CA1Cb,EArVI,IAqVJ,EA0CaA,CA1Cb,EArV0B,IAqV1B,EA0CaA,CA1Cb,EApVW,IAoVX,GA0CaA,CA1Cb,EAnVW,IAmVX,GA0CaA,CA1Cb,EAlVI,IAkVJ,EA0CaA,CA1Cb,EAlV0B,IAkV1B,EA0CaA,CA1Cb,EAjVW,IAiVX,GA0CaA,CA1Cb,EAhVI,IAgVJ,EA0CaA,CA1Cb,EAhV0B,IAgV1B,EA0CaA,CA1Cb,EA/UW,IA+UX,GA0CaA,CA1Cb,EA9UW,IA8UX,GA0CaA,CA1Cb,EA7UW,IA6UX,GA0CaA,CA1Cb,EA5UI,IA4UJ,EA0CaA,CA1Cb,EA5U0B,IA4U1B,EA0CaA,CA1Cb,EA3UI,IA2UJ,EA0CaA,CA1Cb,EA3U0B,IA2U1B,EA0CaA,CA1Cb,EA1UI,IA0UJ,EA0CaA,CA1Cb;AA1U0B,IA0U1B,EA0CaA,CA1Cb,EAzUW,IAyUX,GA0CaA,CA1Cb,EAxUI,IAwUJ,EA0CaA,CA1Cb,EAxU0B,IAwU1B,EA0CaA,CA1Cb,EAvUI,KAuUJ,EA0CaA,CA1Cb,EAvU0B,KAuU1B,EA0CaA,CA1Cb,EAtUI,KAsUJ,EA0CaA,CA1Cb,EAtU0B,KAsU1B,EA0CaA,CA1Cb,EArUI,KAqUJ,EA0CaA,CA1Cb,EArU0B,KAqU1B,EA0CaA,CA1Cb,EApUI,KAoUJ,EA0CaA,CA1Cb,EApU0B,KAoU1B,EA0CaA,CA1Cb,EAnUI,KAmUJ,EA0CaA,CA1Cb,EAnU0B,KAmU1B,EA0CaA,CA1Cb,EAlUW,KAkUX,GA0CaA,CA1Cb,EAjUW,KAiUX,GA0CaA,CA1Cb,EAhUI,KAgUJ,EA0CaA,CA1Cb,EAhU0B,KAgU1B,EA0CaA,CA1Cb,EA/TW,KA+TX,GA0CaA,CA1Cb,EA9TI,KA8TJ,EA0CaA,CA1Cb,EA9T0B,KA8T1B,EA0CaA,CA1Cb,EA7TI,KA6TJ,EA0CaA,CA1Cb,EA7T0B,KA6T1B,EA0CaA,CA1Cb,EA5TI,KA4TJ,EA0CaA,CA1Cb,EA5T0B,KA4T1B,EA0CaA,CA1Cb,EA3TI,KA2TJ,EA0CaA,CA1Cb,EA3T0B,KA2T1B,EA0CaA,CA1Cb,EA1TI,KA0TJ,EA0CaA,CA1Cb,EA1T0B,KA0T1B,EA0CaA,CA1Cb,EAzTI,KAyTJ,EA0CaA,CA1Cb,EAzT0B,KAyT1B,EA0CaA,CA1Cb,EAxTI,KAwTJ,EA0CaA,CA1Cb,EAxT0B,KAwT1B,EA0CaA,CA1Cb,EAvTI,KAuTJ,EA0CaA,CA1Cb,EAvT0B,KAuT1B,EA0CaA,CA1Cb,EAtTI,KAsTJ,EA0CaA,CA1Cb,EAtT0B,KAsT1B,EA0CaA,CA1Cb,EArTI,KAqTJ,EA0CaA,CA1Cb,EArT0B,KAqT1B,EA0CaA,CA1Cb,EApTI,KAoTJ,EA0CaA,CA1Cb,EApT0B,KAoT1B,EA0CaA,CA1Cb,EAnTI,KAmTJ,EA0CaA,CA1Cb,EAnT0B,KAmT1B,EA0CaA,CA1Cb,EAlTI,KAkTJ,EA0CaA,CA1Cb,EAlT0B,KAkT1B,EA0CaA,CA1Cb,EAjTI,KAiTJ,EA0CaA,CA1Cb,EAjT0B,KAiT1B,EA0CaA,CA1Cb,EAhTI,KAgTJ,EA0CaA,CA1Cb,EAhT0B,KAgT1B,EA0CaA,CA1Cb,EA/SI,KA+SJ,EA0CaA,CA1Cb,EA/S0B,KA+S1B;AA0CaA,CA1Cb,EA9SI,KA8SJ,EA0CaA,CA1Cb,EA9S0B,KA8S1B,EA0CaA,CA1Cb,EA7SI,KA6SJ,EA0CaA,CA1Cb,EA7S0B,KA6S1B,EA0CaA,CA1Cb,EA5SI,KA4SJ,EA0CaA,CA1Cb,EA5S0B,KA4S1B,EA0CaA,CA1Cb,EA3SI,KA2SJ,EA0CaA,CA1Cb,EA3S0B,KA2S1B,EA0CaA,CA1Cb,EA1SI,KA0SJ,EA0CaA,CA1Cb,EA1S0B,KA0S1B,EA0CaA,CA1Cb,EAzSI,KAySJ,EA0CaA,CA1Cb,EAzS0B,KAyS1B,EA0CaA,CA1Cb,EAxSI,KAwSJ,EA0CaA,CA1Cb,EAxS0B,KAwS1B,EA0CaA,CA1Cb,EAvSI,KAuSJ,EA0CaA,CA1Cb,EAvS0B,KAuS1B,EA0CaA,CA1Cb,EAtSI,KAsSJ,EA0CaA,CA1Cb,EAtS0B,KAsS1B,EA0CaA,CA1Cb,EArSI,KAqSJ,EA0CaA,CA1Cb,EArS0B,KAqS1B,EA0CaA,CA1Cb,EApSI,KAoSJ,EA0CaA,CA1Cb,EApS0B,KAoS1B,EA0CaA,CA1Cb,EAnSI,KAmSJ,EA0CaA,CA1Cb,EAnS0B,KAmS1B,EA0CaA,CA1Cb,EAlSI,KAkSJ,EA0CaA,CA1Cb,EAlS0B,KAkS1B,EA0CaA,CA1Cb,EAjSI,KAiSJ,EA0CaA,CA1Cb,EAjS0B,KAiS1B,EA0CaA,CA1Cb,EAhSI,KAgSJ,EA0CaA,CA1Cb,EAhS0B,KAgS1B,EA0CaA,CA1Cb,EA/RI,KA+RJ,EA0CaA,CA1Cb,EA/R0B,KA+R1B,EA0CaA,CA1Cb,EA9RI,KA8RJ,EA0CaA,CA1Cb,EA9R0B,KA8R1B,EA0CaA,CA1Cb,EA7RI,KA6RJ,EA0CaA,CA1Cb,EA7R0B,KA6R1B,EA0CaA,CA1Cb,EA5RI,KA4RJ,EA0CaA,CA1Cb,EA5R0B,KA4R1B,EA0CaA,CA1Cb,EA3RI,KA2RJ,EA0CaA,CA1Cb,EA3R0B,KA2R1B,EA0CaA,CA1Cb,EA1RI,KA0RJ,EA0CaA,CA1Cb,EA1R0B,KA0R1B,EA0CaA,CA1Cb,EAzRI,KAyRJ,EA0CaA,CA1Cb,EAzR0B,KAyR1B,EA0CaA,CA1Cb,EAxRI,KAwRJ,EA0CaA,CA1Cb,EAxR0B,KAwR1B,EA0CaA,CA1Cb,EAvRI,KAuRJ,EA0CaA,CA1Cb,EAvR0B,KAuR1B,EA0CaA,CA1Cb,EAtRW,KAsRX,GA0CaA,CA1Cb,EArRW,KAqRX;AA0CaA,CA1Cb,EApRI,KAoRJ,EA0CaA,CA1Cb,EApR0B,KAoR1B,EA0CaA,CA1Cb,EAnRI,KAmRJ,EA0CaA,CA1Cb,EAnR0B,KAmR1B,EA0CaA,CA1Cb,EAlRI,KAkRJ,EA0CaA,CA1Cb,EAlR0B,KAkR1B,EA0CaA,CA1Cb,EAjRI,KAiRJ,EA0CaA,CA1Cb,EAjR0B,KAiR1B,EA0CaA,CA1Cb,EAhRI,KAgRJ,EA0CaA,CA1Cb,EAhR0B,KAgR1B,EA0CaA,CA1Cb,EA/QI,KA+QJ,EA0CaA,CA1Cb,EA/Q0B,KA+Q1B,EA0CaA,CA1Cb,EA9QI,KA8QJ,EA0CaA,CA1Cb,EA9Q0B,KA8Q1B,EA0CaA,CA1Cb,EA7QI,KA6QJ,EA0CaA,CA1Cb,EA7Q0B,KA6Q1B,EA0CaA,CA1Cb,EA5QI,KA4QJ,EA0CaA,CA1Cb,EA5Q0B,KA4Q1B,EA0CaA,CA1Cb,EA3QI,KA2QJ,EA0CaA,CA1Cb,EA3Q0B,KA2Q1B,EA0CaA,CA1Cb,EA1QI,KA0QJ,EA0CaA,CA1Cb,EA1Q0B,KA0Q1B,EA0CaA,CA1Cb,EAzQI,KAyQJ,EA0CaA,CA1Cb,EAzQ0B,KAyQ1B,EA0CaA,CA1Cb,EAxQI,KAwQJ,EA0CaA,CA1Cb,EAxQ0B,KAwQ1B,EA0CaA,CA1Cb,EAvQI,KAuQJ,EA0CaA,CA1Cb,EAvQ0B,KAuQ1B,EA0CaA,CA1Cb,EAtQI,KAsQJ,EA0CaA,CA1Cb,EAtQ0B,KAsQ1B,EA0CaA,CA1Cb,EArQI,KAqQJ,EA0CaA,CA1Cb,EArQ0B,KAqQ1B,EA0CaA,CA1Cb,EApQI,KAoQJ,EA0CaA,CA1Cb,EApQ0B,KAoQ1B,EA0CaA,CA1Cb,EAnQI,KAmQJ,EA0CaA,CA1Cb,EAnQ0B,KAmQ1B,EA0CaA,CA1Cb,EAlQI,KAkQJ,EA0CaA,CA1Cb,EAlQ0B,KAkQ1B,EA0CaA,CA1Cb,EAjQI,KAiQJ,EA0CaA,CA1Cb,EAjQ0B,KAiQ1B,EA0CaA,CA1Cb,EAhQI,KAgQJ,EA0CaA,CA1Cb,EAhQ0B,KAgQ1B,EA0CaA,CA1Cb,EA/PI,KA+PJ,EA0CaA,CA1Cb,EA/P0B,KA+P1B,EA0CaA,CA1Cb,EA9PI,KA8PJ,EA0CaA,CA1Cb,EA9P0B,KA8P1B,EA0CaA,CA1Cb,EA7PI,KA6PJ,EA0CaA,CA1Cb,EA7P0B,KA6P1B,EA0CaA,CA1Cb,EA5PI,KA4PJ,EA0CaA,CA1Cb,EA5P0B,KA4P1B,EA0CaA,CA1Cb;AA3PI,KA2PJ,EA0CaA,CA1Cb,EA3P0B,KA2P1B,EA0CaA,CA1Cb,EA1PI,KA0PJ,EA0CaA,CA1Cb,EA1P0B,KA0P1B,EA0CaA,CA1Cb,EAzPI,KAyPJ,EA0CaA,CA1Cb,EAzP0B,KAyP1B,EA0CaA,CA1Cb,EAxPI,KAwPJ,EA0CaA,CA1Cb,EAxP0B,KAwP1B,EA0CaA,CA1Cb,EAvPI,KAuPJ,EA0CaA,CA1Cb,EAvP0B,KAuP1B,EA0CaA,CA1Cb,EAtPI,KAsPJ,EA0CaA,CA1Cb,EAtP0B,KAsP1B,EA0CaA,CA1Cb,EArPI,KAqPJ,EA0CaA,CA1Cb,EArP0B,KAqP1B,EA0CaA,CA1Cb,EApPI,KAoPJ,EA0CaA,CA1Cb,EApP0B,KAoP1B,EA0CaA,CA1Cb,EAnPI,KAmPJ,EA0CaA,CA1Cb,EAnP0B,KAmP1B,EA0CaA,CA1Cb,EAlPW,KAkPX,GA0CaA,CA1Cb,EAjPI,KAiPJ,EA0CaA,CA1Cb,EAjP0B,KAiP1B,EA0CaA,CA1Cb,EAhPI,KAgPJ,EA0CaA,CA1Cb,EAhP0B,KAgP1B,EA0CaA,CA1Cb,EA/OI,KA+OJ,EA0CaA,CA1Cb,EA/O0B,KA+O1B,EA0CaA,CA1Cb,EA9OI,KA8OJ,EA0CaA,CA1Cb,EA9O0B,KA8O1B,EA0CaA,CA1Cb,EA7OI,KA6OJ,EA0CaA,CA1Cb,EA7O0B,KA6O1B,EA0CaA,CA1Cb,EA5OI,KA4OJ,EA0CaA,CA1Cb,EA5O0B,KA4O1B,EA0CaA,CA1Cb,EA3OI,KA2OJ,EA0CaA,CA1Cb,EA3O0B,KA2O1B,EA0CaA,CA1Cb,EA1OI,KA0OJ,EA0CaA,CA1Cb,EA1O0B,KA0O1B,EA0CaA,CA1Cb,EAzOI,KAyOJ,EA0CaA,CA1Cb,EAzO0B,KAyO1B,EA0CaA,CA1Cb,EAxOI,KAwOJ,EA0CaA,CA1Cb,EAxO0B,KAwO1B,EA0CaA,CA1Cb,EAvOI,KAuOJ,EA0CaA,CA1Cb,EAvO0B,KAuO1B,EA0CaA,CA1Cb,EAtOI,KAsOJ,EA0CaA,CA1Cb,EAtO0B,KAsO1B,EA0CaA,CA1Cb,EArOI,KAqOJ,EA0CaA,CA1Cb,EArO0B,KAqO1B,EA0CaA,CA1Cb,EApOI,KAoOJ,EA0CaA,CA1Cb,EApO0B,KAoO1B,EA0CaA,CA1Cb,EAnOI,KAmOJ,EA0CaA,CA1Cb,EAnO0B,KAmO1B,EA0CaA,CA1Cb,EAlOW,KAkOX,GA0CaA,CA1Cb;AAjOI,KAiOJ,EA0CaA,CA1Cb,EAjO0B,KAiO1B,EA0CaA,CA1Cb,EAhOI,KAgOJ,EA0CaA,CA1Cb,EAhO0B,KAgO1B,EA0CaA,CA1Cb,EA/NI,KA+NJ,EA0CaA,CA1Cb,EA/N0B,KA+N1B,EA0CaA,CA1Cb,EA9NI,KA8NJ,EA0CaA,CA1Cb,EA9N0B,KA8N1B,EA0CaA,CA1Cb,EA7NI,KA6NJ,EA0CaA,CA1Cb,EA7N0B,KA6N1B,EA0CaA,CA1Cb,EA5NI,KA4NJ,EA0CaA,CA1Cb,EA5N0B,KA4N1B,EA0CaA,CA1Cb,EA3NI,KA2NJ,EA0CaA,CA1Cb,EA3N2B,KA2N3B,EA0CaA,CA1Cb,EA1NI,KA0NJ,EA0CaA,CA1Cb,EA1N2B,KA0N3B,EA0CaA,CA1Cb,EAzNI,KAyNJ,EA0CaA,CA1Cb,EAzN2B,KAyN3B,EA0CaA,CA1Cb,EAxNI,KAwNJ,EA0CaA,CA1Cb,EAxN2B,KAwN3B,EA0CaA,CA1Cb,EAvNI,KAuNJ,EA0CaA,CA1Cb,EAvN2B,KAuN3B,EA0CaA,CA1Cb,EAtNI,KAsNJ,EA0CaA,CA1Cb,EAtN2B,KAsN3B,EA0CaA,CA1Cb,EArNI,KAqNJ,EA0CaA,CA1Cb,EArN2B,KAqN3B,EA0CaA,CA1Cb,EApNI,KAoNJ,EA0CaA,CA1Cb,EApN2B,KAoN3B,EA0CaA,CA1Cb,EAnNW,KAmNX,GA0CaA,CA1Cb,EAlNI,KAkNJ,EA0CaA,CA1Cb,EAlN2B,KAkN3B,EA0CaA,CA1Cb,EAjNI,KAiNJ,EA0CaA,CA1Cb,EAjN2B,KAiN3B,EA0CaA,CA1Cb,EAhNW,KAgNX,GA0CaA,CA1Cb,EA/MI,KA+MJ,EA0CaA,CA1Cb,EA/M2B,KA+M3B,EA0CaA,CA1Cb,EA9MI,KA8MJ,EA0CaA,CA1Cb,EA9M2B,KA8M3B,EA0CaA,CA1Cb,EA7MI,KA6MJ,EA0CaA,CA1Cb,EA7M2B,KA6M3B,EA0CaA,CA1Cb,EA5MI,KA4MJ,EA0CaA,CA1Cb,EA5M2B,KA4M3B,EA0CaA,CA1Cb,EA3MI,KA2MJ,EA0CaA,CA1Cb,EA3M2B,KA2M3B,EA0CaA,CA1Cb,EA1MI,KA0MJ,EA0CaA,CA1Cb,EA1M2B,KA0M3B,EA0CaA,CA1Cb,EAzMI,KAyMJ,EA0CaA,CA1Cb,EAzM2B,KAyM3B,EA0CaA,CA1Cb,EAxMI,KAwMJ,EA0CaA,CA1Cb,EAxM2B,KAwM3B,EA0CaA,CA1Cb;AAvMI,KAuMJ,EA0CaA,CA1Cb,EAvM2B,KAuM3B,EA0CaA,CA1Cb,EAtMI,KAsMJ,EA0CaA,CA1Cb,EAtM2B,KAsM3B,EA0CaA,CA1Cb,EArMI,KAqMJ,EA0CaA,CA1Cb,EArM2B,KAqM3B,EA0CaA,CA1Cb,EApMI,KAoMJ,EA0CaA,CA1Cb,EApM2B,KAoM3B,EA0CaA,CA1Cb,EAnMI,KAmMJ,EA0CaA,CA1Cb,EAnM2B,KAmM3B,EA0CaA,CA1Cb,EAlMI,KAkMJ,EA0CaA,CA1Cb,EAlM2B,KAkM3B,EA0CaA,CA1Cb,EAjMI,KAiMJ,EA0CaA,CA1Cb,EAjM2B,KAiM3B,EA0CaA,CA1Cb,EAhMW,KAgMX,GA0CaA,CA1Cb,EA/LI,KA+LJ,EA0CaA,CA1Cb,EA/L2B,KA+L3B,EA0CaA,CA1Cb,EA9LI,KA8LJ,EA0CaA,CA1Cb,EA9L2B,KA8L3B,EA0CaA,CA1Cb,EA7LW,KA6LX,GA0CaA,CA1Cb,EA5LI,KA4LJ,EA0CaA,CA1Cb,EA5L2B,KA4L3B,EA0CaA,CA1Cb,EA3LI,KA2LJ,EA0CaA,CA1Cb,EA3L2B,KA2L3B,EA0CaA,CA1Cb,EA1LI,KA0LJ,EA0CaA,CA1Cb,EA1L2B,KA0L3B,EA0CaA,CA1Cb,EAzLI,KAyLJ,EA0CaA,CA1Cb,EAzL2B,KAyL3B,EA0CaA,CA1Cb,EAxLI,KAwLJ,EA0CaA,CA1Cb,EAxL2B,KAwL3B,EA0CaA,CA1Cb,EAvLI,KAuLJ,EA0CaA,CA1Cb,EAvL2B,KAuL3B,EA0CaA,CA1Cb,EAtLI,KAsLJ,EA0CaA,CA1Cb,EAtL2B,KAsL3B,EA0CaA,CA1Cb,EArLI,KAqLJ,EA0CaA,CA1Cb,EArL2B,KAqL3B,EA0CaA,CA1Cb,EApLI,KAoLJ,EA0CaA,CA1Cb,EApL2B,KAoL3B,EA0CaA,CA1Cb,EAnLI,KAmLJ,EA0CaA,CA1Cb,EAnL2B,KAmL3B,EA0CaA,CA1Cb,EAlLI,KAkLJ,EA0CaA,CA1Cb,EAlL2B,KAkL3B,EA0CaA,CA1Cb,EAjLI,KAiLJ,EA0CaA,CA1Cb,EAjL2B,KAiL3B,EA0CaA,CA1Cb,EAhLI,KAgLJ,EA0CaA,CA1Cb,EAhL2B,KAgL3B,EA0CaA,CA1Cb,EA/KI,KA+KJ,EA0CaA,CA1Cb,EA/K2B,KA+K3B,EA0CaA,CA1Cb,EA9KI,KA8KJ,EA0CaA,CA1Cb,EA9K2B,KA8K3B,EA0CaA,CA1Cb;AA7KW,KA6KX,GA0CaA,CA1Cb,EA5KI,KA4KJ,EA0CaA,CA1Cb,EA5K2B,KA4K3B,EA0CaA,CA1Cb,EA3KI,KA2KJ,EA0CaA,CA1Cb,EA3K2B,KA2K3B,EA0CaA,CA1Cb,EA1KI,KA0KJ,EA0CaA,CA1Cb,EA1K2B,KA0K3B,EA0CaA,CA1Cb,EAzKI,KAyKJ,EA0CaA,CA1Cb,EAzK2B,KAyK3B,EA0CaA,CA1Cb,EAxKI,KAwKJ,EA0CaA,CA1Cb,EAxK2B,KAwK3B,EA0CaA,CA1Cb,EAvKI,KAuKJ,EA0CaA,CA1Cb,EAvK2B,KAuK3B,EA0CaA,CA1Cb,EAtKI,KAsKJ,EA0CaA,CA1Cb,EAtK2B,KAsK3B,EA0CaA,CA1Cb,EArKI,KAqKJ,EA0CaA,CA1Cb,EArK2B,KAqK3B,EA0CaA,CA1Cb,EApKI,KAoKJ,EA0CaA,CA1Cb,EApK2B,KAoK3B,EA0CaA,CA1Cb,EAnKI,KAmKJ,EA0CaA,CA1Cb,EAnK2B,KAmK3B,EA0CaA,CA1Cb,EAlKI,KAkKJ,EA0CaA,CA1Cb,EAlK2B,KAkK3B,EA0CaA,CA1Cb,EAjKI,KAiKJ,EA0CaA,CA1Cb,EAjK2B,KAiK3B,EA0CaA,CA1Cb,EAhKI,KAgKJ,EA0CaA,CA1Cb,EAhK2B,KAgK3B,EA0CaA,CA1Cb,EA/JI,KA+JJ,EA0CaA,CA1Cb,EA/J2B,KA+J3B,EA0CaA,CA1Cb,EA9JI,KA8JJ,EA0CaA,CA1Cb,EA9J2B,KA8J3B,EA0CaA,CA1Cb,EA7JI,KA6JJ,EA0CaA,CA1Cb,EA7J2B,KA6J3B,EA0CaA,CA1Cb,EA5JI,KA4JJ,EA0CaA,CA1Cb,EA5J2B,KA4J3B,EA0CaA,CA1Cb,EA3JI,KA2JJ,EA0CaA,CA1Cb,EA3J2B,KA2J3B,EA0CaA,CA1Cb,EA1JI,KA0JJ,EA0CaA,CA1Cb,EA1J2B,KA0J3B,EA0CaA,CA1Cb,EAzJW,KAyJX,GA0CaA,CA1Cb,EAxJI,KAwJJ,EA0CaA,CA1Cb,EAxJ2B,KAwJ3B,EA0CaA,CA1Cb,EAvJI,KAuJJ,EA0CaA,CA1Cb,EAvJ2B,KAuJ3B,EA0CaA,CA1Cb,EAtJI,KAsJJ,EA0CaA,CA1Cb,EAtJ2B,KAsJ3B,EA0CaA,CA1Cb,EArJW,KAqJX,GA0CaA,CA1Cb,EApJI,KAoJJ,EA0CaA,CA1Cb,EApJ2B,KAoJ3B,EA0CaA,CA1Cb,EAnJI,KAmJJ,EA0CaA,CA1Cb;AAnJ2B,KAmJ3B,EA0CaA,CA1Cb,EAlJI,KAkJJ,EA0CaA,CA1Cb,EAlJ2B,KAkJ3B,EA0CaA,CA1Cb,EAjJW,KAiJX,GA0CaA,CA1Cb,EAhJI,KAgJJ,EA0CaA,CA1Cb,EAhJ2B,KAgJ3B,EA0CaA,CA1Cb,EA/II,KA+IJ,EA0CaA,CA1Cb,EA/I2B,KA+I3B,EA0CaA,CA1Cb,EA9II,KA8IJ,EA0CaA,CA1Cb,EA9I2B,KA8I3B,EA0CaA,CA1Cb,EA7II,KA6IJ,EA0CaA,CA1Cb,EA7I2B,KA6I3B,EA0CaA,CA1Cb,EA5II,KA4IJ,EA0CaA,CA1Cb,EA5I2B,KA4I3B,EA0CaA,CA1Cb,EA3II,KA2IJ,EA0CaA,CA1Cb,EA3I2B,KA2I3B,EA0CaA,CA1Cb,EA1II,KA0IJ,EA0CaA,CA1Cb,EA1I2B,KA0I3B,EA0CaA,CA1Cb,EAzII,KAyIJ,EA0CaA,CA1Cb,EAzI2B,KAyI3B,EA0CaA,CA1Cb,EAxII,KAwIJ,EA0CaA,CA1Cb,EAxI2B,KAwI3B,EA0CaA,CA1Cb,EAvII,KAuIJ,EA0CaA,CA1Cb,EAvI2B,KAuI3B,EA0CaA,CA1Cb,EAtII,KAsIJ,EA0CaA,CA1Cb,EAtI2B,KAsI3B,EA0CaA,CA1Cb,EArII,KAqIJ,EA0CaA,CA1Cb,EArI2B,KAqI3B,EA0CaA,CA1Cb,EApII,KAoIJ,EA0CaA,CA1Cb,EApI2B,KAoI3B,EA0CaA,CA1Cb,EAnII,KAmIJ,EA0CaA,CA1Cb,EAnI2B,KAmI3B,EA0CaA,CA1Cb,EAlII,KAkIJ,EA0CaA,CA1Cb,EAlI2B,KAkI3B,EA0CaA,CA1Cb,EAjIW,KAiIX,GA0CaA,CA1Cb,EAhIW,KAgIX,GA0CaA,CA1Cb,EA/HI,KA+HJ,EA0CaA,CA1Cb,EA/H2B,KA+H3B,EA0CaA,CA1Cb,EA9HI,KA8HJ,EA0CaA,CA1Cb,EA9H2B,KA8H3B,EA0CaA,CA1Cb,EA7HI,KA6HJ,EA0CaA,CA1Cb,EA7H2B,KA6H3B,EA0CaA,CA1Cb,EA5HI,KA4HJ,EA0CaA,CA1Cb,EA5H2B,KA4H3B,EA0CaA,CA1Cb,EA3HW,KA2HX,GA0CaA,CA1Cb,EA1HI,KA0HJ,EA0CaA,CA1Cb,EA1H2B,KA0H3B,EA0CaA,CA1Cb,EAzHI,KAyHJ,EA0CaA,CA1Cb,EAzH2B,KAyH3B,EA0CaA,CA1Cb,EAxHI,KAwHJ;AA0CaA,CA1Cb,EAxH2B,KAwH3B,EA0CaA,CA1Cb,EAvHI,KAuHJ,EA0CaA,CA1Cb,EAvH2B,KAuH3B,EA0CaA,CA1Cb,EAtHI,KAsHJ,EA0CaA,CA1Cb,EAtH2B,KAsH3B,EA0CaA,CA1Cb,EArHW,KAqHX,GA0CaA,CA1Cb,EApHI,KAoHJ,EA0CaA,CA1Cb,EApH2B,KAoH3B,EA0CaA,CA1Cb,EAnHI,KAmHJ,EA0CaA,CA1Cb,EAnH2B,KAmH3B,EA0CaA,CA1Cb,EAlHI,KAkHJ,EA0CaA,CA1Cb,EAlH2B,KAkH3B,EA0CaA,CA1Cb,EAjHI,KAiHJ,EA0CaA,CA1Cb,EAjH2B,KAiH3B,EA0CaA,CA1Cb,EAhHI,KAgHJ,EA0CaA,CA1Cb,EAhH2B,KAgH3B,EA0CaA,CA1Cb,EA/GI,KA+GJ,EA0CaA,CA1Cb,EA/G2B,KA+G3B,EA0CaA,CA1Cb,EA9GI,KA8GJ,EA0CaA,CA1Cb,EA9G2B,KA8G3B,EA0CaA,CA1Cb,EA7GW,KA6GX,GA0CaA,CA1Cb,EA5GI,KA4GJ,EA0CaA,CA1Cb,EA5G2B,KA4G3B,EA0CaA,CA1Cb,EA3GI,KA2GJ,EA0CaA,CA1Cb,EA3G2B,KA2G3B,EA0CaA,CA1Cb,EA1GI,KA0GJ,EA0CaA,CA1Cb,EA1G2B,KA0G3B,EA0CaA,CA1Cb,EAzGI,KAyGJ,EA0CaA,CA1Cb,EAzG2B,KAyG3B,EA0CaA,CA1Cb,EAxGI,KAwGJ,EA0CaA,CA1Cb,EAxG2B,KAwG3B,EA0CaA,CA1Cb,EAvGI,KAuGJ,EA0CaA,CA1Cb,EAvG2B,KAuG3B,EA0CaA,CA1Cb,EAtGI,KAsGJ,EA0CaA,CA1Cb,EAtG2B,KAsG3B,EA0CaA,CA1Cb,EArGI,KAqGJ,EA0CaA,CA1Cb,EArG2B,KAqG3B,EA0CaA,CA1Cb,EApGI,KAoGJ,EA0CaA,CA1Cb,EApG2B,KAoG3B,EA0CaA,CA1Cb,EAnGI,KAmGJ,EA0CaA,CA1Cb,EAnG2B,KAmG3B,EA0CaA,CA1Cb,EAlGI,KAkGJ,EA0CaA,CA1Cb,EAlG2B,KAkG3B,EA0CaA,CA1Cb,EAjGI,KAiGJ,EA0CaA,CA1Cb,EAjG2B,KAiG3B,EA0CaA,CA1Cb,EAhGI,KAgGJ,EA0CaA,CA1Cb,EAhG2B,KAgG3B,EA0CaA,CA1Cb,EA/FI,KA+FJ,EA0CaA,CA1Cb,EA/F2B,KA+F3B,EA0CaA,CA1Cb,EA9FI,KA8FJ;AA0CaA,CA1Cb,EA9F2B,KA8F3B,EA0CaA,CA1Cb,EA7FI,KA6FJ,EA0CaA,CA1Cb,EA7F2B,KA6F3B,EA0CaA,CA1Cb,EA5FI,KA4FJ,EA0CaA,CA1Cb,EA5F2B,KA4F3B,EA0CaA,CA1Cb,EA3FI,KA2FJ,EA0CaA,CA1Cb,EA3F2B,KA2F3B,EA0CaA,CA1Cb,EA1FI,KA0FJ,EA0CaA,CA1Cb,EA1F2B,KA0F3B,EA0CaA,CA1Cb,EAzFI,MAyFJ,EA0CaA,CA1Cb,EAzF2B,MAyF3B,EA0CaA,CA1Cb,EAxFI,MAwFJ,EA0CaA,CA1Cb,EAxF2B,MAwF3B,EA0CaA,CA1Cb,EAvFI,MAuFJ,EA0CaA,CA1Cb,EAvF2B,MAuF3B,EA0CaA,CA1Cb,EAtFI,MAsFJ,EA0CaA,CA1Cb,EAtF2B,MAsF3B,EA0CaA,CA1Cb,EArFI,MAqFJ,EA0CaA,CA1Cb,EArF2B,MAqF3B,EA0CaA,CA1Cb,EApFI,MAoFJ,EA0CaA,CA1Cb,EApF2B,MAoF3B,EA0CaA,CA1Cb,EAnFI,MAmFJ,EA0CaA,CA1Cb,EAnF2B,MAmF3B,EA0CaA,CA1Cb,EAlFI,MAkFJ,EA0CaA,CA1Cb,EAlF2B,MAkF3B,EA0CaA,CA1Cb,EAjFI,MAiFJ,EA0CaA,CA1Cb,EAjF2B,MAiF3B,EA0CaA,CA1Cb,EAhFI,MAgFJ,EA0CaA,CA1Cb,EAhF2B,MAgF3B,EA0CaA,CA1Cb,EA/EI,MA+EJ,EA0CaA,CA1Cb,EA/E2B,MA+E3B,EA0CaA,CA1Cb,EA9EI,MA8EJ,EA0CaA,CA1Cb,EA9E2B,MA8E3B,EA0CaA,CA1Cb,EA7EI,MA6EJ,EA0CaA,CA1Cb,EA7E2B,MA6E3B,EA0CaA,CA1Cb,EA5EI,MA4EJ,EA0CaA,CA1Cb,EA5E2B,MA4E3B,EA0CaA,CA1Cb,EA3EI,MA2EJ,EA0CaA,CA1Cb,EA3E2B,MA2E3B,EA0CaA,CA1Cb,EA1EW,MA0EX,GA0CaA,CA1Cb,EAzEI,MAyEJ,EA0CaA,CA1Cb,EAzE2B,MAyE3B,EA0CaA,CA1Cb,EAxEI,MAwEJ,EA0CaA,CA1Cb,EAxE2B,MAwE3B,EA0CaA,CA1Cb,EAvEI,MAuEJ,EA0CaA,CA1Cb,EAvE2B,MAuE3B,EA0CaA,CA1Cb;AAtEW,MAsEX,GA0CaA,CA1Cb,EArEI,MAqEJ,EA0CaA,CA1Cb,EArE2B,MAqE3B,EA0CaA,CA1Cb,EApEI,MAoEJ,EA0CaA,CA1Cb,EApE2B,MAoE3B,EA0CaA,CA1Cb,EAnEI,MAmEJ,EA0CaA,CA1Cb,EAnE2B,MAmE3B,EA0CaA,CA1Cb,EAlEI,MAkEJ,EA0CaA,CA1Cb,EAlE2B,MAkE3B,EA0CaA,CA1Cb,EAjEI,MAiEJ,EA0CaA,CA1Cb,EAjE2B,MAiE3B,EA0CaA,CA1Cb,EAhEI,MAgEJ,EA0CaA,CA1Cb,EAhE2B,MAgE3B,EA0CaA,CA1Cb,EA/DI,MA+DJ,EA0CaA,CA1Cb,EA/D2B,MA+D3B,EA0CaA,CA1Cb,EA9DI,MA8DJ,EA0CaA,CA1Cb,EA9D2B,MA8D3B,EA0CaA,CA1Cb,EA7DW,MA6DX,GA0CaA,CA1Cb,EA5DI,MA4DJ,EA0CaA,CA1Cb,EA5D2B,MA4D3B,EA0CaA,CA1Cb,EA3DI,MA2DJ,EA0CaA,CA1Cb,EA3D2B,MA2D3B,EA0CaA,CA1Cb,EA1DI,MA0DJ,EA0CaA,CA1Cb,EA1D2B,MA0D3B,EA0CaA,CA1Cb,EAzDI,MAyDJ,EA0CaA,CA1Cb,EAzD2B,MAyD3B,EA0CaA,CA1Cb,EAxDI,MAwDJ,EA0CaA,CA1Cb,EAxD2B,MAwD3B,EA0CaA,CA1Cb,EAvDI,MAuDJ,EA0CaA,CA1Cb,EAvD2B,MAuD3B,EA0CaA,CA1Cb,EAtDI,MAsDJ,EA0CaA,CA1Cb,EAtD2B,MAsD3B,EA0CaA,CA1Cb,EArDI,MAqDJ,EA0CaA,CA1Cb,EArD2B,MAqD3B,EA0CaA,CA1Cb,EApDI,MAoDJ,EA0CaA,CA1Cb,EApD2B,MAoD3B,EA0CaA,CA1Cb,EAnDI,MAmDJ,EA0CaA,CA1Cb,EAnD2B,MAmD3B,EA0CaA,CA1Cb,EAlDI,MAkDJ,EA0CaA,CA1Cb,EAlD2B,MAkD3B,EA0CaA,CA1Cb,EAjDI,MAiDJ,EA0CaA,CA1Cb,EAjD2B,MAiD3B,EA0CaA,CA1Cb,EAhDI,MAgDJ,EA0CaA,CA1Cb,EAhD2B,MAgD3B,EA0CaA,CA1Cb,EA/CI,MA+CJ,EA0CaA,CA1Cb,EA/C2B,MA+C3B;AA0CaA,CA1Cb,EA9CI,MA8CJ,EA0CaA,CA1Cb,EA9C2B,MA8C3B,EA0CaA,CA1Cb,EA7CI,MA6CJ,EA0CaA,CA1Cb,EA7C2B,MA6C3B,EA0CaA,CA1Cb,EA5CW,MA4CX,GA0CaA,CA1Cb,EA3CW,MA2CX,GA0CaA,CA1Cb,EA1CI,MA0CJ,EA0CaA,CA1Cb,EA1C2B,MA0C3B,EA0CaA,CA1Cb,EAzCI,MAyCJ,EA0CaA,CA1Cb,EAzC2B,MAyC3B,EA0CaA,CA1Cb,EAxCI,MAwCJ,EA0CaA,CA1Cb,EAxC2B,MAwC3B,EA0CaA,CA1Cb,EAvCI,MAuCJ,EA0CaA,CA1Cb,EAvC2B,MAuC3B,EA0CaA,CA1Cb,EAtCI,MAsCJ,EA0CaA,CA1Cb,EAtC2B,MAsC3B,EA0CaA,CA1Cb,EArCI,MAqCJ,EA0CaA,CA1Cb,EArC2B,MAqC3B,EA0CaA,CA1Cb,EApCI,MAoCJ,EA0CaA,CA1Cb,EApC2B,MAoC3B,EA0CaA,CA1Cb,EAnCW,MAmCX,GA0CaA,CA1Cb,EAlCW,MAkCX,GA0CaA,CA1Cb,EAjCI,MAiCJ,EA0CaA,CA1Cb,EAjC2B,MAiC3B,EA0CaA,CA1Cb,EAhCI,MAgCJ,EA0CaA,CA1Cb,EAhC2B,MAgC3B,EA0CaA,CA1Cb,EA/BW,MA+BX,GA0CaA,CA1Cb,EA9BW,MA8BX,GA0CaA,CA1Cb,EA7BW,MA6BX,GA0CaA,CA1Cb,EA5BW,MA4BX,GA0CaA,CA1Cb,EA3BW,MA2BX,GA0CaA,CA1Cb,EA1BW,MA0BX,GA0CaA,CA1Cb,EAzBI,MAyBJ,EA0CaA,CA1Cb,EAzB2B,MAyB3B,EA0CaA,CA1Cb,EAxBI,MAwBJ,EA0CaA,CA1Cb,EAxB2B,MAwB3B,EA0CaA,CA1Cb,EAvBW,MAuBX,GA0CaA,CA1Cb,EAtBW,MAsBX,GA0CaA,CA1Cb,EArBW,MAqBX,GA0CaA,CA1Cb,EApBW,MAoBX,GA0CaA,CA1Cb,EAnBW,MAmBX,GA0CaA,CA1Cb,EAlBW,MAkBX,GA0CaA,CA1Cb,EAjBI,MAiBJ,EA0CaA,CA1Cb,EAjB2B,MAiB3B,EA0CaA,CA1Cb;AAhBW,MAgBX,GA0CaA,CA1Cb,EAfI,MAeJ,EA0CaA,CA1Cb,EAf2B,MAe3B,EA0CaA,CA1Cb,EAdI,MAcJ,EA0CaA,CA1Cb,EAd2B,MAc3B,EA0CaA,CA1Cb,EAbI,MAaJ,EA0CaA,CA1Cb,EAb2B,MAa3B,EA0CaA,CA1Cb,EAZI,MAYJ,EA0CaA,CA1Cb,EAZ2B,MAY3B,EA0CaA,CA1Cb,EAXW,MAWX,GA0CaA,CA1Cb,EAVI,MAUJ,EA0CaA,CA1Cb,EAV2B,MAU3B,EA0CaA,CA1Cb,EATI,MASJ,EA0CaA,CA1Cb,EAT2B,MAS3B,EA0CaA,CA1Cb,EARI,MAQJ,EA0CaA,CA1Cb,EAR2B,MAQ3B,EA0CaA,CA1Cb,EAPI,MAOJ,EA0CaA,CA1Cb,EAP2B,MAO3B,EA0CaA,CA1Cb,EANI,MAMJ,EA0CaA,CA1Cb,EAN2B,MAM3B,EA0CaA,CA1Cb,EALI,MAKJ,EA0CaA,CA1Cb,EAL2B,MAK3B,EA0CaA,CA1Cb,EAJI,MAIJ,EA0CaA,CA1Cb,EAJ2B,MAI3B,EA0CaA,CA1Cb,EAHI,MAGJ,EA0CaA,CA1Cb,EAH2B,MAG3B,EA0CaA,CA1Cb,EAFI,MAEJ,EA0CaA,CA1Cb,EAF2B,MAE3B,EA0CaA,CA1Cb,EADI,MACJ,EA0CaA,CA1Cb,EAD2B,MAC3B,EA0CaA,CA1Cb,EAAI,MAAJ,EA0CaA,CA1Cb,EAA2B,MAA3B,EA0CaA,CA1Cb,CAA2C,CAAA,CAA3C,CACO,CAAA,CAqCP,CADyC,CAQ3CH,CAAAK,OAAA,CAAe,YAAf,CAA6B,EAA7B,CAAAC,OAAA,CACU,CAAC,gBAAD,CAAmB,QAAQ,CAACC,CAAD,CAAiB,CAClDA,CAAAC,iBAAA,CAAgCP,CAAhC,CAAwDG,CAAxD,CADkD,CAA5C,CADV,CA7uC2B,CAA1B,CAAD,CAmvCGL,MAnvCH,CAmvCWA,MAAAC,QAnvCX;",
+"sources":["angular-parse-ext.js"],
+"names":["window","angular","isValidIdentifierStart","ch","cp","isValidIdentifierContinue","module","config","$parseProvider","setIdentifierFns"]
+}
diff --git a/1.5.11/angular-resource.js b/1.5.11/angular-resource.js
new file mode 100644
index 0000000000..6542389d3c
--- /dev/null
+++ b/1.5.11/angular-resource.js
@@ -0,0 +1,866 @@
+/**
+ * @license AngularJS v1.5.11
+ * (c) 2010-2017 Google, Inc. http://angularjs.org
+ * License: MIT
+ */
+(function(window, angular) {'use strict';
+
+var $resourceMinErr = angular.$$minErr('$resource');
+
+// Helper functions and regex to lookup a dotted path on an object
+// stopping at undefined/null. The path must be composed of ASCII
+// identifiers (just like $parse)
+var MEMBER_NAME_REGEX = /^(\.[a-zA-Z_$@][0-9a-zA-Z_$@]*)+$/;
+
+function isValidDottedPath(path) {
+ return (path != null && path !== '' && path !== 'hasOwnProperty' &&
+ MEMBER_NAME_REGEX.test('.' + path));
+}
+
+function lookupDottedPath(obj, path) {
+ if (!isValidDottedPath(path)) {
+ throw $resourceMinErr('badmember', 'Dotted member path "@{0}" is invalid.', path);
+ }
+ var keys = path.split('.');
+ for (var i = 0, ii = keys.length; i < ii && angular.isDefined(obj); i++) {
+ var key = keys[i];
+ obj = (obj !== null) ? obj[key] : undefined;
+ }
+ return obj;
+}
+
+/**
+ * Create a shallow copy of an object and clear other fields from the destination
+ */
+function shallowClearAndCopy(src, dst) {
+ dst = dst || {};
+
+ angular.forEach(dst, function(value, key) {
+ delete dst[key];
+ });
+
+ for (var key in src) {
+ if (src.hasOwnProperty(key) && !(key.charAt(0) === '$' && key.charAt(1) === '$')) {
+ dst[key] = src[key];
+ }
+ }
+
+ return dst;
+}
+
+/**
+ * @ngdoc module
+ * @name ngResource
+ * @description
+ *
+ * # ngResource
+ *
+ * The `ngResource` module provides interaction support with RESTful services
+ * via the $resource service.
+ *
+ *
+ *
+ *
+ * See {@link ngResource.$resourceProvider} and {@link ngResource.$resource} for usage.
+ */
+
+/**
+ * @ngdoc provider
+ * @name $resourceProvider
+ *
+ * @description
+ *
+ * Use `$resourceProvider` to change the default behavior of the {@link ngResource.$resource}
+ * service.
+ *
+ * ## Dependencies
+ * Requires the {@link ngResource } module to be installed.
+ *
+ */
+
+/**
+ * @ngdoc service
+ * @name $resource
+ * @requires $http
+ * @requires ng.$log
+ * @requires $q
+ * @requires ng.$timeout
+ *
+ * @description
+ * A factory which creates a resource object that lets you interact with
+ * [RESTful](http://en.wikipedia.org/wiki/Representational_State_Transfer) server-side data sources.
+ *
+ * The returned resource object has action methods which provide high-level behaviors without
+ * the need to interact with the low level {@link ng.$http $http} service.
+ *
+ * Requires the {@link ngResource `ngResource`} module to be installed.
+ *
+ * By default, trailing slashes will be stripped from the calculated URLs,
+ * which can pose problems with server backends that do not expect that
+ * behavior. This can be disabled by configuring the `$resourceProvider` like
+ * this:
+ *
+ * ```js
+ app.config(['$resourceProvider', function($resourceProvider) {
+ // Don't strip trailing slashes from calculated URLs
+ $resourceProvider.defaults.stripTrailingSlashes = false;
+ }]);
+ * ```
+ *
+ * @param {string} url A parameterized URL template with parameters prefixed by `:` as in
+ * `/user/:username`. If you are using a URL with a port number (e.g.
+ * `http://example.com:8080/api`), it will be respected.
+ *
+ * If you are using a url with a suffix, just add the suffix, like this:
+ * `$resource('http://example.com/resource.json')` or `$resource('http://example.com/:id.json')`
+ * or even `$resource('http://example.com/resource/:resource_id.:format')`
+ * If the parameter before the suffix is empty, :resource_id in this case, then the `/.` will be
+ * collapsed down to a single `.`. If you need this sequence to appear and not collapse then you
+ * can escape it with `/\.`.
+ *
+ * @param {Object=} paramDefaults Default values for `url` parameters. These can be overridden in
+ * `actions` methods. If a parameter value is a function, it will be called every time
+ * a param value needs to be obtained for a request (unless the param was overridden). The function
+ * will be passed the current data value as an argument.
+ *
+ * Each key value in the parameter object is first bound to url template if present and then any
+ * excess keys are appended to the url search query after the `?`.
+ *
+ * Given a template `/path/:verb` and parameter `{verb:'greet', salutation:'Hello'}` results in
+ * URL `/path/greet?salutation=Hello`.
+ *
+ * If the parameter value is prefixed with `@`, then the value for that parameter will be
+ * extracted from the corresponding property on the `data` object (provided when calling a
+ * "non-GET" action method).
+ * For example, if the `defaultParam` object is `{someParam: '@someProp'}` then the value of
+ * `someParam` will be `data.someProp`.
+ * Note that the parameter will be ignored, when calling a "GET" action method (i.e. an action
+ * method that does not accept a request body)
+ *
+ * @param {Object.
+ */
+ /* global -ngRouteModule */
+var ngRouteModule = angular.module('ngRoute', ['ng']).
+ provider('$route', $RouteProvider),
+ $routeMinErr = angular.$$minErr('ngRoute');
+
+/**
+ * @ngdoc provider
+ * @name $routeProvider
+ * @this
+ *
+ * @description
+ *
+ * Used for configuring routes.
+ *
+ * ## Example
+ * See {@link ngRoute.$route#example $route} for an example of configuring and using `ngRoute`.
+ *
+ * ## Dependencies
+ * Requires the {@link ngRoute `ngRoute`} module to be installed.
+ */
+function $RouteProvider() {
+ isArray = angular.isArray;
+ isObject = angular.isObject;
+
+ function inherit(parent, extra) {
+ return angular.extend(Object.create(parent), extra);
+ }
+
+ var routes = {};
+
+ /**
+ * @ngdoc method
+ * @name $routeProvider#when
+ *
+ * @param {string} path Route path (matched against `$location.path`). If `$location.path`
+ * contains redundant trailing slash or is missing one, the route will still match and the
+ * `$location.path` will be updated to add or drop the trailing slash to exactly match the
+ * route definition.
+ *
+ * * `path` can contain named groups starting with a colon: e.g. `:name`. All characters up
+ * to the next slash are matched and stored in `$routeParams` under the given `name`
+ * when the route matches.
+ * * `path` can contain named groups starting with a colon and ending with a star:
+ * e.g.`:name*`. All characters are eagerly stored in `$routeParams` under the given `name`
+ * when the route matches.
+ * * `path` can contain optional named groups with a question mark: e.g.`:name?`.
+ *
+ * For example, routes like `/color/:color/largecode/:largecode*\/edit` will match
+ * `/color/brown/largecode/code/with/slashes/edit` and extract:
+ *
+ * * `color: brown`
+ * * `largecode: code/with/slashes`.
+ *
+ *
+ * @param {Object} route Mapping information to be assigned to `$route.current` on route
+ * match.
+ *
+ * Object properties:
+ *
+ * - `controller` – `{(string|function()=}` – Controller fn that should be associated with
+ * newly created scope or the name of a {@link angular.Module#controller registered
+ * controller} if passed as a string.
+ * - `controllerAs` – `{string=}` – An identifier name for a reference to the controller.
+ * If present, the controller will be published to scope under the `controllerAs` name.
+ * - `template` – `{string=|function()=}` – html template as a string or a function that
+ * returns an html template as a string which should be used by {@link
+ * ngRoute.directive:ngView ngView} or {@link ng.directive:ngInclude ngInclude} directives.
+ * This property takes precedence over `templateUrl`.
+ *
+ * If `template` is a function, it will be called with the following parameters:
+ *
+ * - `{Array.}` - route parameters extracted from the current
+ * `$location.path()` by applying the current route
+ *
+ * - `templateUrl` – `{string=|function()=}` – path or function that returns a path to an html
+ * template that should be used by {@link ngRoute.directive:ngView ngView}.
+ *
+ * If `templateUrl` is a function, it will be called with the following parameters:
+ *
+ * - `{Array.}` - route parameters extracted from the current
+ * `$location.path()` by applying the current route
+ *
+ * - `resolve` - `{Object.=}` - An optional map of dependencies which should
+ * be injected into the controller. If any of these dependencies are promises, the router
+ * will wait for them all to be resolved or one to be rejected before the controller is
+ * instantiated.
+ * If all the promises are resolved successfully, the values of the resolved promises are
+ * injected and {@link ngRoute.$route#$routeChangeSuccess $routeChangeSuccess} event is
+ * fired. If any of the promises are rejected the
+ * {@link ngRoute.$route#$routeChangeError $routeChangeError} event is fired.
+ * For easier access to the resolved dependencies from the template, the `resolve` map will
+ * be available on the scope of the route, under `$resolve` (by default) or a custom name
+ * specified by the `resolveAs` property (see below). This can be particularly useful, when
+ * working with {@link angular.Module#component components} as route templates.
+ *
+ * **Note:** If your scope already contains a property with this name, it will be hidden
+ * or overwritten. Make sure, you specify an appropriate name for this property, that
+ * does not collide with other properties on the scope.
+ *
+ * The map object is:
+ *
+ * - `key` – `{string}`: a name of a dependency to be injected into the controller.
+ * - `factory` - `{string|function}`: If `string` then it is an alias for a service.
+ * Otherwise if function, then it is {@link auto.$injector#invoke injected}
+ * and the return value is treated as the dependency. If the result is a promise, it is
+ * resolved before its value is injected into the controller. Be aware that
+ * `ngRoute.$routeParams` will still refer to the previous route within these resolve
+ * functions. Use `$route.current.params` to access the new route parameters, instead.
+ *
+ * - `resolveAs` - `{string=}` - The name under which the `resolve` map will be available on
+ * the scope of the route. If omitted, defaults to `$resolve`.
+ *
+ * - `redirectTo` – `{(string|function())=}` – value to update
+ * {@link ng.$location $location} path with and trigger route redirection.
+ *
+ * If `redirectTo` is a function, it will be called with the following parameters:
+ *
+ * - `{Object.}` - route parameters extracted from the current
+ * `$location.path()` by applying the current route templateUrl.
+ * - `{string}` - current `$location.path()`
+ * - `{Object}` - current `$location.search()`
+ *
+ * The custom `redirectTo` function is expected to return a string which will be used
+ * to update `$location.path()` and `$location.search()`.
+ *
+ * - `[reloadOnSearch=true]` - `{boolean=}` - reload route when only `$location.search()`
+ * or `$location.hash()` changes.
+ *
+ * If the option is set to `false` and url in the browser changes, then
+ * `$routeUpdate` event is broadcasted on the root scope.
+ *
+ * - `[caseInsensitiveMatch=false]` - `{boolean=}` - match routes without being case sensitive
+ *
+ * If the option is set to `true`, then the particular route can be matched without being
+ * case sensitive
+ *
+ * @returns {Object} self
+ *
+ * @description
+ * Adds a new route definition to the `$route` service.
+ */
+ this.when = function(path, route) {
+ //copy original route object to preserve params inherited from proto chain
+ var routeCopy = shallowCopy(route);
+ if (angular.isUndefined(routeCopy.reloadOnSearch)) {
+ routeCopy.reloadOnSearch = true;
+ }
+ if (angular.isUndefined(routeCopy.caseInsensitiveMatch)) {
+ routeCopy.caseInsensitiveMatch = this.caseInsensitiveMatch;
+ }
+ routes[path] = angular.extend(
+ routeCopy,
+ path && pathRegExp(path, routeCopy)
+ );
+
+ // create redirection for trailing slashes
+ if (path) {
+ var redirectPath = (path[path.length - 1] === '/')
+ ? path.substr(0, path.length - 1)
+ : path + '/';
+
+ routes[redirectPath] = angular.extend(
+ {redirectTo: path},
+ pathRegExp(redirectPath, routeCopy)
+ );
+ }
+
+ return this;
+ };
+
+ /**
+ * @ngdoc property
+ * @name $routeProvider#caseInsensitiveMatch
+ * @description
+ *
+ * A boolean property indicating if routes defined
+ * using this provider should be matched using a case insensitive
+ * algorithm. Defaults to `false`.
+ */
+ this.caseInsensitiveMatch = false;
+
+ /**
+ * @param path {string} path
+ * @param opts {Object} options
+ * @return {?Object}
+ *
+ * @description
+ * Normalizes the given path, returning a regular expression
+ * and the original path.
+ *
+ * Inspired by pathRexp in visionmedia/express/lib/utils.js.
+ */
+ function pathRegExp(path, opts) {
+ var insensitive = opts.caseInsensitiveMatch,
+ ret = {
+ originalPath: path,
+ regexp: path
+ },
+ keys = ret.keys = [];
+
+ path = path
+ .replace(/([().])/g, '\\$1')
+ .replace(/(\/)?:(\w+)(\*\?|[?*])?/g, function(_, slash, key, option) {
+ var optional = (option === '?' || option === '*?') ? '?' : null;
+ var star = (option === '*' || option === '*?') ? '*' : null;
+ keys.push({ name: key, optional: !!optional });
+ slash = slash || '';
+ return ''
+ + (optional ? '' : slash)
+ + '(?:'
+ + (optional ? slash : '')
+ + (star && '(.+?)' || '([^/]+)')
+ + (optional || '')
+ + ')'
+ + (optional || '');
+ })
+ .replace(/([/$*])/g, '\\$1');
+
+ ret.regexp = new RegExp('^' + path + '$', insensitive ? 'i' : '');
+ return ret;
+ }
+
+ /**
+ * @ngdoc method
+ * @name $routeProvider#otherwise
+ *
+ * @description
+ * Sets route definition that will be used on route change when no other route definition
+ * is matched.
+ *
+ * @param {Object|string} params Mapping information to be assigned to `$route.current`.
+ * If called with a string, the value maps to `redirectTo`.
+ * @returns {Object} self
+ */
+ this.otherwise = function(params) {
+ if (typeof params === 'string') {
+ params = {redirectTo: params};
+ }
+ this.when(null, params);
+ return this;
+ };
+
+
+ this.$get = ['$rootScope',
+ '$location',
+ '$routeParams',
+ '$q',
+ '$injector',
+ '$templateRequest',
+ '$sce',
+ function($rootScope, $location, $routeParams, $q, $injector, $templateRequest, $sce) {
+
+ /**
+ * @ngdoc service
+ * @name $route
+ * @requires $location
+ * @requires $routeParams
+ *
+ * @property {Object} current Reference to the current route definition.
+ * The route definition contains:
+ *
+ * - `controller`: The controller constructor as defined in the route definition.
+ * - `locals`: A map of locals which is used by {@link ng.$controller $controller} service for
+ * controller instantiation. The `locals` contain
+ * the resolved values of the `resolve` map. Additionally the `locals` also contain:
+ *
+ * - `$scope` - The current route scope.
+ * - `$template` - The current route template HTML.
+ *
+ * The `locals` will be assigned to the route scope's `$resolve` property. You can override
+ * the property name, using `resolveAs` in the route definition. See
+ * {@link ngRoute.$routeProvider $routeProvider} for more info.
+ *
+ * @property {Object} routes Object with all route configuration Objects as its properties.
+ *
+ * @description
+ * `$route` is used for deep-linking URLs to controllers and views (HTML partials).
+ * It watches `$location.url()` and tries to map the path to an existing route definition.
+ *
+ * Requires the {@link ngRoute `ngRoute`} module to be installed.
+ *
+ * You can define routes through {@link ngRoute.$routeProvider $routeProvider}'s API.
+ *
+ * The `$route` service is typically used in conjunction with the
+ * {@link ngRoute.directive:ngView `ngView`} directive and the
+ * {@link ngRoute.$routeParams `$routeParams`} service.
+ *
+ * @example
+ * This example shows how changing the URL hash causes the `$route` to match a route against the
+ * URL, and the `ngView` pulls in the partial.
+ *
+ *
+ *
+ *
By enabling this setting without taking other precautions, you might expose your
+ * application to click-hijacking attacks. In these attacks, sanitized svg elements could be positioned
+ * outside of the containing element and be rendered over other elements on the page (e.g. a login
+ * link). Such behavior can then result in phishing incidents.
+ *
+ *
To protect against these, explicitly setup `overflow: hidden` css rule for all potential svg
+ * tags within the sanitized content: