summaryrefslogtreecommitdiff
diff options
context:
space:
mode:
authorGraeme Yeates <yeatesgraeme@gmail.com>2016-07-03 18:46:11 -0400
committerGraeme Yeates <yeatesgraeme@gmail.com>2016-07-03 18:46:11 -0400
commita823d56feb09f52bf29ef91cfafa0e45af3b2a74 (patch)
treefd0a3fc14735bb261fada989ca764d78462126aa
parent5d66b2abcf3e68da1f8d397d44a246f7c562a3da (diff)
downloadasync-lodash-use.tar.gz
Avoid including lodash iteratee in builds (saves 60kb :feelsgood:)lodash-use
-rw-r--r--dist/async.js11765
-rw-r--r--dist/async.min.js2
-rw-r--r--dist/async.min.map2
-rw-r--r--lib/auto.js2
-rw-r--r--lib/autoInject.js2
-rw-r--r--lib/race.js4
-rw-r--r--lib/reflectAll.js2
7 files changed, 5070 insertions, 6709 deletions
diff --git a/dist/async.js b/dist/async.js
index e5efdba..b964a50 100644
--- a/dist/async.js
+++ b/dist/async.js
@@ -1,6823 +1,5184 @@
(function (global, factory) {
- typeof exports === 'object' && typeof module !== 'undefined' ? factory(exports) :
- typeof define === 'function' && define.amd ? define(['exports'], factory) :
- (factory((global.async = global.async || {})));
+ typeof exports === 'object' && typeof module !== 'undefined' ? factory(exports) :
+ typeof define === 'function' && define.amd ? define(['exports'], factory) :
+ (factory((global.async = global.async || {})));
}(this, function (exports) { 'use strict';
- /**
- * A faster alternative to `Function#apply`, this function invokes `func`
- * with the `this` binding of `thisArg` and the arguments of `args`.
- *
- * @private
- * @param {Function} func The function to invoke.
- * @param {*} thisArg The `this` binding of `func`.
- * @param {Array} args The arguments to invoke `func` with.
- * @returns {*} Returns the result of `func`.
- */
- function apply(func, thisArg, args) {
- var length = args.length;
- switch (length) {
- case 0: return func.call(thisArg);
- case 1: return func.call(thisArg, args[0]);
- case 2: return func.call(thisArg, args[0], args[1]);
- case 3: return func.call(thisArg, args[0], args[1], args[2]);
- }
- return func.apply(thisArg, args);
- }
-
- /**
- * Checks if `value` is the
- * [language type](http://www.ecma-international.org/ecma-262/6.0/#sec-ecmascript-language-types)
- * of `Object`. (e.g. arrays, functions, objects, regexes, `new Number(0)`, and `new String('')`)
- *
- * @static
- * @memberOf _
- * @since 0.1.0
- * @category Lang
- * @param {*} value The value to check.
- * @returns {boolean} Returns `true` if `value` is an object, else `false`.
- * @example
- *
- * _.isObject({});
- * // => true
- *
- * _.isObject([1, 2, 3]);
- * // => true
- *
- * _.isObject(_.noop);
- * // => true
- *
- * _.isObject(null);
- * // => false
- */
- function isObject(value) {
- var type = typeof value;
- return !!value && (type == 'object' || type == 'function');
- }
-
- var funcTag = '[object Function]';
- var genTag = '[object GeneratorFunction]';
- /** Used for built-in method references. */
- var objectProto = Object.prototype;
-
- /**
- * Used to resolve the
- * [`toStringTag`](http://ecma-international.org/ecma-262/6.0/#sec-object.prototype.tostring)
- * of values.
- */
- var objectToString = objectProto.toString;
-
- /**
- * Checks if `value` is classified as a `Function` object.
- *
- * @static
- * @memberOf _
- * @since 0.1.0
- * @category Lang
- * @param {*} value The value to check.
- * @returns {boolean} Returns `true` if `value` is correctly classified,
- * else `false`.
- * @example
- *
- * _.isFunction(_);
- * // => true
- *
- * _.isFunction(/abc/);
- * // => false
- */
- function isFunction(value) {
- // The use of `Object#toString` avoids issues with the `typeof` operator
- // in Safari 8 which returns 'object' for typed array and weak map constructors,
- // and PhantomJS 1.9 which returns 'function' for `NodeList` instances.
- var tag = isObject(value) ? objectToString.call(value) : '';
- return tag == funcTag || tag == genTag;
- }
-
- /**
- * Checks if `value` is object-like. A value is object-like if it's not `null`
- * and has a `typeof` result of "object".
- *
- * @static
- * @memberOf _
- * @since 4.0.0
- * @category Lang
- * @param {*} value The value to check.
- * @returns {boolean} Returns `true` if `value` is object-like, else `false`.
- * @example
- *
- * _.isObjectLike({});
- * // => true
- *
- * _.isObjectLike([1, 2, 3]);
- * // => true
- *
- * _.isObjectLike(_.noop);
- * // => false
- *
- * _.isObjectLike(null);
- * // => false
- */
- function isObjectLike(value) {
- return !!value && typeof value == 'object';
- }
-
- /** `Object#toString` result references. */
- var symbolTag = '[object Symbol]';
-
- /** Used for built-in method references. */
- var objectProto$1 = Object.prototype;
-
- /**
- * Used to resolve the
- * [`toStringTag`](http://ecma-international.org/ecma-262/6.0/#sec-object.prototype.tostring)
- * of values.
- */
- var objectToString$1 = objectProto$1.toString;
-
- /**
- * Checks if `value` is classified as a `Symbol` primitive or object.
- *
- * @static
- * @memberOf _
- * @since 4.0.0
- * @category Lang
- * @param {*} value The value to check.
- * @returns {boolean} Returns `true` if `value` is correctly classified,
- * else `false`.
- * @example
- *
- * _.isSymbol(Symbol.iterator);
- * // => true
- *
- * _.isSymbol('abc');
- * // => false
- */
- function isSymbol(value) {
- return typeof value == 'symbol' ||
- (isObjectLike(value) && objectToString$1.call(value) == symbolTag);
+ /**
+ * A faster alternative to `Function#apply`, this function invokes `func`
+ * with the `this` binding of `thisArg` and the arguments of `args`.
+ *
+ * @private
+ * @param {Function} func The function to invoke.
+ * @param {*} thisArg The `this` binding of `func`.
+ * @param {Array} args The arguments to invoke `func` with.
+ * @returns {*} Returns the result of `func`.
+ */
+ function apply(func, thisArg, args) {
+ var length = args.length;
+ switch (length) {
+ case 0: return func.call(thisArg);
+ case 1: return func.call(thisArg, args[0]);
+ case 2: return func.call(thisArg, args[0], args[1]);
+ case 3: return func.call(thisArg, args[0], args[1], args[2]);
+ }
+ return func.apply(thisArg, args);
+ }
+
+ /**
+ * Checks if `value` is the
+ * [language type](http://www.ecma-international.org/ecma-262/6.0/#sec-ecmascript-language-types)
+ * of `Object`. (e.g. arrays, functions, objects, regexes, `new Number(0)`, and `new String('')`)
+ *
+ * @static
+ * @memberOf _
+ * @since 0.1.0
+ * @category Lang
+ * @param {*} value The value to check.
+ * @returns {boolean} Returns `true` if `value` is an object, else `false`.
+ * @example
+ *
+ * _.isObject({});
+ * // => true
+ *
+ * _.isObject([1, 2, 3]);
+ * // => true
+ *
+ * _.isObject(_.noop);
+ * // => true
+ *
+ * _.isObject(null);
+ * // => false
+ */
+ function isObject(value) {
+ var type = typeof value;
+ return !!value && (type == 'object' || type == 'function');
+ }
+
+ var funcTag = '[object Function]';
+ var genTag = '[object GeneratorFunction]';
+ /** Used for built-in method references. */
+ var objectProto = Object.prototype;
+
+ /**
+ * Used to resolve the
+ * [`toStringTag`](http://ecma-international.org/ecma-262/6.0/#sec-object.prototype.tostring)
+ * of values.
+ */
+ var objectToString = objectProto.toString;
+
+ /**
+ * Checks if `value` is classified as a `Function` object.
+ *
+ * @static
+ * @memberOf _
+ * @since 0.1.0
+ * @category Lang
+ * @param {*} value The value to check.
+ * @returns {boolean} Returns `true` if `value` is correctly classified,
+ * else `false`.
+ * @example
+ *
+ * _.isFunction(_);
+ * // => true
+ *
+ * _.isFunction(/abc/);
+ * // => false
+ */
+ function isFunction(value) {
+ // The use of `Object#toString` avoids issues with the `typeof` operator
+ // in Safari 8 which returns 'object' for typed array and weak map constructors,
+ // and PhantomJS 1.9 which returns 'function' for `NodeList` instances.
+ var tag = isObject(value) ? objectToString.call(value) : '';
+ return tag == funcTag || tag == genTag;
+ }
+
+ /**
+ * Checks if `value` is object-like. A value is object-like if it's not `null`
+ * and has a `typeof` result of "object".
+ *
+ * @static
+ * @memberOf _
+ * @since 4.0.0
+ * @category Lang
+ * @param {*} value The value to check.
+ * @returns {boolean} Returns `true` if `value` is object-like, else `false`.
+ * @example
+ *
+ * _.isObjectLike({});
+ * // => true
+ *
+ * _.isObjectLike([1, 2, 3]);
+ * // => true
+ *
+ * _.isObjectLike(_.noop);
+ * // => false
+ *
+ * _.isObjectLike(null);
+ * // => false
+ */
+ function isObjectLike(value) {
+ return !!value && typeof value == 'object';
+ }
+
+ /** `Object#toString` result references. */
+ var symbolTag = '[object Symbol]';
+
+ /** Used for built-in method references. */
+ var objectProto$1 = Object.prototype;
+
+ /**
+ * Used to resolve the
+ * [`toStringTag`](http://ecma-international.org/ecma-262/6.0/#sec-object.prototype.tostring)
+ * of values.
+ */
+ var objectToString$1 = objectProto$1.toString;
+
+ /**
+ * Checks if `value` is classified as a `Symbol` primitive or object.
+ *
+ * @static
+ * @memberOf _
+ * @since 4.0.0
+ * @category Lang
+ * @param {*} value The value to check.
+ * @returns {boolean} Returns `true` if `value` is correctly classified,
+ * else `false`.
+ * @example
+ *
+ * _.isSymbol(Symbol.iterator);
+ * // => true
+ *
+ * _.isSymbol('abc');
+ * // => false
+ */
+ function isSymbol(value) {
+ return typeof value == 'symbol' ||
+ (isObjectLike(value) && objectToString$1.call(value) == symbolTag);
+ }
+
+ /** Used as references for various `Number` constants. */
+ var NAN = 0 / 0;
+
+ /** Used to match leading and trailing whitespace. */
+ var reTrim = /^\s+|\s+$/g;
+
+ /** Used to detect bad signed hexadecimal string values. */
+ var reIsBadHex = /^[-+]0x[0-9a-f]+$/i;
+
+ /** Used to detect binary string values. */
+ var reIsBinary = /^0b[01]+$/i;
+
+ /** Used to detect octal string values. */
+ var reIsOctal = /^0o[0-7]+$/i;
+
+ /** Built-in method references without a dependency on `root`. */
+ var freeParseInt = parseInt;
+
+ /**
+ * Converts `value` to a number.
+ *
+ * @static
+ * @memberOf _
+ * @since 4.0.0
+ * @category Lang
+ * @param {*} value The value to process.
+ * @returns {number} Returns the number.
+ * @example
+ *
+ * _.toNumber(3.2);
+ * // => 3.2
+ *
+ * _.toNumber(Number.MIN_VALUE);
+ * // => 5e-324
+ *
+ * _.toNumber(Infinity);
+ * // => Infinity
+ *
+ * _.toNumber('3.2');
+ * // => 3.2
+ */
+ function toNumber(value) {
+ if (typeof value == 'number') {
+ return value;
}
+ if (isSymbol(value)) {
+ return NAN;
+ }
+ if (isObject(value)) {
+ var other = isFunction(value.valueOf) ? value.valueOf() : value;
+ value = isObject(other) ? (other + '') : other;
+ }
+ if (typeof value != 'string') {
+ return value === 0 ? value : +value;
+ }
+ value = value.replace(reTrim, '');
+ var isBinary = reIsBinary.test(value);
+ return (isBinary || reIsOctal.test(value))
+ ? freeParseInt(value.slice(2), isBinary ? 2 : 8)
+ : (reIsBadHex.test(value) ? NAN : +value);
+ }
+
+ var INFINITY = 1 / 0;
+ var MAX_INTEGER = 1.7976931348623157e+308;
+ /**
+ * Converts `value` to a finite number.
+ *
+ * @static
+ * @memberOf _
+ * @since 4.12.0
+ * @category Lang
+ * @param {*} value The value to convert.
+ * @returns {number} Returns the converted number.
+ * @example
+ *
+ * _.toFinite(3.2);
+ * // => 3.2
+ *
+ * _.toFinite(Number.MIN_VALUE);
+ * // => 5e-324
+ *
+ * _.toFinite(Infinity);
+ * // => 1.7976931348623157e+308
+ *
+ * _.toFinite('3.2');
+ * // => 3.2
+ */
+ function toFinite(value) {
+ if (!value) {
+ return value === 0 ? value : 0;
+ }
+ value = toNumber(value);
+ if (value === INFINITY || value === -INFINITY) {
+ var sign = (value < 0 ? -1 : 1);
+ return sign * MAX_INTEGER;
+ }
+ return value === value ? value : 0;
+ }
+
+ /**
+ * Converts `value` to an integer.
+ *
+ * **Note:** This method is loosely based on
+ * [`ToInteger`](http://www.ecma-international.org/ecma-262/6.0/#sec-tointeger).
+ *
+ * @static
+ * @memberOf _
+ * @since 4.0.0
+ * @category Lang
+ * @param {*} value The value to convert.
+ * @returns {number} Returns the converted integer.
+ * @example
+ *
+ * _.toInteger(3.2);
+ * // => 3
+ *
+ * _.toInteger(Number.MIN_VALUE);
+ * // => 0
+ *
+ * _.toInteger(Infinity);
+ * // => 1.7976931348623157e+308
+ *
+ * _.toInteger('3.2');
+ * // => 3
+ */
+ function toInteger(value) {
+ var result = toFinite(value),
+ remainder = result % 1;
+
+ return result === result ? (remainder ? result - remainder : result) : 0;
+ }
+
+ /** Used as the `TypeError` message for "Functions" methods. */
+ var FUNC_ERROR_TEXT = 'Expected a function';
+
+ /* Built-in method references for those with the same name as other `lodash` methods. */
+ var nativeMax = Math.max;
+
+ /**
+ * Creates a function that invokes `func` with the `this` binding of the
+ * created function and arguments from `start` and beyond provided as
+ * an array.
+ *
+ * **Note:** This method is based on the
+ * [rest parameter](https://mdn.io/rest_parameters).
+ *
+ * @static
+ * @memberOf _
+ * @since 4.0.0
+ * @category Function
+ * @param {Function} func The function to apply a rest parameter to.
+ * @param {number} [start=func.length-1] The start position of the rest parameter.
+ * @returns {Function} Returns the new function.
+ * @example
+ *
+ * var say = _.rest(function(what, names) {
+ * return what + ' ' + _.initial(names).join(', ') +
+ * (_.size(names) > 1 ? ', & ' : '') + _.last(names);
+ * });
+ *
+ * say('hello', 'fred', 'barney', 'pebbles');
+ * // => 'hello fred, barney, & pebbles'
+ */
+ function rest(func, start) {
+ if (typeof func != 'function') {
+ throw new TypeError(FUNC_ERROR_TEXT);
+ }
+ start = nativeMax(start === undefined ? (func.length - 1) : toInteger(start), 0);
+ return function() {
+ var args = arguments,
+ index = -1,
+ length = nativeMax(args.length - start, 0),
+ array = Array(length);
- /** Used as references for various `Number` constants. */
- var NAN = 0 / 0;
-
- /** Used to match leading and trailing whitespace. */
- var reTrim = /^\s+|\s+$/g;
-
- /** Used to detect bad signed hexadecimal string values. */
- var reIsBadHex = /^[-+]0x[0-9a-f]+$/i;
-
- /** Used to detect binary string values. */
- var reIsBinary = /^0b[01]+$/i;
-
- /** Used to detect octal string values. */
- var reIsOctal = /^0o[0-7]+$/i;
-
- /** Built-in method references without a dependency on `root`. */
- var freeParseInt = parseInt;
-
- /**
- * Converts `value` to a number.
- *
- * @static
- * @memberOf _
- * @since 4.0.0
- * @category Lang
- * @param {*} value The value to process.
- * @returns {number} Returns the number.
- * @example
- *
- * _.toNumber(3.2);
- * // => 3.2
- *
- * _.toNumber(Number.MIN_VALUE);
- * // => 5e-324
- *
- * _.toNumber(Infinity);
- * // => Infinity
- *
- * _.toNumber('3.2');
- * // => 3.2
- */
- function toNumber(value) {
- if (typeof value == 'number') {
- return value;
- }
- if (isSymbol(value)) {
- return NAN;
+ while (++index < length) {
+ array[index] = args[start + index];
}
- if (isObject(value)) {
- var other = isFunction(value.valueOf) ? value.valueOf() : value;
- value = isObject(other) ? (other + '') : other;
+ switch (start) {
+ case 0: return func.call(this, array);
+ case 1: return func.call(this, args[0], array);
+ case 2: return func.call(this, args[0], args[1], array);
}
- if (typeof value != 'string') {
- return value === 0 ? value : +value;
+ var otherArgs = Array(start + 1);
+ index = -1;
+ while (++index < start) {
+ otherArgs[index] = args[index];
}
- value = value.replace(reTrim, '');
- var isBinary = reIsBinary.test(value);
- return (isBinary || reIsOctal.test(value))
- ? freeParseInt(value.slice(2), isBinary ? 2 : 8)
- : (reIsBadHex.test(value) ? NAN : +value);
- }
-
- var INFINITY = 1 / 0;
- var MAX_INTEGER = 1.7976931348623157e+308;
- /**
- * Converts `value` to a finite number.
- *
- * @static
- * @memberOf _
- * @since 4.12.0
- * @category Lang
- * @param {*} value The value to convert.
- * @returns {number} Returns the converted number.
- * @example
- *
- * _.toFinite(3.2);
- * // => 3.2
- *
- * _.toFinite(Number.MIN_VALUE);
- * // => 5e-324
- *
- * _.toFinite(Infinity);
- * // => 1.7976931348623157e+308
- *
- * _.toFinite('3.2');
- * // => 3.2
- */
- function toFinite(value) {
- if (!value) {
- return value === 0 ? value : 0;
- }
- value = toNumber(value);
- if (value === INFINITY || value === -INFINITY) {
- var sign = (value < 0 ? -1 : 1);
- return sign * MAX_INTEGER;
- }
- return value === value ? value : 0;
- }
-
- /**
- * Converts `value` to an integer.
- *
- * **Note:** This method is loosely based on
- * [`ToInteger`](http://www.ecma-international.org/ecma-262/6.0/#sec-tointeger).
- *
- * @static
- * @memberOf _
- * @since 4.0.0
- * @category Lang
- * @param {*} value The value to convert.
- * @returns {number} Returns the converted integer.
- * @example
- *
- * _.toInteger(3.2);
- * // => 3
- *
- * _.toInteger(Number.MIN_VALUE);
- * // => 0
- *
- * _.toInteger(Infinity);
- * // => 1.7976931348623157e+308
- *
- * _.toInteger('3.2');
- * // => 3
- */
- function toInteger(value) {
- var result = toFinite(value),
- remainder = result % 1;
-
- return result === result ? (remainder ? result - remainder : result) : 0;
- }
-
- /** Used as the `TypeError` message for "Functions" methods. */
- var FUNC_ERROR_TEXT = 'Expected a function';
-
- /* Built-in method references for those with the same name as other `lodash` methods. */
- var nativeMax = Math.max;
-
- /**
- * Creates a function that invokes `func` with the `this` binding of the
- * created function and arguments from `start` and beyond provided as
- * an array.
- *
- * **Note:** This method is based on the
- * [rest parameter](https://mdn.io/rest_parameters).
- *
- * @static
- * @memberOf _
- * @since 4.0.0
- * @category Function
- * @param {Function} func The function to apply a rest parameter to.
- * @param {number} [start=func.length-1] The start position of the rest parameter.
- * @returns {Function} Returns the new function.
- * @example
- *
- * var say = _.rest(function(what, names) {
- * return what + ' ' + _.initial(names).join(', ') +
- * (_.size(names) > 1 ? ', & ' : '') + _.last(names);
- * });
- *
- * say('hello', 'fred', 'barney', 'pebbles');
- * // => 'hello fred, barney, & pebbles'
- */
- function rest(func, start) {
- if (typeof func != 'function') {
- throw new TypeError(FUNC_ERROR_TEXT);
- }
- start = nativeMax(start === undefined ? (func.length - 1) : toInteger(start), 0);
- return function() {
- var args = arguments,
- index = -1,
- length = nativeMax(args.length - start, 0),
- array = Array(length);
-
- while (++index < length) {
- array[index] = args[start + index];
- }
- switch (start) {
- case 0: return func.call(this, array);
- case 1: return func.call(this, args[0], array);
- case 2: return func.call(this, args[0], args[1], array);
- }
- var otherArgs = Array(start + 1);
- index = -1;
- while (++index < start) {
- otherArgs[index] = args[index];
- }
- otherArgs[start] = array;
- return apply(func, this, otherArgs);
- };
- }
-
- function initialParams (fn) {
- return rest(function (args /*..., callback*/) {
- var callback = args.pop();
- fn.call(this, args, callback);
- });
- }
-
- function applyEach$1(eachfn) {
- return rest(function (fns, args) {
- var go = initialParams(function (args, callback) {
- var that = this;
- return eachfn(fns, function (fn, cb) {
- fn.apply(that, args.concat([cb]));
- }, callback);
- });
- if (args.length) {
- return go.apply(this, args);
- } else {
- return go;
- }
- });
- }
-
- /**
- * A method that returns `undefined`.
- *
- * @static
- * @memberOf _
- * @since 2.3.0
- * @category Util
- * @example
- *
- * _.times(2, _.noop);
- * // => [undefined, undefined]
- */
- function noop() {
- // No operation performed.
- }
-
- function once(fn) {
- return function () {
- if (fn === null) return;
- var callFn = fn;
- fn = null;
- callFn.apply(this, arguments);
- };
- }
+ otherArgs[start] = array;
+ return apply(func, this, otherArgs);
+ };
+ }
- /**
- * The base implementation of `_.property` without support for deep paths.
- *
- * @private
- * @param {string} key The key of the property to get.
- * @returns {Function} Returns the new accessor function.
- */
- function baseProperty(key) {
- return function(object) {
- return object == null ? undefined : object[key];
+ function initialParams (fn) {
+ return rest(function (args /*..., callback*/) {
+ var callback = args.pop();
+ fn.call(this, args, callback);
+ });
+ }
+
+ function applyEach$1(eachfn) {
+ return rest(function (fns, args) {
+ var go = initialParams(function (args, callback) {
+ var that = this;
+ return eachfn(fns, function (fn, cb) {
+ fn.apply(that, args.concat([cb]));
+ }, callback);
+ });
+ if (args.length) {
+ return go.apply(this, args);
+ } else {
+ return go;
+ }
+ });
+ }
+
+ /**
+ * A method that returns `undefined`.
+ *
+ * @static
+ * @memberOf _
+ * @since 2.3.0
+ * @category Util
+ * @example
+ *
+ * _.times(2, _.noop);
+ * // => [undefined, undefined]
+ */
+ function noop() {
+ // No operation performed.
+ }
+
+ function once(fn) {
+ return function () {
+ if (fn === null) return;
+ var callFn = fn;
+ fn = null;
+ callFn.apply(this, arguments);
};
- }
-
- /**
- * Gets the "length" property value of `object`.
- *
- * **Note:** This function is used to avoid a
- * [JIT bug](https://bugs.webkit.org/show_bug.cgi?id=142792) that affects
- * Safari on at least iOS 8.1-8.3 ARM64.
- *
- * @private
- * @param {Object} object The object to query.
- * @returns {*} Returns the "length" value.
- */
- var getLength = baseProperty('length');
-
- /** Used as references for various `Number` constants. */
- var MAX_SAFE_INTEGER = 9007199254740991;
-
- /**
- * Checks if `value` is a valid array-like length.
- *
- * **Note:** This function is loosely based on
- * [`ToLength`](http://ecma-international.org/ecma-262/6.0/#sec-tolength).
- *
- * @static
- * @memberOf _
- * @since 4.0.0
- * @category Lang
- * @param {*} value The value to check.
- * @returns {boolean} Returns `true` if `value` is a valid length,
- * else `false`.
- * @example
- *
- * _.isLength(3);
- * // => true
- *
- * _.isLength(Number.MIN_VALUE);
- * // => false
- *
- * _.isLength(Infinity);
- * // => false
- *
- * _.isLength('3');
- * // => false
- */
- function isLength(value) {
- return typeof value == 'number' &&
- value > -1 && value % 1 == 0 && value <= MAX_SAFE_INTEGER;
- }
-
- /**
- * Checks if `value` is array-like. A value is considered array-like if it's
- * not a function and has a `value.length` that's an integer greater than or
- * equal to `0` and less than or equal to `Number.MAX_SAFE_INTEGER`.
- *
- * @static
- * @memberOf _
- * @since 4.0.0
- * @category Lang
- * @param {*} value The value to check.
- * @returns {boolean} Returns `true` if `value` is array-like, else `false`.
- * @example
- *
- * _.isArrayLike([1, 2, 3]);
- * // => true
- *
- * _.isArrayLike(document.body.children);
- * // => true
- *
- * _.isArrayLike('abc');
- * // => true
- *
- * _.isArrayLike(_.noop);
- * // => false
- */
- function isArrayLike(value) {
- return value != null && isLength(getLength(value)) && !isFunction(value);
- }
-
- var iteratorSymbol = typeof Symbol === 'function' && Symbol.iterator;
-
- function getIterator (coll) {
- return iteratorSymbol && coll[iteratorSymbol] && coll[iteratorSymbol]();
- }
-
- /* Built-in method references for those with the same name as other `lodash` methods. */
- var nativeGetPrototype = Object.getPrototypeOf;
-
- /**
- * Gets the `[[Prototype]]` of `value`.
- *
- * @private
- * @param {*} value The value to query.
- * @returns {null|Object} Returns the `[[Prototype]]`.
- */
- function getPrototype(value) {
- return nativeGetPrototype(Object(value));
- }
-
- /** Used for built-in method references. */
- var objectProto$2 = Object.prototype;
-
- /** Used to check objects for own properties. */
- var hasOwnProperty = objectProto$2.hasOwnProperty;
-
- /**
- * The base implementation of `_.has` without support for deep paths.
- *
- * @private
- * @param {Object} [object] The object to query.
- * @param {Array|string} key The key to check.
- * @returns {boolean} Returns `true` if `key` exists, else `false`.
- */
- function baseHas(object, key) {
- // Avoid a bug in IE 10-11 where objects with a [[Prototype]] of `null`,
- // that are composed entirely of index properties, return `false` for
- // `hasOwnProperty` checks of them.
- return object != null &&
- (hasOwnProperty.call(object, key) ||
- (typeof object == 'object' && key in object && getPrototype(object) === null));
- }
-
- /* Built-in method references for those with the same name as other `lodash` methods. */
- var nativeKeys = Object.keys;
-
- /**
- * The base implementation of `_.keys` which doesn't skip the constructor
- * property of prototypes or treat sparse arrays as dense.
- *
- * @private
- * @param {Object} object The object to query.
- * @returns {Array} Returns the array of property names.
- */
- function baseKeys(object) {
- return nativeKeys(Object(object));
- }
-
- /**
- * The base implementation of `_.times` without support for iteratee shorthands
- * or max array length checks.
- *
- * @private
- * @param {number} n The number of times to invoke `iteratee`.
- * @param {Function} iteratee The function invoked per iteration.
- * @returns {Array} Returns the array of results.
- */
- function baseTimes(n, iteratee) {
- var index = -1,
- result = Array(n);
-
- while (++index < n) {
- result[index] = iteratee(index);
- }
- return result;
- }
-
- /**
- * This method is like `_.isArrayLike` except that it also checks if `value`
- * is an object.
- *
- * @static
- * @memberOf _
- * @since 4.0.0
- * @category Lang
- * @param {*} value The value to check.
- * @returns {boolean} Returns `true` if `value` is an array-like object,
- * else `false`.
- * @example
- *
- * _.isArrayLikeObject([1, 2, 3]);
- * // => true
- *
- * _.isArrayLikeObject(document.body.children);
- * // => true
- *
- * _.isArrayLikeObject('abc');
- * // => false
- *
- * _.isArrayLikeObject(_.noop);
- * // => false
- */
- function isArrayLikeObject(value) {
- return isObjectLike(value) && isArrayLike(value);
- }
-
- /** `Object#toString` result references. */
- var argsTag = '[object Arguments]';
-
- /** Used for built-in method references. */
- var objectProto$3 = Object.prototype;
-
- /** Used to check objects for own properties. */
- var hasOwnProperty$1 = objectProto$3.hasOwnProperty;
-
- /**
- * Used to resolve the
- * [`toStringTag`](http://ecma-international.org/ecma-262/6.0/#sec-object.prototype.tostring)
- * of values.
- */
- var objectToString$2 = objectProto$3.toString;
-
- /** Built-in value references. */
- var propertyIsEnumerable = objectProto$3.propertyIsEnumerable;
-
- /**
- * Checks if `value` is likely an `arguments` object.
- *
- * @static
- * @memberOf _
- * @since 0.1.0
- * @category Lang
- * @param {*} value The value to check.
- * @returns {boolean} Returns `true` if `value` is correctly classified,
- * else `false`.
- * @example
- *
- * _.isArguments(function() { return arguments; }());
- * // => true
- *
- * _.isArguments([1, 2, 3]);
- * // => false
- */
- function isArguments(value) {
- // Safari 8.1 incorrectly makes `arguments.callee` enumerable in strict mode.
- return isArrayLikeObject(value) && hasOwnProperty$1.call(value, 'callee') &&
- (!propertyIsEnumerable.call(value, 'callee') || objectToString$2.call(value) == argsTag);
- }
-
- /**
- * Checks if `value` is classified as an `Array` object.
- *
- * @static
- * @memberOf _
- * @since 0.1.0
- * @type {Function}
- * @category Lang
- * @param {*} value The value to check.
- * @returns {boolean} Returns `true` if `value` is correctly classified,
- * else `false`.
- * @example
- *
- * _.isArray([1, 2, 3]);
- * // => true
- *
- * _.isArray(document.body.children);
- * // => false
- *
- * _.isArray('abc');
- * // => false
- *
- * _.isArray(_.noop);
- * // => false
- */
- var isArray = Array.isArray;
-
- /** `Object#toString` result references. */
- var stringTag = '[object String]';
-
- /** Used for built-in method references. */
- var objectProto$4 = Object.prototype;
-
- /**
- * Used to resolve the
- * [`toStringTag`](http://ecma-international.org/ecma-262/6.0/#sec-object.prototype.tostring)
- * of values.
- */
- var objectToString$3 = objectProto$4.toString;
-
- /**
- * Checks if `value` is classified as a `String` primitive or object.
- *
- * @static
- * @since 0.1.0
- * @memberOf _
- * @category Lang
- * @param {*} value The value to check.
- * @returns {boolean} Returns `true` if `value` is correctly classified,
- * else `false`.
- * @example
- *
- * _.isString('abc');
- * // => true
- *
- * _.isString(1);
- * // => false
- */
- function isString(value) {
- return typeof value == 'string' ||
- (!isArray(value) && isObjectLike(value) && objectToString$3.call(value) == stringTag);
- }
-
- /**
- * Creates an array of index keys for `object` values of arrays,
- * `arguments` objects, and strings, otherwise `null` is returned.
- *
- * @private
- * @param {Object} object The object to query.
- * @returns {Array|null} Returns index keys, else `null`.
- */
- function indexKeys(object) {
- var length = object ? object.length : undefined;
- if (isLength(length) &&
- (isArray(object) || isString(object) || isArguments(object))) {
- return baseTimes(length, String);
+ }
+
+ /**
+ * The base implementation of `_.property` without support for deep paths.
+ *
+ * @private
+ * @param {string} key The key of the property to get.
+ * @returns {Function} Returns the new accessor function.
+ */
+ function baseProperty(key) {
+ return function(object) {
+ return object == null ? undefined : object[key];
+ };
+ }
+
+ /**
+ * Gets the "length" property value of `object`.
+ *
+ * **Note:** This function is used to avoid a
+ * [JIT bug](https://bugs.webkit.org/show_bug.cgi?id=142792) that affects
+ * Safari on at least iOS 8.1-8.3 ARM64.
+ *
+ * @private
+ * @param {Object} object The object to query.
+ * @returns {*} Returns the "length" value.
+ */
+ var getLength = baseProperty('length');
+
+ /** Used as references for various `Number` constants. */
+ var MAX_SAFE_INTEGER = 9007199254740991;
+
+ /**
+ * Checks if `value` is a valid array-like length.
+ *
+ * **Note:** This function is loosely based on
+ * [`ToLength`](http://ecma-international.org/ecma-262/6.0/#sec-tolength).
+ *
+ * @static
+ * @memberOf _
+ * @since 4.0.0
+ * @category Lang
+ * @param {*} value The value to check.
+ * @returns {boolean} Returns `true` if `value` is a valid length,
+ * else `false`.
+ * @example
+ *
+ * _.isLength(3);
+ * // => true
+ *
+ * _.isLength(Number.MIN_VALUE);
+ * // => false
+ *
+ * _.isLength(Infinity);
+ * // => false
+ *
+ * _.isLength('3');
+ * // => false
+ */
+ function isLength(value) {
+ return typeof value == 'number' &&
+ value > -1 && value % 1 == 0 && value <= MAX_SAFE_INTEGER;
+ }
+
+ /**
+ * Checks if `value` is array-like. A value is considered array-like if it's
+ * not a function and has a `value.length` that's an integer greater than or
+ * equal to `0` and less than or equal to `Number.MAX_SAFE_INTEGER`.
+ *
+ * @static
+ * @memberOf _
+ * @since 4.0.0
+ * @category Lang
+ * @param {*} value The value to check.
+ * @returns {boolean} Returns `true` if `value` is array-like, else `false`.
+ * @example
+ *
+ * _.isArrayLike([1, 2, 3]);
+ * // => true
+ *
+ * _.isArrayLike(document.body.children);
+ * // => true
+ *
+ * _.isArrayLike('abc');
+ * // => true
+ *
+ * _.isArrayLike(_.noop);
+ * // => false
+ */
+ function isArrayLike(value) {
+ return value != null && isLength(getLength(value)) && !isFunction(value);
+ }
+
+ var iteratorSymbol = typeof Symbol === 'function' && Symbol.iterator;
+
+ function getIterator (coll) {
+ return iteratorSymbol && coll[iteratorSymbol] && coll[iteratorSymbol]();
+ }
+
+ /* Built-in method references for those with the same name as other `lodash` methods. */
+ var nativeGetPrototype = Object.getPrototypeOf;
+
+ /**
+ * Gets the `[[Prototype]]` of `value`.
+ *
+ * @private
+ * @param {*} value The value to query.
+ * @returns {null|Object} Returns the `[[Prototype]]`.
+ */
+ function getPrototype(value) {
+ return nativeGetPrototype(Object(value));
+ }
+
+ /** Used for built-in method references. */
+ var objectProto$2 = Object.prototype;
+
+ /** Used to check objects for own properties. */
+ var hasOwnProperty = objectProto$2.hasOwnProperty;
+
+ /**
+ * The base implementation of `_.has` without support for deep paths.
+ *
+ * @private
+ * @param {Object} [object] The object to query.
+ * @param {Array|string} key The key to check.
+ * @returns {boolean} Returns `true` if `key` exists, else `false`.
+ */
+ function baseHas(object, key) {
+ // Avoid a bug in IE 10-11 where objects with a [[Prototype]] of `null`,
+ // that are composed entirely of index properties, return `false` for
+ // `hasOwnProperty` checks of them.
+ return object != null &&
+ (hasOwnProperty.call(object, key) ||
+ (typeof object == 'object' && key in object && getPrototype(object) === null));
+ }
+
+ /* Built-in method references for those with the same name as other `lodash` methods. */
+ var nativeKeys = Object.keys;
+
+ /**
+ * The base implementation of `_.keys` which doesn't skip the constructor
+ * property of prototypes or treat sparse arrays as dense.
+ *
+ * @private
+ * @param {Object} object The object to query.
+ * @returns {Array} Returns the array of property names.
+ */
+ function baseKeys(object) {
+ return nativeKeys(Object(object));
+ }
+
+ /**
+ * The base implementation of `_.times` without support for iteratee shorthands
+ * or max array length checks.
+ *
+ * @private
+ * @param {number} n The number of times to invoke `iteratee`.
+ * @param {Function} iteratee The function invoked per iteration.
+ * @returns {Array} Returns the array of results.
+ */
+ function baseTimes(n, iteratee) {
+ var index = -1,
+ result = Array(n);
+
+ while (++index < n) {
+ result[index] = iteratee(index);
+ }
+ return result;
+ }
+
+ /**
+ * This method is like `_.isArrayLike` except that it also checks if `value`
+ * is an object.
+ *
+ * @static
+ * @memberOf _
+ * @since 4.0.0
+ * @category Lang
+ * @param {*} value The value to check.
+ * @returns {boolean} Returns `true` if `value` is an array-like object,
+ * else `false`.
+ * @example
+ *
+ * _.isArrayLikeObject([1, 2, 3]);
+ * // => true
+ *
+ * _.isArrayLikeObject(document.body.children);
+ * // => true
+ *
+ * _.isArrayLikeObject('abc');
+ * // => false
+ *
+ * _.isArrayLikeObject(_.noop);
+ * // => false
+ */
+ function isArrayLikeObject(value) {
+ return isObjectLike(value) && isArrayLike(value);
+ }
+
+ /** `Object#toString` result references. */
+ var argsTag = '[object Arguments]';
+
+ /** Used for built-in method references. */
+ var objectProto$3 = Object.prototype;
+
+ /** Used to check objects for own properties. */
+ var hasOwnProperty$1 = objectProto$3.hasOwnProperty;
+
+ /**
+ * Used to resolve the
+ * [`toStringTag`](http://ecma-international.org/ecma-262/6.0/#sec-object.prototype.tostring)
+ * of values.
+ */
+ var objectToString$2 = objectProto$3.toString;
+
+ /** Built-in value references. */
+ var propertyIsEnumerable = objectProto$3.propertyIsEnumerable;
+
+ /**
+ * Checks if `value` is likely an `arguments` object.
+ *
+ * @static
+ * @memberOf _
+ * @since 0.1.0
+ * @category Lang
+ * @param {*} value The value to check.
+ * @returns {boolean} Returns `true` if `value` is correctly classified,
+ * else `false`.
+ * @example
+ *
+ * _.isArguments(function() { return arguments; }());
+ * // => true
+ *
+ * _.isArguments([1, 2, 3]);
+ * // => false
+ */
+ function isArguments(value) {
+ // Safari 8.1 incorrectly makes `arguments.callee` enumerable in strict mode.
+ return isArrayLikeObject(value) && hasOwnProperty$1.call(value, 'callee') &&
+ (!propertyIsEnumerable.call(value, 'callee') || objectToString$2.call(value) == argsTag);
+ }
+
+ /**
+ * Checks if `value` is classified as an `Array` object.
+ *
+ * @static
+ * @memberOf _
+ * @since 0.1.0
+ * @type {Function}
+ * @category Lang
+ * @param {*} value The value to check.
+ * @returns {boolean} Returns `true` if `value` is correctly classified,
+ * else `false`.
+ * @example
+ *
+ * _.isArray([1, 2, 3]);
+ * // => true
+ *
+ * _.isArray(document.body.children);
+ * // => false
+ *
+ * _.isArray('abc');
+ * // => false
+ *
+ * _.isArray(_.noop);
+ * // => false
+ */
+ var isArray = Array.isArray;
+
+ /** `Object#toString` result references. */
+ var stringTag = '[object String]';
+
+ /** Used for built-in method references. */
+ var objectProto$4 = Object.prototype;
+
+ /**
+ * Used to resolve the
+ * [`toStringTag`](http://ecma-international.org/ecma-262/6.0/#sec-object.prototype.tostring)
+ * of values.
+ */
+ var objectToString$3 = objectProto$4.toString;
+
+ /**
+ * Checks if `value` is classified as a `String` primitive or object.
+ *
+ * @static
+ * @since 0.1.0
+ * @memberOf _
+ * @category Lang
+ * @param {*} value The value to check.
+ * @returns {boolean} Returns `true` if `value` is correctly classified,
+ * else `false`.
+ * @example
+ *
+ * _.isString('abc');
+ * // => true
+ *
+ * _.isString(1);
+ * // => false
+ */
+ function isString(value) {
+ return typeof value == 'string' ||
+ (!isArray(value) && isObjectLike(value) && objectToString$3.call(value) == stringTag);
+ }
+
+ /**
+ * Creates an array of index keys for `object` values of arrays,
+ * `arguments` objects, and strings, otherwise `null` is returned.
+ *
+ * @private
+ * @param {Object} object The object to query.
+ * @returns {Array|null} Returns index keys, else `null`.
+ */
+ function indexKeys(object) {
+ var length = object ? object.length : undefined;
+ if (isLength(length) &&
+ (isArray(object) || isString(object) || isArguments(object))) {
+ return baseTimes(length, String);
+ }
+ return null;
+ }
+
+ /** Used as references for various `Number` constants. */
+ var MAX_SAFE_INTEGER$1 = 9007199254740991;
+
+ /** Used to detect unsigned integer values. */
+ var reIsUint = /^(?:0|[1-9]\d*)$/;
+
+ /**
+ * Checks if `value` is a valid array-like index.
+ *
+ * @private
+ * @param {*} value The value to check.
+ * @param {number} [length=MAX_SAFE_INTEGER] The upper bounds of a valid index.
+ * @returns {boolean} Returns `true` if `value` is a valid index, else `false`.
+ */
+ function isIndex(value, length) {
+ length = length == null ? MAX_SAFE_INTEGER$1 : length;
+ return !!length &&
+ (typeof value == 'number' || reIsUint.test(value)) &&
+ (value > -1 && value % 1 == 0 && value < length);
+ }
+
+ /** Used for built-in method references. */
+ var objectProto$5 = Object.prototype;
+
+ /**
+ * Checks if `value` is likely a prototype object.
+ *
+ * @private
+ * @param {*} value The value to check.
+ * @returns {boolean} Returns `true` if `value` is a prototype, else `false`.
+ */
+ function isPrototype(value) {
+ var Ctor = value && value.constructor,
+ proto = (typeof Ctor == 'function' && Ctor.prototype) || objectProto$5;
+
+ return value === proto;
+ }
+
+ /**
+ * Creates an array of the own enumerable property names of `object`.
+ *
+ * **Note:** Non-object values are coerced to objects. See the
+ * [ES spec](http://ecma-international.org/ecma-262/6.0/#sec-object.keys)
+ * for more details.
+ *
+ * @static
+ * @since 0.1.0
+ * @memberOf _
+ * @category Object
+ * @param {Object} object The object to query.
+ * @returns {Array} Returns the array of property names.
+ * @example
+ *
+ * function Foo() {
+ * this.a = 1;
+ * this.b = 2;
+ * }
+ *
+ * Foo.prototype.c = 3;
+ *
+ * _.keys(new Foo);
+ * // => ['a', 'b'] (iteration order is not guaranteed)
+ *
+ * _.keys('hi');
+ * // => ['0', '1']
+ */
+ function keys(object) {
+ var isProto = isPrototype(object);
+ if (!(isProto || isArrayLike(object))) {
+ return baseKeys(object);
+ }
+ var indexes = indexKeys(object),
+ skipIndexes = !!indexes,
+ result = indexes || [],
+ length = result.length;
+
+ for (var key in object) {
+ if (baseHas(object, key) &&
+ !(skipIndexes && (key == 'length' || isIndex(key, length))) &&
+ !(isProto && key == 'constructor')) {
+ result.push(key);
}
- return null;
}
-
- /** Used as references for various `Number` constants. */
- var MAX_SAFE_INTEGER$1 = 9007199254740991;
-
- /** Used to detect unsigned integer values. */
- var reIsUint = /^(?:0|[1-9]\d*)$/;
-
- /**
- * Checks if `value` is a valid array-like index.
- *
- * @private
- * @param {*} value The value to check.
- * @param {number} [length=MAX_SAFE_INTEGER] The upper bounds of a valid index.
- * @returns {boolean} Returns `true` if `value` is a valid index, else `false`.
- */
- function isIndex(value, length) {
- length = length == null ? MAX_SAFE_INTEGER$1 : length;
- return !!length &&
- (typeof value == 'number' || reIsUint.test(value)) &&
- (value > -1 && value % 1 == 0 && value < length);
- }
-
- /** Used for built-in method references. */
- var objectProto$5 = Object.prototype;
-
- /**
- * Checks if `value` is likely a prototype object.
- *
- * @private
- * @param {*} value The value to check.
- * @returns {boolean} Returns `true` if `value` is a prototype, else `false`.
- */
- function isPrototype(value) {
- var Ctor = value && value.constructor,
- proto = (typeof Ctor == 'function' && Ctor.prototype) || objectProto$5;
-
- return value === proto;
- }
-
- /**
- * Creates an array of the own enumerable property names of `object`.
- *
- * **Note:** Non-object values are coerced to objects. See the
- * [ES spec](http://ecma-international.org/ecma-262/6.0/#sec-object.keys)
- * for more details.
- *
- * @static
- * @since 0.1.0
- * @memberOf _
- * @category Object
- * @param {Object} object The object to query.
- * @returns {Array} Returns the array of property names.
- * @example
- *
- * function Foo() {
- * this.a = 1;
- * this.b = 2;
- * }
- *
- * Foo.prototype.c = 3;
- *
- * _.keys(new Foo);
- * // => ['a', 'b'] (iteration order is not guaranteed)
- *
- * _.keys('hi');
- * // => ['0', '1']
- */
- function keys(object) {
- var isProto = isPrototype(object);
- if (!(isProto || isArrayLike(object))) {
- return baseKeys(object);
- }
- var indexes = indexKeys(object),
- skipIndexes = !!indexes,
- result = indexes || [],
- length = result.length;
-
- for (var key in object) {
- if (baseHas(object, key) &&
- !(skipIndexes && (key == 'length' || isIndex(key, length))) &&
- !(isProto && key == 'constructor')) {
- result.push(key);
- }
+ return result;
+ }
+
+ function iterator(coll) {
+ var i = -1;
+ var len;
+ if (isArrayLike(coll)) {
+ len = coll.length;
+ return function next() {
+ i++;
+ return i < len ? { value: coll[i], key: i } : null;
+ };
}
- return result;
- }
-
- function iterator(coll) {
- var i = -1;
- var len;
- if (isArrayLike(coll)) {
- len = coll.length;
- return function next() {
- i++;
- return i < len ? { value: coll[i], key: i } : null;
- };
- }
-
- var iterate = getIterator(coll);
- if (iterate) {
- return function next() {
- var item = iterate.next();
- if (item.done) return null;
- i++;
- return { value: item.value, key: i };
- };
- }
-
- var okeys = keys(coll);
- len = okeys.length;
- return function next() {
- i++;
- var key = okeys[i];
- return i < len ? { value: coll[key], key: key } : null;
- };
- }
-
- function onlyOnce(fn) {
- return function () {
- if (fn === null) throw new Error("Callback was already called.");
- var callFn = fn;
- fn = null;
- callFn.apply(this, arguments);
- };
- }
-
- function _eachOfLimit(limit) {
- return function (obj, iteratee, callback) {
- callback = once(callback || noop);
- obj = obj || [];
- var nextElem = iterator(obj);
- if (limit <= 0) {
- return callback(null);
- }
- var done = false;
- var running = 0;
- var errored = false;
-
- (function replenish() {
- if (done && running <= 0) {
- return callback(null);
- }
-
- while (running < limit && !errored) {
- var elem = nextElem();
- if (elem === null) {
- done = true;
- if (running <= 0) {
- callback(null);
- }
- return;
- }
- running += 1;
- iteratee(elem.value, elem.key, onlyOnce(function (err) {
- running -= 1;
- if (err) {
- callback(err);
- errored = true;
- } else {
- replenish();
- }
- }));
- }
- })();
- };
- }
-
- function doParallelLimit(fn) {
- return function (obj, limit, iteratee, callback) {
- return fn(_eachOfLimit(limit), obj, iteratee, callback);
- };
- }
-
- function _asyncMap(eachfn, arr, iteratee, callback) {
- callback = once(callback || noop);
- arr = arr || [];
- var results = [];
- var counter = 0;
-
- eachfn(arr, function (value, _, callback) {
- var index = counter++;
- iteratee(value, function (err, v) {
- results[index] = v;
- callback(err);
- });
- }, function (err) {
- callback(err, results);
- });
- }
-
- /**
- * The same as `map` but runs a maximum of `limit` async operations at a time.
- *
- * @name mapLimit
- * @static
- * @memberOf async
- * @see async.map
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {number} limit - The maximum number of async operations at a time.
- * @param {Function} iteratee - A function to apply to each item in `coll`.
- * The iteratee is passed a `callback(err, transformed)` which must be called
- * once it has completed with an error (which can be `null`) and a transformed
- * item. Invoked with (item, callback).
- * @param {Function} [callback] - A callback which is called when all `iteratee`
- * functions have finished, or an error occurs. Results is an array of the
- * transformed items from the `coll`. Invoked with (err, results).
- */
- var mapLimit = doParallelLimit(_asyncMap);
-
- function doLimit(fn, limit) {
- return function (iterable, iteratee, callback) {
- return fn(iterable, limit, iteratee, callback);
- };
- }
-
- /**
- * Produces a new collection of values by mapping each value in `coll` through
- * the `iteratee` function. The `iteratee` is called with an item from `coll`
- * and a callback for when it has finished processing. Each of these callback
- * takes 2 arguments: an `error`, and the transformed item from `coll`. If
- * `iteratee` passes an error to its callback, the main `callback` (for the
- * `map` function) is immediately called with the error.
- *
- * Note, that since this function applies the `iteratee` to each item in
- * parallel, there is no guarantee that the `iteratee` functions will complete
- * in order. However, the results array will be in the same order as the
- * original `coll`.
- *
- * If `map` is passed an Object, the results will be an Array. The results
- * will roughly be in the order of the original Objects' keys (but this can
- * vary across JavaScript engines)
- *
- * @name map
- * @static
- * @memberOf async
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A function to apply to each item in `coll`.
- * The iteratee is passed a `callback(err, transformed)` which must be called
- * once it has completed with an error (which can be `null`) and a
- * transformed item. Invoked with (item, callback).
- * @param {Function} [callback] - A callback which is called when all `iteratee`
- * functions have finished, or an error occurs. Results is an Array of the
- * transformed items from the `coll`. Invoked with (err, results).
- * @example
- *
- * async.map(['file1','file2','file3'], fs.stat, function(err, results) {
- * // results is now an array of stats for each file
- * });
- */
- var map = doLimit(mapLimit, Infinity);
-
- /**
- * Applies the provided arguments to each function in the array, calling
- * `callback` after all functions have completed. If you only provide the first
- * argument, then it will return a function which lets you pass in the
- * arguments as if it were a single function call.
- *
- * @name applyEach
- * @static
- * @memberOf async
- * @category Control Flow
- * @param {Array|Object} fns - A collection of asynchronous functions to all
- * call with the same arguments
- * @param {...*} [args] - any number of separate arguments to pass to the
- * function.
- * @param {Function} [callback] - the final argument should be the callback,
- * called when all functions have completed processing.
- * @returns {Function} - If only the first argument is provided, it will return
- * a function which lets you pass in the arguments as if it were a single
- * function call.
- * @example
- *
- * async.applyEach([enableSearch, updateSchema], 'bucket', callback);
- *
- * // partial application example:
- * async.each(
- * buckets,
- * async.applyEach([enableSearch, updateSchema]),
- * callback
- * );
- */
- var applyEach = applyEach$1(map);
-
- /**
- * The same as `map` but runs only a single async operation at a time.
- *
- * @name mapSeries
- * @static
- * @memberOf async
- * @see async.map
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A function to apply to each item in `coll`.
- * The iteratee is passed a `callback(err, transformed)` which must be called
- * once it has completed with an error (which can be `null`) and a
- * transformed item. Invoked with (item, callback).
- * @param {Function} [callback] - A callback which is called when all `iteratee`
- * functions have finished, or an error occurs. Results is an array of the
- * transformed items from the `coll`. Invoked with (err, results).
- */
- var mapSeries = doLimit(mapLimit, 1);
-
- /**
- * The same as `applyEach` but runs only a single async operation at a time.
- *
- * @name applyEachSeries
- * @static
- * @memberOf async
- * @see async.applyEach
- * @category Control Flow
- * @param {Array|Object} fns - A collection of asynchronous functions to all
- * call with the same arguments
- * @param {...*} [args] - any number of separate arguments to pass to the
- * function.
- * @param {Function} [callback] - the final argument should be the callback,
- * called when all functions have completed processing.
- * @returns {Function} - If only the first argument is provided, it will return
- * a function which lets you pass in the arguments as if it were a single
- * function call.
- */
- var applyEachSeries = applyEach$1(mapSeries);
-
- /**
- * Creates a continuation function with some arguments already applied.
- *
- * Useful as a shorthand when combined with other control flow functions. Any
- * arguments passed to the returned function are added to the arguments
- * originally passed to apply.
- *
- * @name apply
- * @static
- * @memberOf async
- * @category Util
- * @param {Function} function - The function you want to eventually apply all
- * arguments to. Invokes with (arguments...).
- * @param {...*} arguments... - Any number of arguments to automatically apply
- * when the continuation is called.
- * @example
- *
- * // using apply
- * async.parallel([
- * async.apply(fs.writeFile, 'testfile1', 'test1'),
- * async.apply(fs.writeFile, 'testfile2', 'test2')
- * ]);
- *
- *
- * // the same process without using apply
- * async.parallel([
- * function(callback) {
- * fs.writeFile('testfile1', 'test1', callback);
- * },
- * function(callback) {
- * fs.writeFile('testfile2', 'test2', callback);
- * }
- * ]);
- *
- * // It's possible to pass any number of additional arguments when calling the
- * // continuation:
- *
- * node> var fn = async.apply(sys.puts, 'one');
- * node> fn('two', 'three');
- * one
- * two
- * three
- */
- var apply$1 = rest(function (fn, args) {
- return rest(function (callArgs) {
- return fn.apply(null, args.concat(callArgs));
- });
- });
-
- /**
- * Take a sync function and make it async, passing its return value to a
- * callback. This is useful for plugging sync functions into a waterfall,
- * series, or other async functions. Any arguments passed to the generated
- * function will be passed to the wrapped function (except for the final
- * callback argument). Errors thrown will be passed to the callback.
- *
- * If the function passed to `asyncify` returns a Promise, that promises's
- * resolved/rejected state will be used to call the callback, rather than simply
- * the synchronous return value.
- *
- * This also means you can asyncify ES2016 `async` functions.
- *
- * @name asyncify
- * @static
- * @memberOf async
- * @alias wrapSync
- * @category Util
- * @param {Function} func - The synchronous function to convert to an
- * asynchronous function.
- * @returns {Function} An asynchronous wrapper of the `func`. To be invoked with
- * (callback).
- * @example
- *
- * // passing a regular synchronous function
- * async.waterfall([
- * async.apply(fs.readFile, filename, "utf8"),
- * async.asyncify(JSON.parse),
- * function (data, next) {
- * // data is the result of parsing the text.
- * // If there was a parsing error, it would have been caught.
- * }
- * ], callback);
- *
- * // passing a function returning a promise
- * async.waterfall([
- * async.apply(fs.readFile, filename, "utf8"),
- * async.asyncify(function (contents) {
- * return db.model.create(contents);
- * }),
- * function (model, next) {
- * // `model` is the instantiated model object.
- * // If there was an error, this function would be skipped.
- * }
- * ], callback);
- *
- * // es6 example
- * var q = async.queue(async.asyncify(async function(file) {
- * var intermediateStep = await processFile(file);
- * return await somePromise(intermediateStep)
- * }));
- *
- * q.push(files);
- */
- function asyncify(func) {
- return initialParams(function (args, callback) {
- var result;
- try {
- result = func.apply(this, args);
- } catch (e) {
- return callback(e);
- }
- // if result is Promise object
- if (isObject(result) && typeof result.then === 'function') {
- result.then(function (value) {
- callback(null, value);
- })['catch'](function (err) {
- callback(err.message ? err : new Error(err));
- });
- } else {
- callback(null, result);
- }
- });
- }
- /**
- * A specialized version of `_.forEach` for arrays without support for
- * iteratee shorthands.
- *
- * @private
- * @param {Array} [array] The array to iterate over.
- * @param {Function} iteratee The function invoked per iteration.
- * @returns {Array} Returns `array`.
- */
- function arrayEach(array, iteratee) {
- var index = -1,
- length = array ? array.length : 0;
-
- while (++index < length) {
- if (iteratee(array[index], index, array) === false) {
- break;
- }
+ var iterate = getIterator(coll);
+ if (iterate) {
+ return function next() {
+ var item = iterate.next();
+ if (item.done) return null;
+ i++;
+ return { value: item.value, key: i };
+ };
}
- return array;
- }
- /**
- * Creates a base function for methods like `_.forIn` and `_.forOwn`.
- *
- * @private
- * @param {boolean} [fromRight] Specify iterating from right to left.
- * @returns {Function} Returns the new base function.
- */
- function createBaseFor(fromRight) {
- return function(object, iteratee, keysFunc) {
- var index = -1,
- iterable = Object(object),
- props = keysFunc(object),
- length = props.length;
-
- while (length--) {
- var key = props[fromRight ? length : ++index];
- if (iteratee(iterable[key], key, iterable) === false) {
- break;
+ var okeys = keys(coll);
+ len = okeys.length;
+ return function next() {
+ i++;
+ var key = okeys[i];
+ return i < len ? { value: coll[key], key: key } : null;
+ };
+ }
+
+ function onlyOnce(fn) {
+ return function () {
+ if (fn === null) throw new Error("Callback was already called.");
+ var callFn = fn;
+ fn = null;
+ callFn.apply(this, arguments);
+ };
+ }
+
+ function _eachOfLimit(limit) {
+ return function (obj, iteratee, callback) {
+ callback = once(callback || noop);
+ obj = obj || [];
+ var nextElem = iterator(obj);
+ if (limit <= 0) {
+ return callback(null);
}
- }
- return object;
+ var done = false;
+ var running = 0;
+ var errored = false;
+
+ (function replenish() {
+ if (done && running <= 0) {
+ return callback(null);
+ }
+
+ while (running < limit && !errored) {
+ var elem = nextElem();
+ if (elem === null) {
+ done = true;
+ if (running <= 0) {
+ callback(null);
+ }
+ return;
+ }
+ running += 1;
+ /* eslint {no-loop-func: 0} */
+ iteratee(elem.value, elem.key, onlyOnce(function (err) {
+ running -= 1;
+ if (err) {
+ callback(err);
+ errored = true;
+ } else {
+ replenish();
+ }
+ }));
+ }
+ })();
};
- }
-
- /**
- * The base implementation of `baseForOwn` which iterates over `object`
- * properties returned by `keysFunc` and invokes `iteratee` for each property.
- * Iteratee functions may exit iteration early by explicitly returning `false`.
- *
- * @private
- * @param {Object} object The object to iterate over.
- * @param {Function} iteratee The function invoked per iteration.
- * @param {Function} keysFunc The function to get the keys of `object`.
- * @returns {Object} Returns `object`.
- */
- var baseFor = createBaseFor();
-
- /**
- * The base implementation of `_.forOwn` without support for iteratee shorthands.
- *
- * @private
- * @param {Object} object The object to iterate over.
- * @param {Function} iteratee The function invoked per iteration.
- * @returns {Object} Returns `object`.
- */
- function baseForOwn(object, iteratee) {
- return object && baseFor(object, iteratee, keys);
- }
-
- /**
- * Removes all key-value entries from the list cache.
- *
- * @private
- * @name clear
- * @memberOf ListCache
- */
- function listCacheClear() {
- this.__data__ = [];
- }
+ }
- /**
- * Performs a
- * [`SameValueZero`](http://ecma-international.org/ecma-262/6.0/#sec-samevaluezero)
- * comparison between two values to determine if they are equivalent.
- *
- * @static
- * @memberOf _
- * @since 4.0.0
- * @category Lang
- * @param {*} value The value to compare.
- * @param {*} other The other value to compare.
- * @returns {boolean} Returns `true` if the values are equivalent, else `false`.
- * @example
- *
- * var object = { 'user': 'fred' };
- * var other = { 'user': 'fred' };
- *
- * _.eq(object, object);
- * // => true
- *
- * _.eq(object, other);
- * // => false
- *
- * _.eq('a', 'a');
- * // => true
- *
- * _.eq('a', Object('a'));
- * // => false
- *
- * _.eq(NaN, NaN);
- * // => true
- */
- function eq(value, other) {
- return value === other || (value !== value && other !== other);
+ function doParallelLimit(fn) {
+ return function (obj, limit, iteratee, callback) {
+ return fn(_eachOfLimit(limit), obj, iteratee, callback);
+ };
+ }
+
+ function _asyncMap(eachfn, arr, iteratee, callback) {
+ callback = once(callback || noop);
+ arr = arr || [];
+ var results = [];
+ var counter = 0;
+
+ eachfn(arr, function (value, _, callback) {
+ var index = counter++;
+ iteratee(value, function (err, v) {
+ results[index] = v;
+ callback(err);
+ });
+ }, function (err) {
+ callback(err, results);
+ });
+ }
+
+ /**
+ * The same as [`map`]{@link module:Collections.map} but runs a maximum of `limit` async operations at a time.
+ *
+ * @name mapLimit
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.map]{@link module:Collections.map}
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {number} limit - The maximum number of async operations at a time.
+ * @param {Function} iteratee - A function to apply to each item in `coll`.
+ * The iteratee is passed a `callback(err, transformed)` which must be called
+ * once it has completed with an error (which can be `null`) and a transformed
+ * item. Invoked with (item, callback).
+ * @param {Function} [callback] - A callback which is called when all `iteratee`
+ * functions have finished, or an error occurs. Results is an array of the
+ * transformed items from the `coll`. Invoked with (err, results).
+ */
+ var mapLimit = doParallelLimit(_asyncMap);
+
+ function doLimit(fn, limit) {
+ return function (iterable, iteratee, callback) {
+ return fn(iterable, limit, iteratee, callback);
+ };
+ }
+
+ /**
+ * Produces a new collection of values by mapping each value in `coll` through
+ * the `iteratee` function. The `iteratee` is called with an item from `coll`
+ * and a callback for when it has finished processing. Each of these callback
+ * takes 2 arguments: an `error`, and the transformed item from `coll`. If
+ * `iteratee` passes an error to its callback, the main `callback` (for the
+ * `map` function) is immediately called with the error.
+ *
+ * Note, that since this function applies the `iteratee` to each item in
+ * parallel, there is no guarantee that the `iteratee` functions will complete
+ * in order. However, the results array will be in the same order as the
+ * original `coll`.
+ *
+ * If `map` is passed an Object, the results will be an Array. The results
+ * will roughly be in the order of the original Objects' keys (but this can
+ * vary across JavaScript engines)
+ *
+ * @name map
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A function to apply to each item in `coll`.
+ * The iteratee is passed a `callback(err, transformed)` which must be called
+ * once it has completed with an error (which can be `null`) and a
+ * transformed item. Invoked with (item, callback).
+ * @param {Function} [callback] - A callback which is called when all `iteratee`
+ * functions have finished, or an error occurs. Results is an Array of the
+ * transformed items from the `coll`. Invoked with (err, results).
+ * @example
+ *
+ * async.map(['file1','file2','file3'], fs.stat, function(err, results) {
+ * // results is now an array of stats for each file
+ * });
+ */
+ var map = doLimit(mapLimit, Infinity);
+
+ /**
+ * Applies the provided arguments to each function in the array, calling
+ * `callback` after all functions have completed. If you only provide the first
+ * argument, then it will return a function which lets you pass in the
+ * arguments as if it were a single function call.
+ *
+ * @name applyEach
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @category Control Flow
+ * @param {Array|Object} fns - A collection of asynchronous functions to all
+ * call with the same arguments
+ * @param {...*} [args] - any number of separate arguments to pass to the
+ * function.
+ * @param {Function} [callback] - the final argument should be the callback,
+ * called when all functions have completed processing.
+ * @returns {Function} - If only the first argument is provided, it will return
+ * a function which lets you pass in the arguments as if it were a single
+ * function call.
+ * @example
+ *
+ * async.applyEach([enableSearch, updateSchema], 'bucket', callback);
+ *
+ * // partial application example:
+ * async.each(
+ * buckets,
+ * async.applyEach([enableSearch, updateSchema]),
+ * callback
+ * );
+ */
+ var applyEach = applyEach$1(map);
+
+ /**
+ * The same as [`map`]{@link module:Collections.map} but runs only a single async operation at a time.
+ *
+ * @name mapSeries
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.map]{@link module:Collections.map}
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A function to apply to each item in `coll`.
+ * The iteratee is passed a `callback(err, transformed)` which must be called
+ * once it has completed with an error (which can be `null`) and a
+ * transformed item. Invoked with (item, callback).
+ * @param {Function} [callback] - A callback which is called when all `iteratee`
+ * functions have finished, or an error occurs. Results is an array of the
+ * transformed items from the `coll`. Invoked with (err, results).
+ */
+ var mapSeries = doLimit(mapLimit, 1);
+
+ /**
+ * The same as [`applyEach`]{@link module:ControlFlow.applyEach} but runs only a single async operation at a time.
+ *
+ * @name applyEachSeries
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @see [async.applyEach]{@link module:ControlFlow.applyEach}
+ * @category Control Flow
+ * @param {Array|Object} fns - A collection of asynchronous functions to all
+ * call with the same arguments
+ * @param {...*} [args] - any number of separate arguments to pass to the
+ * function.
+ * @param {Function} [callback] - the final argument should be the callback,
+ * called when all functions have completed processing.
+ * @returns {Function} - If only the first argument is provided, it will return
+ * a function which lets you pass in the arguments as if it were a single
+ * function call.
+ */
+ var applyEachSeries = applyEach$1(mapSeries);
+
+ /**
+ * Creates a continuation function with some arguments already applied.
+ *
+ * Useful as a shorthand when combined with other control flow functions. Any
+ * arguments passed to the returned function are added to the arguments
+ * originally passed to apply.
+ *
+ * @name apply
+ * @static
+ * @memberOf module:Utils
+ * @method
+ * @category Util
+ * @param {Function} function - The function you want to eventually apply all
+ * arguments to. Invokes with (arguments...).
+ * @param {...*} arguments... - Any number of arguments to automatically apply
+ * when the continuation is called.
+ * @example
+ *
+ * // using apply
+ * async.parallel([
+ * async.apply(fs.writeFile, 'testfile1', 'test1'),
+ * async.apply(fs.writeFile, 'testfile2', 'test2')
+ * ]);
+ *
+ *
+ * // the same process without using apply
+ * async.parallel([
+ * function(callback) {
+ * fs.writeFile('testfile1', 'test1', callback);
+ * },
+ * function(callback) {
+ * fs.writeFile('testfile2', 'test2', callback);
+ * }
+ * ]);
+ *
+ * // It's possible to pass any number of additional arguments when calling the
+ * // continuation:
+ *
+ * node> var fn = async.apply(sys.puts, 'one');
+ * node> fn('two', 'three');
+ * one
+ * two
+ * three
+ */
+ var apply$1 = rest(function (fn, args) {
+ return rest(function (callArgs) {
+ return fn.apply(null, args.concat(callArgs));
+ });
+ });
+
+ /**
+ * Take a sync function and make it async, passing its return value to a
+ * callback. This is useful for plugging sync functions into a waterfall,
+ * series, or other async functions. Any arguments passed to the generated
+ * function will be passed to the wrapped function (except for the final
+ * callback argument). Errors thrown will be passed to the callback.
+ *
+ * If the function passed to `asyncify` returns a Promise, that promises's
+ * resolved/rejected state will be used to call the callback, rather than simply
+ * the synchronous return value.
+ *
+ * This also means you can asyncify ES2016 `async` functions.
+ *
+ * @name asyncify
+ * @static
+ * @memberOf module:Utils
+ * @method
+ * @alias wrapSync
+ * @category Util
+ * @param {Function} func - The synchronous function to convert to an
+ * asynchronous function.
+ * @returns {Function} An asynchronous wrapper of the `func`. To be invoked with
+ * (callback).
+ * @example
+ *
+ * // passing a regular synchronous function
+ * async.waterfall([
+ * async.apply(fs.readFile, filename, "utf8"),
+ * async.asyncify(JSON.parse),
+ * function (data, next) {
+ * // data is the result of parsing the text.
+ * // If there was a parsing error, it would have been caught.
+ * }
+ * ], callback);
+ *
+ * // passing a function returning a promise
+ * async.waterfall([
+ * async.apply(fs.readFile, filename, "utf8"),
+ * async.asyncify(function (contents) {
+ * return db.model.create(contents);
+ * }),
+ * function (model, next) {
+ * // `model` is the instantiated model object.
+ * // If there was an error, this function would be skipped.
+ * }
+ * ], callback);
+ *
+ * // es6 example
+ * var q = async.queue(async.asyncify(async function(file) {
+ * var intermediateStep = await processFile(file);
+ * return await somePromise(intermediateStep)
+ * }));
+ *
+ * q.push(files);
+ */
+ function asyncify(func) {
+ return initialParams(function (args, callback) {
+ var result;
+ try {
+ result = func.apply(this, args);
+ } catch (e) {
+ return callback(e);
+ }
+ // if result is Promise object
+ if (isObject(result) && typeof result.then === 'function') {
+ result.then(function (value) {
+ callback(null, value);
+ }, function (err) {
+ callback(err.message ? err : new Error(err));
+ });
+ } else {
+ callback(null, result);
+ }
+ });
+ }
+
+ /**
+ * A specialized version of `_.forEach` for arrays without support for
+ * iteratee shorthands.
+ *
+ * @private
+ * @param {Array} [array] The array to iterate over.
+ * @param {Function} iteratee The function invoked per iteration.
+ * @returns {Array} Returns `array`.
+ */
+ function arrayEach(array, iteratee) {
+ var index = -1,
+ length = array ? array.length : 0;
+
+ while (++index < length) {
+ if (iteratee(array[index], index, array) === false) {
+ break;
+ }
}
+ return array;
+ }
+
+ /**
+ * Creates a base function for methods like `_.forIn` and `_.forOwn`.
+ *
+ * @private
+ * @param {boolean} [fromRight] Specify iterating from right to left.
+ * @returns {Function} Returns the new base function.
+ */
+ function createBaseFor(fromRight) {
+ return function(object, iteratee, keysFunc) {
+ var index = -1,
+ iterable = Object(object),
+ props = keysFunc(object),
+ length = props.length;
- /**
- * Gets the index at which the `key` is found in `array` of key-value pairs.
- *
- * @private
- * @param {Array} array The array to search.
- * @param {*} key The key to search for.
- * @returns {number} Returns the index of the matched value, else `-1`.
- */
- function assocIndexOf(array, key) {
- var length = array.length;
while (length--) {
- if (eq(array[length][0], key)) {
- return length;
+ var key = props[fromRight ? length : ++index];
+ if (iteratee(iterable[key], key, iterable) === false) {
+ break;
}
}
- return -1;
- }
-
- /** Used for built-in method references. */
- var arrayProto = Array.prototype;
-
- /** Built-in value references. */
- var splice = arrayProto.splice;
-
- /**
- * Removes `key` and its value from the list cache.
- *
- * @private
- * @name delete
- * @memberOf ListCache
- * @param {string} key The key of the value to remove.
- * @returns {boolean} Returns `true` if the entry was removed, else `false`.
- */
- function listCacheDelete(key) {
- var data = this.__data__,
- index = assocIndexOf(data, key);
-
- if (index < 0) {
- return false;
- }
- var lastIndex = data.length - 1;
- if (index == lastIndex) {
- data.pop();
- } else {
- splice.call(data, index, 1);
+ return object;
+ };
+ }
+
+ /**
+ * The base implementation of `baseForOwn` which iterates over `object`
+ * properties returned by `keysFunc` and invokes `iteratee` for each property.
+ * Iteratee functions may exit iteration early by explicitly returning `false`.
+ *
+ * @private
+ * @param {Object} object The object to iterate over.
+ * @param {Function} iteratee The function invoked per iteration.
+ * @param {Function} keysFunc The function to get the keys of `object`.
+ * @returns {Object} Returns `object`.
+ */
+ var baseFor = createBaseFor();
+
+ /**
+ * The base implementation of `_.forOwn` without support for iteratee shorthands.
+ *
+ * @private
+ * @param {Object} object The object to iterate over.
+ * @param {Function} iteratee The function invoked per iteration.
+ * @returns {Object} Returns `object`.
+ */
+ function baseForOwn(object, iteratee) {
+ return object && baseFor(object, iteratee, keys);
+ }
+
+ /**
+ * Gets the index at which the first occurrence of `NaN` is found in `array`.
+ *
+ * @private
+ * @param {Array} array The array to search.
+ * @param {number} fromIndex The index to search from.
+ * @param {boolean} [fromRight] Specify iterating from right to left.
+ * @returns {number} Returns the index of the matched `NaN`, else `-1`.
+ */
+ function indexOfNaN(array, fromIndex, fromRight) {
+ var length = array.length,
+ index = fromIndex + (fromRight ? 1 : -1);
+
+ while ((fromRight ? index-- : ++index < length)) {
+ var other = array[index];
+ if (other !== other) {
+ return index;
}
- return true;
- }
-
- /**
- * Gets the list cache value for `key`.
- *
- * @private
- * @name get
- * @memberOf ListCache
- * @param {string} key The key of the value to get.
- * @returns {*} Returns the entry value.
- */
- function listCacheGet(key) {
- var data = this.__data__,
- index = assocIndexOf(data, key);
-
- return index < 0 ? undefined : data[index][1];
- }
-
- /**
- * Checks if a list cache value for `key` exists.
- *
- * @private
- * @name has
- * @memberOf ListCache
- * @param {string} key The key of the entry to check.
- * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.
- */
- function listCacheHas(key) {
- return assocIndexOf(this.__data__, key) > -1;
}
-
- /**
- * Sets the list cache `key` to `value`.
- *
- * @private
- * @name set
- * @memberOf ListCache
- * @param {string} key The key of the value to set.
- * @param {*} value The value to set.
- * @returns {Object} Returns the list cache instance.
- */
- function listCacheSet(key, value) {
- var data = this.__data__,
- index = assocIndexOf(data, key);
-
- if (index < 0) {
- data.push([key, value]);
- } else {
- data[index][1] = value;
+ return -1;
+ }
+
+ /**
+ * The base implementation of `_.indexOf` without `fromIndex` bounds checks.
+ *
+ * @private
+ * @param {Array} array The array to search.
+ * @param {*} value The value to search for.
+ * @param {number} fromIndex The index to search from.
+ * @returns {number} Returns the index of the matched value, else `-1`.
+ */
+ function baseIndexOf(array, value, fromIndex) {
+ if (value !== value) {
+ return indexOfNaN(array, fromIndex);
+ }
+ var index = fromIndex - 1,
+ length = array.length;
+
+ while (++index < length) {
+ if (array[index] === value) {
+ return index;
}
- return this;
}
-
- /**
- * Creates an list cache object.
- *
- * @private
- * @constructor
- * @param {Array} [entries] The key-value pairs to cache.
- */
- function ListCache(entries) {
- var index = -1,
- length = entries ? entries.length : 0;
-
- this.clear();
- while (++index < length) {
- var entry = entries[index];
- this.set(entry[0], entry[1]);
+ return -1;
+ }
+
+ /**
+ * Determines the best order for running the functions in `tasks`, based on
+ * their requirements. Each function can optionally depend on other functions
+ * being completed first, and each function is run as soon as its requirements
+ * are satisfied.
+ *
+ * If any of the functions pass an error to their callback, the `auto` sequence
+ * will stop. Further tasks will not execute (so any other functions depending
+ * on it will not run), and the main `callback` is immediately called with the
+ * error.
+ *
+ * Functions also receive an object containing the results of functions which
+ * have completed so far as the first argument, if they have dependencies. If a
+ * task function has no dependencies, it will only be passed a callback.
+ *
+ * @name auto
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @category Control Flow
+ * @param {Object} tasks - An object. Each of its properties is either a
+ * function or an array of requirements, with the function itself the last item
+ * in the array. The object's key of a property serves as the name of the task
+ * defined by that property, i.e. can be used when specifying requirements for
+ * other tasks. The function receives one or two arguments:
+ * * a `results` object, containing the results of the previously executed
+ * functions, only passed if the task has any dependencies,
+ * * a `callback(err, result)` function, which must be called when finished,
+ * passing an `error` (which can be `null`) and the result of the function's
+ * execution.
+ * @param {number} [concurrency=Infinity] - An optional `integer` for
+ * determining the maximum number of tasks that can be run in parallel. By
+ * default, as many as possible.
+ * @param {Function} [callback] - An optional callback which is called when all
+ * the tasks have been completed. It receives the `err` argument if any `tasks`
+ * pass an error to their callback. Results are always returned; however, if an
+ * error occurs, no further `tasks` will be performed, and the results object
+ * will only contain partial results. Invoked with (err, results).
+ * @returns undefined
+ * @example
+ *
+ * async.auto({
+ * // this function will just be passed a callback
+ * readData: async.apply(fs.readFile, 'data.txt', 'utf-8'),
+ * showData: ['readData', function(results, cb) {
+ * // results.readData is the file's contents
+ * // ...
+ * }]
+ * }, callback);
+ *
+ * async.auto({
+ * get_data: function(callback) {
+ * console.log('in get_data');
+ * // async code to get some data
+ * callback(null, 'data', 'converted to array');
+ * },
+ * make_folder: function(callback) {
+ * console.log('in make_folder');
+ * // async code to create a directory to store a file in
+ * // this is run at the same time as getting the data
+ * callback(null, 'folder');
+ * },
+ * write_file: ['get_data', 'make_folder', function(results, callback) {
+ * console.log('in write_file', JSON.stringify(results));
+ * // once there is some data and the directory exists,
+ * // write the data to a file in the directory
+ * callback(null, 'filename');
+ * }],
+ * email_link: ['write_file', function(results, callback) {
+ * console.log('in email_link', JSON.stringify(results));
+ * // once the file is written let's email a link to it...
+ * // results.write_file contains the filename returned by write_file.
+ * callback(null, {'file':results.write_file, 'email':'user@example.com'});
+ * }]
+ * }, function(err, results) {
+ * console.log('err = ', err);
+ * console.log('results = ', results);
+ * });
+ */
+ function auto (tasks, concurrency, callback) {
+ if (typeof concurrency === 'function') {
+ // concurrency is optional, shift the args.
+ callback = concurrency;
+ concurrency = null;
}
- }
-
- // Add methods to `ListCache`.
- ListCache.prototype.clear = listCacheClear;
- ListCache.prototype['delete'] = listCacheDelete;
- ListCache.prototype.get = listCacheGet;
- ListCache.prototype.has = listCacheHas;
- ListCache.prototype.set = listCacheSet;
-
- /**
- * Removes all key-value entries from the stack.
- *
- * @private
- * @name clear
- * @memberOf Stack
- */
- function stackClear() {
- this.__data__ = new ListCache;
- }
-
- /**
- * Removes `key` and its value from the stack.
- *
- * @private
- * @name delete
- * @memberOf Stack
- * @param {string} key The key of the value to remove.
- * @returns {boolean} Returns `true` if the entry was removed, else `false`.
- */
- function stackDelete(key) {
- return this.__data__['delete'](key);
- }
-
- /**
- * Gets the stack value for `key`.
- *
- * @private
- * @name get
- * @memberOf Stack
- * @param {string} key The key of the value to get.
- * @returns {*} Returns the entry value.
- */
- function stackGet(key) {
- return this.__data__.get(key);
- }
-
- /**
- * Checks if a stack value for `key` exists.
- *
- * @private
- * @name has
- * @memberOf Stack
- * @param {string} key The key of the entry to check.
- * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.
- */
- function stackHas(key) {
- return this.__data__.has(key);
- }
-
- /**
- * Checks if `value` is a host object in IE < 9.
- *
- * @private
- * @param {*} value The value to check.
- * @returns {boolean} Returns `true` if `value` is a host object, else `false`.
- */
- function isHostObject(value) {
- // Many host objects are `Object` objects that can coerce to strings
- // despite having improperly defined `toString` methods.
- var result = false;
- if (value != null && typeof value.toString != 'function') {
- try {
- result = !!(value + '');
- } catch (e) {}
+ callback = once(callback || noop);
+ var keys$$ = keys(tasks);
+ var numTasks = keys$$.length;
+ if (!numTasks) {
+ return callback(null);
+ }
+ if (!concurrency) {
+ concurrency = numTasks;
}
- return result;
- }
-
- /**
- * Checks if `value` is a global object.
- *
- * @private
- * @param {*} value The value to check.
- * @returns {null|Object} Returns `value` if it's a global object, else `null`.
- */
- function checkGlobal(value) {
- return (value && value.Object === Object) ? value : null;
- }
- /** Detect free variable `global` from Node.js. */
- var freeGlobal = checkGlobal(typeof global == 'object' && global);
+ var results = {};
+ var runningTasks = 0;
+ var hasError = false;
- /** Detect free variable `self`. */
- var freeSelf = checkGlobal(typeof self == 'object' && self);
+ var listeners = {};
- /** Detect `this` as the global object. */
- var thisGlobal = checkGlobal(typeof this == 'object' && this);
+ var readyTasks = [];
- /** Used as a reference to the global object. */
- var root = freeGlobal || freeSelf || thisGlobal || Function('return this')();
+ // for cycle detection:
+ var readyToCheck = []; // tasks that have been identified as reachable
+ // without the possibility of returning to an ancestor task
+ var uncheckedDependencies = {};
- /** Used to detect overreaching core-js shims. */
- var coreJsData = root['__core-js_shared__'];
+ baseForOwn(tasks, function (task, key) {
+ if (!isArray(task)) {
+ // no dependencies
+ enqueueTask(key, [task]);
+ readyToCheck.push(key);
+ return;
+ }
- /** Used to detect methods masquerading as native. */
- var maskSrcKey = (function() {
- var uid = /[^.]+$/.exec(coreJsData && coreJsData.keys && coreJsData.keys.IE_PROTO || '');
- return uid ? ('Symbol(src)_1.' + uid) : '';
- }());
+ var dependencies = task.slice(0, task.length - 1);
+ var remainingDependencies = dependencies.length;
+ if (remainingDependencies === 0) {
+ enqueueTask(key, task);
+ readyToCheck.push(key);
+ return;
+ }
+ uncheckedDependencies[key] = remainingDependencies;
+
+ arrayEach(dependencies, function (dependencyName) {
+ if (!tasks[dependencyName]) {
+ throw new Error('async.auto task `' + key + '` has a non-existent dependency in ' + dependencies.join(', '));
+ }
+ addListener(dependencyName, function () {
+ remainingDependencies--;
+ if (remainingDependencies === 0) {
+ enqueueTask(key, task);
+ }
+ });
+ });
+ });
- /**
- * Checks if `func` has its source masked.
- *
- * @private
- * @param {Function} func The function to check.
- * @returns {boolean} Returns `true` if `func` is masked, else `false`.
- */
- function isMasked(func) {
- return !!maskSrcKey && (maskSrcKey in func);
- }
+ checkForDeadlocks();
+ processQueue();
- /** Used to resolve the decompiled source of functions. */
- var funcToString$1 = Function.prototype.toString;
-
- /**
- * Converts `func` to its source code.
- *
- * @private
- * @param {Function} func The function to process.
- * @returns {string} Returns the source code.
- */
- function toSource(func) {
- if (func != null) {
- try {
- return funcToString$1.call(func);
- } catch (e) {}
- try {
- return (func + '');
- } catch (e) {}
+ function enqueueTask(key, task) {
+ readyTasks.push(function () {
+ runTask(key, task);
+ });
}
- return '';
- }
- /**
- * Used to match `RegExp`
- * [syntax characters](http://ecma-international.org/ecma-262/6.0/#sec-patterns).
- */
- var reRegExpChar = /[\\^$.*+?()[\]{}|]/g;
-
- /** Used to detect host constructors (Safari). */
- var reIsHostCtor = /^\[object .+?Constructor\]$/;
-
- /** Used for built-in method references. */
- var objectProto$6 = Object.prototype;
-
- /** Used to resolve the decompiled source of functions. */
- var funcToString = Function.prototype.toString;
-
- /** Used to check objects for own properties. */
- var hasOwnProperty$2 = objectProto$6.hasOwnProperty;
-
- /** Used to detect if a method is native. */
- var reIsNative = RegExp('^' +
- funcToString.call(hasOwnProperty$2).replace(reRegExpChar, '\\$&')
- .replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g, '$1.*?') + '$'
- );
-
- /**
- * The base implementation of `_.isNative` without bad shim checks.
- *
- * @private
- * @param {*} value The value to check.
- * @returns {boolean} Returns `true` if `value` is a native function,
- * else `false`.
- */
- function baseIsNative(value) {
- if (!isObject(value) || isMasked(value)) {
- return false;
+ function processQueue() {
+ if (readyTasks.length === 0 && runningTasks === 0) {
+ return callback(null, results);
+ }
+ while (readyTasks.length && runningTasks < concurrency) {
+ var run = readyTasks.shift();
+ run();
+ }
}
- var pattern = (isFunction(value) || isHostObject(value)) ? reIsNative : reIsHostCtor;
- return pattern.test(toSource(value));
- }
- /**
- * Gets the value at `key` of `object`.
- *
- * @private
- * @param {Object} [object] The object to query.
- * @param {string} key The key of the property to get.
- * @returns {*} Returns the property value.
- */
- function getValue(object, key) {
- return object == null ? undefined : object[key];
- }
-
- /**
- * Gets the native function at `key` of `object`.
- *
- * @private
- * @param {Object} object The object to query.
- * @param {string} key The key of the method to get.
- * @returns {*} Returns the function if it's native, else `undefined`.
- */
- function getNative(object, key) {
- var value = getValue(object, key);
- return baseIsNative(value) ? value : undefined;
- }
-
- /* Built-in method references that are verified to be native. */
- var nativeCreate = getNative(Object, 'create');
-
- /**
- * Removes all key-value entries from the hash.
- *
- * @private
- * @name clear
- * @memberOf Hash
- */
- function hashClear() {
- this.__data__ = nativeCreate ? nativeCreate(null) : {};
- }
-
- /**
- * Removes `key` and its value from the hash.
- *
- * @private
- * @name delete
- * @memberOf Hash
- * @param {Object} hash The hash to modify.
- * @param {string} key The key of the value to remove.
- * @returns {boolean} Returns `true` if the entry was removed, else `false`.
- */
- function hashDelete(key) {
- return this.has(key) && delete this.__data__[key];
- }
+ function addListener(taskName, fn) {
+ var taskListeners = listeners[taskName];
+ if (!taskListeners) {
+ taskListeners = listeners[taskName] = [];
+ }
- /** Used to stand-in for `undefined` hash values. */
- var HASH_UNDEFINED = '__lodash_hash_undefined__';
-
- /** Used for built-in method references. */
- var objectProto$7 = Object.prototype;
-
- /** Used to check objects for own properties. */
- var hasOwnProperty$3 = objectProto$7.hasOwnProperty;
-
- /**
- * Gets the hash value for `key`.
- *
- * @private
- * @name get
- * @memberOf Hash
- * @param {string} key The key of the value to get.
- * @returns {*} Returns the entry value.
- */
- function hashGet(key) {
- var data = this.__data__;
- if (nativeCreate) {
- var result = data[key];
- return result === HASH_UNDEFINED ? undefined : result;
+ taskListeners.push(fn);
}
- return hasOwnProperty$3.call(data, key) ? data[key] : undefined;
- }
-
- /** Used for built-in method references. */
- var objectProto$8 = Object.prototype;
-
- /** Used to check objects for own properties. */
- var hasOwnProperty$4 = objectProto$8.hasOwnProperty;
-
- /**
- * Checks if a hash value for `key` exists.
- *
- * @private
- * @name has
- * @memberOf Hash
- * @param {string} key The key of the entry to check.
- * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.
- */
- function hashHas(key) {
- var data = this.__data__;
- return nativeCreate ? data[key] !== undefined : hasOwnProperty$4.call(data, key);
- }
- /** Used to stand-in for `undefined` hash values. */
- var HASH_UNDEFINED$1 = '__lodash_hash_undefined__';
-
- /**
- * Sets the hash `key` to `value`.
- *
- * @private
- * @name set
- * @memberOf Hash
- * @param {string} key The key of the value to set.
- * @param {*} value The value to set.
- * @returns {Object} Returns the hash instance.
- */
- function hashSet(key, value) {
- var data = this.__data__;
- data[key] = (nativeCreate && value === undefined) ? HASH_UNDEFINED$1 : value;
- return this;
- }
-
- /**
- * Creates a hash object.
- *
- * @private
- * @constructor
- * @param {Array} [entries] The key-value pairs to cache.
- */
- function Hash(entries) {
- var index = -1,
- length = entries ? entries.length : 0;
-
- this.clear();
- while (++index < length) {
- var entry = entries[index];
- this.set(entry[0], entry[1]);
+ function taskComplete(taskName) {
+ var taskListeners = listeners[taskName] || [];
+ arrayEach(taskListeners, function (fn) {
+ fn();
+ });
+ processQueue();
}
- }
-
- // Add methods to `Hash`.
- Hash.prototype.clear = hashClear;
- Hash.prototype['delete'] = hashDelete;
- Hash.prototype.get = hashGet;
- Hash.prototype.has = hashHas;
- Hash.prototype.set = hashSet;
-
- /* Built-in method references that are verified to be native. */
- var Map = getNative(root, 'Map');
-
- /**
- * Removes all key-value entries from the map.
- *
- * @private
- * @name clear
- * @memberOf MapCache
- */
- function mapCacheClear() {
- this.__data__ = {
- 'hash': new Hash,
- 'map': new (Map || ListCache),
- 'string': new Hash
- };
- }
-
- /**
- * Checks if `value` is suitable for use as unique object key.
- *
- * @private
- * @param {*} value The value to check.
- * @returns {boolean} Returns `true` if `value` is suitable, else `false`.
- */
- function isKeyable(value) {
- var type = typeof value;
- return (type == 'string' || type == 'number' || type == 'symbol' || type == 'boolean')
- ? (value !== '__proto__')
- : (value === null);
- }
-
- /**
- * Gets the data for `map`.
- *
- * @private
- * @param {Object} map The map to query.
- * @param {string} key The reference key.
- * @returns {*} Returns the map data.
- */
- function getMapData(map, key) {
- var data = map.__data__;
- return isKeyable(key)
- ? data[typeof key == 'string' ? 'string' : 'hash']
- : data.map;
- }
-
- /**
- * Removes `key` and its value from the map.
- *
- * @private
- * @name delete
- * @memberOf MapCache
- * @param {string} key The key of the value to remove.
- * @returns {boolean} Returns `true` if the entry was removed, else `false`.
- */
- function mapCacheDelete(key) {
- return getMapData(this, key)['delete'](key);
- }
-
- /**
- * Gets the map value for `key`.
- *
- * @private
- * @name get
- * @memberOf MapCache
- * @param {string} key The key of the value to get.
- * @returns {*} Returns the entry value.
- */
- function mapCacheGet(key) {
- return getMapData(this, key).get(key);
- }
-
- /**
- * Checks if a map value for `key` exists.
- *
- * @private
- * @name has
- * @memberOf MapCache
- * @param {string} key The key of the entry to check.
- * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.
- */
- function mapCacheHas(key) {
- return getMapData(this, key).has(key);
- }
- /**
- * Sets the map `key` to `value`.
- *
- * @private
- * @name set
- * @memberOf MapCache
- * @param {string} key The key of the value to set.
- * @param {*} value The value to set.
- * @returns {Object} Returns the map cache instance.
- */
- function mapCacheSet(key, value) {
- getMapData(this, key).set(key, value);
- return this;
- }
+ function runTask(key, task) {
+ if (hasError) return;
+
+ var taskCallback = onlyOnce(rest(function (err, args) {
+ runningTasks--;
+ if (args.length <= 1) {
+ args = args[0];
+ }
+ if (err) {
+ var safeResults = {};
+ baseForOwn(results, function (val, rkey) {
+ safeResults[rkey] = val;
+ });
+ safeResults[key] = args;
+ hasError = true;
+ listeners = [];
+
+ callback(err, safeResults);
+ } else {
+ results[key] = args;
+ taskComplete(key);
+ }
+ }));
+
+ runningTasks++;
+ var taskFn = task[task.length - 1];
+ if (task.length > 1) {
+ taskFn(results, taskCallback);
+ } else {
+ taskFn(taskCallback);
+ }
+ }
- /**
- * Creates a map cache object to store key-value pairs.
- *
- * @private
- * @constructor
- * @param {Array} [entries] The key-value pairs to cache.
- */
- function MapCache(entries) {
- var index = -1,
- length = entries ? entries.length : 0;
+ function checkForDeadlocks() {
+ // Kahn's algorithm
+ // https://en.wikipedia.org/wiki/Topological_sorting#Kahn.27s_algorithm
+ // http://connalle.blogspot.com/2013/10/topological-sortingkahn-algorithm.html
+ var currentTask;
+ var counter = 0;
+ while (readyToCheck.length) {
+ currentTask = readyToCheck.pop();
+ counter++;
+ arrayEach(getDependents(currentTask), function (dependent) {
+ if (! --uncheckedDependencies[dependent]) {
+ readyToCheck.push(dependent);
+ }
+ });
+ }
- this.clear();
- while (++index < length) {
- var entry = entries[index];
- this.set(entry[0], entry[1]);
+ if (counter !== numTasks) {
+ throw new Error('async.auto cannot execute tasks due to a recursive dependency');
+ }
}
- }
- // Add methods to `MapCache`.
- MapCache.prototype.clear = mapCacheClear;
- MapCache.prototype['delete'] = mapCacheDelete;
- MapCache.prototype.get = mapCacheGet;
- MapCache.prototype.has = mapCacheHas;
- MapCache.prototype.set = mapCacheSet;
-
- /** Used as the size to enable large array optimizations. */
- var LARGE_ARRAY_SIZE = 200;
-
- /**
- * Sets the stack `key` to `value`.
- *
- * @private
- * @name set
- * @memberOf Stack
- * @param {string} key The key of the value to set.
- * @param {*} value The value to set.
- * @returns {Object} Returns the stack cache instance.
- */
- function stackSet(key, value) {
- var cache = this.__data__;
- if (cache instanceof ListCache && cache.__data__.length == LARGE_ARRAY_SIZE) {
- cache = this.__data__ = new MapCache(cache.__data__);
+ function getDependents(taskName) {
+ var result = [];
+ baseForOwn(tasks, function (task, key) {
+ if (isArray(task) && baseIndexOf(task, taskName, 0) >= 0) {
+ result.push(key);
+ }
+ });
+ return result;
}
- cache.set(key, value);
- return this;
+ }
+
+ /**
+ * A specialized version of `_.map` for arrays without support for iteratee
+ * shorthands.
+ *
+ * @private
+ * @param {Array} [array] The array to iterate over.
+ * @param {Function} iteratee The function invoked per iteration.
+ * @returns {Array} Returns the new mapped array.
+ */
+ function arrayMap(array, iteratee) {
+ var index = -1,
+ length = array ? array.length : 0,
+ result = Array(length);
+
+ while (++index < length) {
+ result[index] = iteratee(array[index], index, array);
+ }
+ return result;
+ }
+
+ /**
+ * Copies the values of `source` to `array`.
+ *
+ * @private
+ * @param {Array} source The array to copy values from.
+ * @param {Array} [array=[]] The array to copy values to.
+ * @returns {Array} Returns `array`.
+ */
+ function copyArray(source, array) {
+ var index = -1,
+ length = source.length;
+
+ array || (array = Array(length));
+ while (++index < length) {
+ array[index] = source[index];
+ }
+ return array;
+ }
+
+ /**
+ * Checks if `value` is a global object.
+ *
+ * @private
+ * @param {*} value The value to check.
+ * @returns {null|Object} Returns `value` if it's a global object, else `null`.
+ */
+ function checkGlobal(value) {
+ return (value && value.Object === Object) ? value : null;
+ }
+
+ /** Detect free variable `global` from Node.js. */
+ var freeGlobal = checkGlobal(typeof global == 'object' && global);
+
+ /** Detect free variable `self`. */
+ var freeSelf = checkGlobal(typeof self == 'object' && self);
+
+ /** Detect `this` as the global object. */
+ var thisGlobal = checkGlobal(typeof this == 'object' && this);
+
+ /** Used as a reference to the global object. */
+ var root = freeGlobal || freeSelf || thisGlobal || Function('return this')();
+
+ /** Built-in value references. */
+ var Symbol$1 = root.Symbol;
+
+ /** Used as references for various `Number` constants. */
+ var INFINITY$1 = 1 / 0;
+
+ /** Used to convert symbols to primitives and strings. */
+ var symbolProto = Symbol$1 ? Symbol$1.prototype : undefined;
+ var symbolToString = symbolProto ? symbolProto.toString : undefined;
+ /**
+ * The base implementation of `_.toString` which doesn't convert nullish
+ * values to empty strings.
+ *
+ * @private
+ * @param {*} value The value to process.
+ * @returns {string} Returns the string.
+ */
+ function baseToString(value) {
+ // Exit early for strings to avoid a performance hit in some environments.
+ if (typeof value == 'string') {
+ return value;
}
+ if (isSymbol(value)) {
+ return symbolToString ? symbolToString.call(value) : '';
+ }
+ var result = (value + '');
+ return (result == '0' && (1 / value) == -INFINITY$1) ? '-0' : result;
+ }
+
+ /**
+ * The base implementation of `_.slice` without an iteratee call guard.
+ *
+ * @private
+ * @param {Array} array The array to slice.
+ * @param {number} [start=0] The start position.
+ * @param {number} [end=array.length] The end position.
+ * @returns {Array} Returns the slice of `array`.
+ */
+ function baseSlice(array, start, end) {
+ var index = -1,
+ length = array.length;
+
+ if (start < 0) {
+ start = -start > length ? 0 : (length + start);
+ }
+ end = end > length ? length : end;
+ if (end < 0) {
+ end += length;
+ }
+ length = start > end ? 0 : ((end - start) >>> 0);
+ start >>>= 0;
+
+ var result = Array(length);
+ while (++index < length) {
+ result[index] = array[index + start];
+ }
+ return result;
+ }
+
+ /**
+ * Casts `array` to a slice if it's needed.
+ *
+ * @private
+ * @param {Array} array The array to inspect.
+ * @param {number} start The start position.
+ * @param {number} [end=array.length] The end position.
+ * @returns {Array} Returns the cast slice.
+ */
+ function castSlice(array, start, end) {
+ var length = array.length;
+ end = end === undefined ? length : end;
+ return (!start && end >= length) ? array : baseSlice(array, start, end);
+ }
+
+ /**
+ * Used by `_.trim` and `_.trimEnd` to get the index of the last string symbol
+ * that is not found in the character symbols.
+ *
+ * @private
+ * @param {Array} strSymbols The string symbols to inspect.
+ * @param {Array} chrSymbols The character symbols to find.
+ * @returns {number} Returns the index of the last unmatched string symbol.
+ */
+ function charsEndIndex(strSymbols, chrSymbols) {
+ var index = strSymbols.length;
+
+ while (index-- && baseIndexOf(chrSymbols, strSymbols[index], 0) > -1) {}
+ return index;
+ }
+
+ /**
+ * Used by `_.trim` and `_.trimStart` to get the index of the first string symbol
+ * that is not found in the character symbols.
+ *
+ * @private
+ * @param {Array} strSymbols The string symbols to inspect.
+ * @param {Array} chrSymbols The character symbols to find.
+ * @returns {number} Returns the index of the first unmatched string symbol.
+ */
+ function charsStartIndex(strSymbols, chrSymbols) {
+ var index = -1,
+ length = strSymbols.length;
+
+ while (++index < length && baseIndexOf(chrSymbols, strSymbols[index], 0) > -1) {}
+ return index;
+ }
+
+ /** Used to compose unicode character classes. */
+ var rsAstralRange = '\\ud800-\\udfff';
+ var rsComboMarksRange = '\\u0300-\\u036f\\ufe20-\\ufe23';
+ var rsComboSymbolsRange = '\\u20d0-\\u20f0';
+ var rsVarRange = '\\ufe0e\\ufe0f';
+ var rsAstral = '[' + rsAstralRange + ']';
+ var rsCombo = '[' + rsComboMarksRange + rsComboSymbolsRange + ']';
+ var rsFitz = '\\ud83c[\\udffb-\\udfff]';
+ var rsModifier = '(?:' + rsCombo + '|' + rsFitz + ')';
+ var rsNonAstral = '[^' + rsAstralRange + ']';
+ var rsRegional = '(?:\\ud83c[\\udde6-\\uddff]){2}';
+ var rsSurrPair = '[\\ud800-\\udbff][\\udc00-\\udfff]';
+ var rsZWJ = '\\u200d';
+ var reOptMod = rsModifier + '?';
+ var rsOptVar = '[' + rsVarRange + ']?';
+ var rsOptJoin = '(?:' + rsZWJ + '(?:' + [rsNonAstral, rsRegional, rsSurrPair].join('|') + ')' + rsOptVar + reOptMod + ')*';
+ var rsSeq = rsOptVar + reOptMod + rsOptJoin;
+ var rsSymbol = '(?:' + [rsNonAstral + rsCombo + '?', rsCombo, rsRegional, rsSurrPair, rsAstral].join('|') + ')';
+ /** Used to match [string symbols](https://mathiasbynens.be/notes/javascript-unicode). */
+ var reComplexSymbol = RegExp(rsFitz + '(?=' + rsFitz + ')|' + rsSymbol + rsSeq, 'g');
+
+ /**
+ * Converts `string` to an array.
+ *
+ * @private
+ * @param {string} string The string to convert.
+ * @returns {Array} Returns the converted array.
+ */
+ function stringToArray(string) {
+ return string.match(reComplexSymbol);
+ }
+
+ /**
+ * Converts `value` to a string. An empty string is returned for `null`
+ * and `undefined` values. The sign of `-0` is preserved.
+ *
+ * @static
+ * @memberOf _
+ * @since 4.0.0
+ * @category Lang
+ * @param {*} value The value to process.
+ * @returns {string} Returns the string.
+ * @example
+ *
+ * _.toString(null);
+ * // => ''
+ *
+ * _.toString(-0);
+ * // => '-0'
+ *
+ * _.toString([1, 2, 3]);
+ * // => '1,2,3'
+ */
+ function toString(value) {
+ return value == null ? '' : baseToString(value);
+ }
+
+ /** Used to match leading and trailing whitespace. */
+ var reTrim$1 = /^\s+|\s+$/g;
+
+ /**
+ * Removes leading and trailing whitespace or specified characters from `string`.
+ *
+ * @static
+ * @memberOf _
+ * @since 3.0.0
+ * @category String
+ * @param {string} [string=''] The string to trim.
+ * @param {string} [chars=whitespace] The characters to trim.
+ * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
+ * @returns {string} Returns the trimmed string.
+ * @example
+ *
+ * _.trim(' abc ');
+ * // => 'abc'
+ *
+ * _.trim('-_-abc-_-', '_-');
+ * // => 'abc'
+ *
+ * _.map([' foo ', ' bar '], _.trim);
+ * // => ['foo', 'bar']
+ */
+ function trim(string, chars, guard) {
+ string = toString(string);
+ if (string && (guard || chars === undefined)) {
+ return string.replace(reTrim$1, '');
+ }
+ if (!string || !(chars = baseToString(chars))) {
+ return string;
+ }
+ var strSymbols = stringToArray(string),
+ chrSymbols = stringToArray(chars),
+ start = charsStartIndex(strSymbols, chrSymbols),
+ end = charsEndIndex(strSymbols, chrSymbols) + 1;
+
+ return castSlice(strSymbols, start, end).join('');
+ }
+
+ var FN_ARGS = /^(function)?\s*[^\(]*\(\s*([^\)]*)\)/m;
+ var FN_ARG_SPLIT = /,/;
+ var FN_ARG = /(=.+)?(\s*)$/;
+ var STRIP_COMMENTS = /((\/\/.*$)|(\/\*[\s\S]*?\*\/))/mg;
+
+ function parseParams(func) {
+ func = func.toString().replace(STRIP_COMMENTS, '');
+ func = func.match(FN_ARGS)[2].replace(' ', '');
+ func = func ? func.split(FN_ARG_SPLIT) : [];
+ func = func.map(function (arg) {
+ return trim(arg.replace(FN_ARG, ''));
+ });
+ return func;
+ }
+
+ /**
+ * A dependency-injected version of the [async.auto]{@link module:ControlFlow.auto} function. Dependent
+ * tasks are specified as parameters to the function, after the usual callback
+ * parameter, with the parameter names matching the names of the tasks it
+ * depends on. This can provide even more readable task graphs which can be
+ * easier to maintain.
+ *
+ * If a final callback is specified, the task results are similarly injected,
+ * specified as named parameters after the initial error parameter.
+ *
+ * The autoInject function is purely syntactic sugar and its semantics are
+ * otherwise equivalent to [async.auto]{@link module:ControlFlow.auto}.
+ *
+ * @name autoInject
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @see [async.auto]{@link module:ControlFlow.auto}
+ * @category Control Flow
+ * @param {Object} tasks - An object, each of whose properties is a function of
+ * the form 'func([dependencies...], callback). The object's key of a property
+ * serves as the name of the task defined by that property, i.e. can be used
+ * when specifying requirements for other tasks.
+ * * The `callback` parameter is a `callback(err, result)` which must be called
+ * when finished, passing an `error` (which can be `null`) and the result of
+ * the function's execution. The remaining parameters name other tasks on
+ * which the task is dependent, and the results from those tasks are the
+ * arguments of those parameters.
+ * @param {Function} [callback] - An optional callback which is called when all
+ * the tasks have been completed. It receives the `err` argument if any `tasks`
+ * pass an error to their callback. The remaining parameters are task names
+ * whose results you are interested in. This callback will only be called when
+ * all tasks have finished or an error has occurred, and so do not specify
+ * dependencies in the same way as `tasks` do. If an error occurs, no further
+ * `tasks` will be performed, and `results` will only be valid for those tasks
+ * which managed to complete. Invoked with (err, [results...]).
+ * @example
+ *
+ * // The example from `auto` can be rewritten as follows:
+ * async.autoInject({
+ * get_data: function(callback) {
+ * // async code to get some data
+ * callback(null, 'data', 'converted to array');
+ * },
+ * make_folder: function(callback) {
+ * // async code to create a directory to store a file in
+ * // this is run at the same time as getting the data
+ * callback(null, 'folder');
+ * },
+ * write_file: function(get_data, make_folder, callback) {
+ * // once there is some data and the directory exists,
+ * // write the data to a file in the directory
+ * callback(null, 'filename');
+ * },
+ * email_link: function(write_file, callback) {
+ * // once the file is written let's email a link to it...
+ * // write_file contains the filename returned by write_file.
+ * callback(null, {'file':write_file, 'email':'user@example.com'});
+ * }
+ * }, function(err, email_link) {
+ * console.log('err = ', err);
+ * console.log('email_link = ', email_link);
+ * });
+ *
+ * // If you are using a JS minifier that mangles parameter names, `autoInject`
+ * // will not work with plain functions, since the parameter names will be
+ * // collapsed to a single letter identifier. To work around this, you can
+ * // explicitly specify the names of the parameters your task function needs
+ * // in an array, similar to Angular.js dependency injection. The final
+ * // results callback can be provided as an array in the same way.
+ *
+ * // This still has an advantage over plain `auto`, since the results a task
+ * // depends on are still spread into arguments.
+ * async.autoInject({
+ * //...
+ * write_file: ['get_data', 'make_folder', function(get_data, make_folder, callback) {
+ * callback(null, 'filename');
+ * }],
+ * email_link: ['write_file', function(write_file, callback) {
+ * callback(null, {'file':write_file, 'email':'user@example.com'});
+ * }]
+ * //...
+ * }, ['email_link', function(err, email_link) {
+ * console.log('err = ', err);
+ * console.log('email_link = ', email_link);
+ * }]);
+ */
+ function autoInject(tasks, callback) {
+ var newTasks = {};
+
+ baseForOwn(tasks, function (taskFn, key) {
+ var params;
+
+ if (isArray(taskFn)) {
+ params = copyArray(taskFn);
+ taskFn = params.pop();
+
+ newTasks[key] = params.concat(params.length > 0 ? newTask : taskFn);
+ } else if (taskFn.length === 1) {
+ // no dependencies, use the function as-is
+ newTasks[key] = taskFn;
+ } else {
+ params = parseParams(taskFn);
+ if (taskFn.length === 0 && params.length === 0) {
+ throw new Error("autoInject task functions require explicit parameters.");
+ }
+
+ params.pop();
+
+ newTasks[key] = params.concat(newTask);
+ }
- /**
- * Creates a stack cache object to store key-value pairs.
- *
- * @private
- * @constructor
- * @param {Array} [entries] The key-value pairs to cache.
- */
- function Stack(entries) {
- this.__data__ = new ListCache(entries);
- }
+ function newTask(results, taskCb) {
+ var newArgs = arrayMap(params, function (name) {
+ return results[name];
+ });
+ newArgs.push(taskCb);
+ taskFn.apply(null, newArgs);
+ }
+ });
- // Add methods to `Stack`.
- Stack.prototype.clear = stackClear;
- Stack.prototype['delete'] = stackDelete;
- Stack.prototype.get = stackGet;
- Stack.prototype.has = stackHas;
- Stack.prototype.set = stackSet;
-
- /** Used to stand-in for `undefined` hash values. */
- var HASH_UNDEFINED$2 = '__lodash_hash_undefined__';
-
- /**
- * Adds `value` to the array cache.
- *
- * @private
- * @name add
- * @memberOf SetCache
- * @alias push
- * @param {*} value The value to cache.
- * @returns {Object} Returns the cache instance.
- */
- function setCacheAdd(value) {
- this.__data__.set(value, HASH_UNDEFINED$2);
- return this;
- }
+ auto(newTasks, callback);
+ }
- /**
- * Checks if `value` is in the array cache.
- *
- * @private
- * @name has
- * @memberOf SetCache
- * @param {*} value The value to search for.
- * @returns {number} Returns `true` if `value` is found, else `false`.
- */
- function setCacheHas(value) {
- return this.__data__.has(value);
- }
+ var hasSetImmediate = typeof setImmediate === 'function' && setImmediate;
+ var hasNextTick = typeof process === 'object' && typeof process.nextTick === 'function';
- /**
- *
- * Creates an array cache object to store unique values.
- *
- * @private
- * @constructor
- * @param {Array} [values] The values to cache.
- */
- function SetCache(values) {
- var index = -1,
- length = values ? values.length : 0;
+ function fallback(fn) {
+ setTimeout(fn, 0);
+ }
- this.__data__ = new MapCache;
- while (++index < length) {
- this.add(values[index]);
+ function wrap(defer) {
+ return rest(function (fn, args) {
+ defer(function () {
+ fn.apply(null, args);
+ });
+ });
+ }
+
+ var _defer;
+
+ if (hasSetImmediate) {
+ _defer = setImmediate;
+ } else if (hasNextTick) {
+ _defer = process.nextTick;
+ } else {
+ _defer = fallback;
+ }
+
+ var setImmediate$1 = wrap(_defer);
+
+ // Simple doubly linked list (https://en.wikipedia.org/wiki/Doubly_linked_list) implementation
+ // used for queues. This implementation assumes that the node provided by the user can be modified
+ // to adjust the next and last properties. We implement only the minimal functionality
+ // for queue support.
+ function DLL() {
+ this.head = this.tail = null;
+ this.length = 0;
+ }
+
+ function setInitial(dll, node) {
+ dll.length = 1;
+ dll.head = dll.tail = node;
+ }
+
+ DLL.prototype.removeLink = function (node) {
+ if (node.prev) node.prev.next = node.next;else this.head = node.next;
+ if (node.next) node.next.prev = node.prev;else this.tail = node.prev;
+
+ node.prev = node.next = null;
+ this.length -= 1;
+ return node;
+ };
+
+ DLL.prototype.empty = DLL;
+
+ DLL.prototype.insertAfter = function (node, newNode) {
+ newNode.prev = node;
+ newNode.next = node.next;
+ if (node.next) node.next.prev = newNode;else this.tail = newNode;
+ node.next = newNode;
+ this.length += 1;
+ };
+
+ DLL.prototype.insertBefore = function (node, newNode) {
+ newNode.prev = node.prev;
+ newNode.next = node;
+ if (node.prev) node.prev.next = newNode;else this.head = newNode;
+ node.prev = newNode;
+ this.length += 1;
+ };
+
+ DLL.prototype.unshift = function (node) {
+ if (this.head) this.insertBefore(this.head, node);else setInitial(this, node);
+ };
+
+ DLL.prototype.push = function (node) {
+ if (this.tail) this.insertAfter(this.tail, node);else setInitial(this, node);
+ };
+
+ DLL.prototype.shift = function () {
+ return this.head && this.removeLink(this.head);
+ };
+
+ DLL.prototype.pop = function () {
+ return this.tail && this.removeLink(this.tail);
+ };
+
+ function queue(worker, concurrency, payload) {
+ if (concurrency == null) {
+ concurrency = 1;
+ } else if (concurrency === 0) {
+ throw new Error('Concurrency must not be zero');
}
- }
-
- // Add methods to `SetCache`.
- SetCache.prototype.add = SetCache.prototype.push = setCacheAdd;
- SetCache.prototype.has = setCacheHas;
-
- /**
- * A specialized version of `_.some` for arrays without support for iteratee
- * shorthands.
- *
- * @private
- * @param {Array} [array] The array to iterate over.
- * @param {Function} predicate The function invoked per iteration.
- * @returns {boolean} Returns `true` if any element passes the predicate check,
- * else `false`.
- */
- function arraySome(array, predicate) {
- var index = -1,
- length = array ? array.length : 0;
- while (++index < length) {
- if (predicate(array[index], index, array)) {
- return true;
- }
+ function _insert(data, pos, callback) {
+ if (callback != null && typeof callback !== 'function') {
+ throw new Error('task callback must be a function');
+ }
+ q.started = true;
+ if (!isArray(data)) {
+ data = [data];
+ }
+ if (data.length === 0 && q.idle()) {
+ // call drain immediately if there are no tasks
+ return setImmediate$1(function () {
+ q.drain();
+ });
+ }
+ arrayEach(data, function (task) {
+ var item = {
+ data: task,
+ callback: callback || noop
+ };
+
+ if (pos) {
+ q._tasks.unshift(item);
+ } else {
+ q._tasks.push(item);
+ }
+ });
+ setImmediate$1(q.process);
}
- return false;
- }
- var UNORDERED_COMPARE_FLAG$1 = 1;
- var PARTIAL_COMPARE_FLAG$2 = 2;
- /**
- * A specialized version of `baseIsEqualDeep` for arrays with support for
- * partial deep comparisons.
- *
- * @private
- * @param {Array} array The array to compare.
- * @param {Array} other The other array to compare.
- * @param {Function} equalFunc The function to determine equivalents of values.
- * @param {Function} customizer The function to customize comparisons.
- * @param {number} bitmask The bitmask of comparison flags. See `baseIsEqual`
- * for more details.
- * @param {Object} stack Tracks traversed `array` and `other` objects.
- * @returns {boolean} Returns `true` if the arrays are equivalent, else `false`.
- */
- function equalArrays(array, other, equalFunc, customizer, bitmask, stack) {
- var isPartial = bitmask & PARTIAL_COMPARE_FLAG$2,
- arrLength = array.length,
- othLength = other.length;
-
- if (arrLength != othLength && !(isPartial && othLength > arrLength)) {
- return false;
+ function _next(tasks) {
+ return function () {
+ workers -= 1;
+
+ var removed = false;
+ var args = arguments;
+ arrayEach(tasks, function (task) {
+ arrayEach(workersList, function (worker, index) {
+ if (worker === task && !removed) {
+ workersList.splice(index, 1);
+ removed = true;
+ }
+ });
+
+ task.callback.apply(task, args);
+
+ if (args[0] != null) {
+ q.error(args[0], task.data);
+ }
+ });
+
+ if (workers <= q.concurrency - q.buffer) {
+ q.unsaturated();
+ }
+
+ if (q._tasks.length + workers === 0) {
+ q.drain();
+ }
+ q.process();
+ };
}
- // Assume cyclic values are equal.
- var stacked = stack.get(array);
- if (stacked) {
- return stacked == other;
- }
- var index = -1,
- result = true,
- seen = (bitmask & UNORDERED_COMPARE_FLAG$1) ? new SetCache : undefined;
-
- stack.set(array, other);
- // Ignore non-index properties.
- while (++index < arrLength) {
- var arrValue = array[index],
- othValue = other[index];
-
- if (customizer) {
- var compared = isPartial
- ? customizer(othValue, arrValue, index, other, array, stack)
- : customizer(arrValue, othValue, index, array, other, stack);
- }
- if (compared !== undefined) {
- if (compared) {
- continue;
+ var workers = 0;
+ var workersList = [];
+ var q = {
+ _tasks: new DLL(),
+ concurrency: concurrency,
+ payload: payload,
+ saturated: noop,
+ unsaturated: noop,
+ buffer: concurrency / 4,
+ empty: noop,
+ drain: noop,
+ error: noop,
+ started: false,
+ paused: false,
+ push: function (data, callback) {
+ _insert(data, false, callback);
+ },
+ kill: function () {
+ q.drain = noop;
+ q._tasks.empty();
+ },
+ unshift: function (data, callback) {
+ _insert(data, true, callback);
+ },
+ process: function () {
+ while (!q.paused && workers < q.concurrency && q._tasks.length) {
+ var tasks = [],
+ data = [];
+ var l = q._tasks.length;
+ if (q.payload) l = Math.min(l, q.payload);
+ for (var i = 0; i < l; i++) {
+ var node = q._tasks.shift();
+ tasks.push(node);
+ data.push(node.data);
+ }
+
+ if (q._tasks.length === 0) {
+ q.empty();
+ }
+ workers += 1;
+ workersList.push(tasks[0]);
+
+ if (workers === q.concurrency) {
+ q.saturated();
+ }
+
+ var cb = onlyOnce(_next(tasks));
+ worker(data, cb);
+ }
+ },
+ length: function () {
+ return q._tasks.length;
+ },
+ running: function () {
+ return workers;
+ },
+ workersList: function () {
+ return workersList;
+ },
+ idle: function () {
+ return q._tasks.length + workers === 0;
+ },
+ pause: function () {
+ q.paused = true;
+ },
+ resume: function () {
+ if (q.paused === false) {
+ return;
+ }
+ q.paused = false;
+ var resumeCount = Math.min(q.concurrency, q._tasks.length);
+ // Need to call q.process once per concurrent
+ // worker to preserve full concurrency after pause
+ for (var w = 1; w <= resumeCount; w++) {
+ setImmediate$1(q.process);
+ }
}
- result = false;
- break;
- }
- // Recursively compare arrays (susceptible to call stack limits).
- if (seen) {
- if (!arraySome(other, function(othValue, othIndex) {
- if (!seen.has(othIndex) &&
- (arrValue === othValue || equalFunc(arrValue, othValue, customizer, bitmask, stack))) {
- return seen.add(othIndex);
- }
- })) {
- result = false;
- break;
+ };
+ return q;
+ }
+
+ /**
+ * A cargo of tasks for the worker function to complete. Cargo inherits all of
+ * the same methods and event callbacks as [`queue`]{@link module:ControlFlow.queue}.
+ * @typedef {Object} CargoObject
+ * @memberOf module:ControlFlow
+ * @property {Function} length - A function returning the number of items
+ * waiting to be processed. Invoke like `cargo.length()`.
+ * @property {number} payload - An `integer` for determining how many tasks
+ * should be process per round. This property can be changed after a `cargo` is
+ * created to alter the payload on-the-fly.
+ * @property {Function} push - Adds `task` to the `queue`. The callback is
+ * called once the `worker` has finished processing the task. Instead of a
+ * single task, an array of `tasks` can be submitted. The respective callback is
+ * used for every task in the list. Invoke like `cargo.push(task, [callback])`.
+ * @property {Function} saturated - A callback that is called when the
+ * `queue.length()` hits the concurrency and further tasks will be queued.
+ * @property {Function} empty - A callback that is called when the last item
+ * from the `queue` is given to a `worker`.
+ * @property {Function} drain - A callback that is called when the last item
+ * from the `queue` has returned from the `worker`.
+ * @property {Function} idle - a function returning false if there are items
+ * waiting or being processed, or true if not. Invoke like `cargo.idle()`.
+ * @property {Function} pause - a function that pauses the processing of tasks
+ * until `resume()` is called. Invoke like `cargo.pause()`.
+ * @property {Function} resume - a function that resumes the processing of
+ * queued tasks when the queue is paused. Invoke like `cargo.resume()`.
+ * @property {Function} kill - a function that removes the `drain` callback and
+ * empties remaining tasks from the queue forcing it to go idle. Invoke like `cargo.kill()`.
+ */
+
+ /**
+ * Creates a `cargo` object with the specified payload. Tasks added to the
+ * cargo will be processed altogether (up to the `payload` limit). If the
+ * `worker` is in progress, the task is queued until it becomes available. Once
+ * the `worker` has completed some tasks, each callback of those tasks is
+ * called. Check out [these](https://camo.githubusercontent.com/6bbd36f4cf5b35a0f11a96dcd2e97711ffc2fb37/68747470733a2f2f662e636c6f75642e6769746875622e636f6d2f6173736574732f313637363837312f36383130382f62626330636662302d356632392d313165322d393734662d3333393763363464633835382e676966) [animations](https://camo.githubusercontent.com/f4810e00e1c5f5f8addbe3e9f49064fd5d102699/68747470733a2f2f662e636c6f75642e6769746875622e636f6d2f6173736574732f313637363837312f36383130312f38346339323036362d356632392d313165322d383134662d3964336430323431336266642e676966)
+ * for how `cargo` and `queue` work.
+ *
+ * While [`queue`]{@link module:ControlFlow.queue} passes only one task to one of a group of workers
+ * at a time, cargo passes an array of tasks to a single worker, repeating
+ * when the worker is finished.
+ *
+ * @name cargo
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @see [async.queue]{@link module:ControlFlow.queue}
+ * @category Control Flow
+ * @param {Function} worker - An asynchronous function for processing an array
+ * of queued tasks, which must call its `callback(err)` argument when finished,
+ * with an optional `err` argument. Invoked with `(tasks, callback)`.
+ * @param {number} [payload=Infinity] - An optional `integer` for determining
+ * how many tasks should be processed per round; if omitted, the default is
+ * unlimited.
+ * @returns {module:ControlFlow.CargoObject} A cargo object to manage the tasks. Callbacks can
+ * attached as certain properties to listen for specific events during the
+ * lifecycle of the cargo and inner queue.
+ * @example
+ *
+ * // create a cargo object with payload 2
+ * var cargo = async.cargo(function(tasks, callback) {
+ * for (var i=0; i<tasks.length; i++) {
+ * console.log('hello ' + tasks[i].name);
+ * }
+ * callback();
+ * }, 2);
+ *
+ * // add some items
+ * cargo.push({name: 'foo'}, function(err) {
+ * console.log('finished processing foo');
+ * });
+ * cargo.push({name: 'bar'}, function(err) {
+ * console.log('finished processing bar');
+ * });
+ * cargo.push({name: 'baz'}, function(err) {
+ * console.log('finished processing baz');
+ * });
+ */
+ function cargo(worker, payload) {
+ return queue(worker, 1, payload);
+ }
+
+ /**
+ * The same as [`eachOf`]{@link module:Collections.eachOf} but runs a maximum of `limit` async operations at a
+ * time.
+ *
+ * @name eachOfLimit
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.eachOf]{@link module:Collections.eachOf}
+ * @alias forEachOfLimit
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {number} limit - The maximum number of async operations at a time.
+ * @param {Function} iteratee - A function to apply to each
+ * item in `coll`. The `key` is the item's key, or index in the case of an
+ * array. The iteratee is passed a `callback(err)` which must be called once it
+ * has completed. If no error has occurred, the callback should be run without
+ * arguments or with an explicit `null` argument. Invoked with
+ * (item, key, callback).
+ * @param {Function} [callback] - A callback which is called when all
+ * `iteratee` functions have finished, or an error occurs. Invoked with (err).
+ */
+ function eachOfLimit(coll, limit, iteratee, callback) {
+ _eachOfLimit(limit)(coll, iteratee, callback);
+ }
+
+ /**
+ * The same as [`eachOf`]{@link module:Collections.eachOf} but runs only a single async operation at a time.
+ *
+ * @name eachOfSeries
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.eachOf]{@link module:Collections.eachOf}
+ * @alias forEachOfSeries
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A function to apply to each item in `coll`. The
+ * `key` is the item's key, or index in the case of an array. The iteratee is
+ * passed a `callback(err)` which must be called once it has completed. If no
+ * error has occurred, the callback should be run without arguments or with an
+ * explicit `null` argument. Invoked with (item, key, callback).
+ * @param {Function} [callback] - A callback which is called when all `iteratee`
+ * functions have finished, or an error occurs. Invoked with (err).
+ */
+ var eachOfSeries = doLimit(eachOfLimit, 1);
+
+ /**
+ * Reduces `coll` into a single value using an async `iteratee` to return each
+ * successive step. `memo` is the initial state of the reduction. This function
+ * only operates in series.
+ *
+ * For performance reasons, it may make sense to split a call to this function
+ * into a parallel map, and then use the normal `Array.prototype.reduce` on the
+ * results. This function is for situations where each step in the reduction
+ * needs to be async; if you can get the data before reducing it, then it's
+ * probably a good idea to do so.
+ *
+ * @name reduce
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @alias inject
+ * @alias foldl
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {*} memo - The initial state of the reduction.
+ * @param {Function} iteratee - A function applied to each item in the
+ * array to produce the next step in the reduction. The `iteratee` is passed a
+ * `callback(err, reduction)` which accepts an optional error as its first
+ * argument, and the state of the reduction as the second. If an error is
+ * passed to the callback, the reduction is stopped and the main `callback` is
+ * immediately called with the error. Invoked with (memo, item, callback).
+ * @param {Function} [callback] - A callback which is called after all the
+ * `iteratee` functions have finished. Result is the reduced value. Invoked with
+ * (err, result).
+ * @example
+ *
+ * async.reduce([1,2,3], 0, function(memo, item, callback) {
+ * // pointless async:
+ * process.nextTick(function() {
+ * callback(null, memo + item)
+ * });
+ * }, function(err, result) {
+ * // result is now equal to the last value of memo, which is 6
+ * });
+ */
+ function reduce(coll, memo, iteratee, callback) {
+ eachOfSeries(coll, function (x, i, callback) {
+ iteratee(memo, x, function (err, v) {
+ memo = v;
+ callback(err);
+ });
+ }, function (err) {
+ callback(err, memo);
+ });
+ }
+
+ /**
+ * Version of the compose function that is more natural to read. Each function
+ * consumes the return value of the previous function. It is the equivalent of
+ * [compose]{@link module:ControlFlow.compose} with the arguments reversed.
+ *
+ * Each function is executed with the `this` binding of the composed function.
+ *
+ * @name seq
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @see [async.compose]{@link module:ControlFlow.compose}
+ * @category Control Flow
+ * @param {...Function} functions - the asynchronous functions to compose
+ * @returns {Function} a function that composes the `functions` in order
+ * @example
+ *
+ * // Requires lodash (or underscore), express3 and dresende's orm2.
+ * // Part of an app, that fetches cats of the logged user.
+ * // This example uses `seq` function to avoid overnesting and error
+ * // handling clutter.
+ * app.get('/cats', function(request, response) {
+ * var User = request.models.User;
+ * async.seq(
+ * _.bind(User.get, User), // 'User.get' has signature (id, callback(err, data))
+ * function(user, fn) {
+ * user.getCats(fn); // 'getCats' has signature (callback(err, data))
+ * }
+ * )(req.session.user_id, function (err, cats) {
+ * if (err) {
+ * console.error(err);
+ * response.json({ status: 'error', message: err.message });
+ * } else {
+ * response.json({ status: 'ok', message: 'Cats found', data: cats });
+ * }
+ * });
+ * });
+ */
+ var seq = rest(function seq(functions) {
+ return rest(function (args) {
+ var that = this;
+
+ var cb = args[args.length - 1];
+ if (typeof cb == 'function') {
+ args.pop();
+ } else {
+ cb = noop;
}
- } else if (!(
- arrValue === othValue ||
- equalFunc(arrValue, othValue, customizer, bitmask, stack)
- )) {
- result = false;
- break;
- }
- }
- stack['delete'](array);
- return result;
- }
-
- /** Built-in value references. */
- var Symbol$1 = root.Symbol;
- /** Built-in value references. */
- var Uint8Array = root.Uint8Array;
-
- /**
- * Converts `map` to its key-value pairs.
- *
- * @private
- * @param {Object} map The map to convert.
- * @returns {Array} Returns the key-value pairs.
- */
- function mapToArray(map) {
- var index = -1,
- result = Array(map.size);
-
- map.forEach(function(value, key) {
- result[++index] = [key, value];
+ reduce(functions, args, function (newargs, fn, cb) {
+ fn.apply(that, newargs.concat([rest(function (err, nextargs) {
+ cb(err, nextargs);
+ })]));
+ }, function (err, results) {
+ cb.apply(that, [err].concat(results));
+ });
});
- return result;
- }
-
- /**
- * Converts `set` to an array of its values.
- *
- * @private
- * @param {Object} set The set to convert.
- * @returns {Array} Returns the values.
- */
- function setToArray(set) {
- var index = -1,
- result = Array(set.size);
-
- set.forEach(function(value) {
- result[++index] = value;
+ });
+
+ var reverse = Array.prototype.reverse;
+
+ /**
+ * Creates a function which is a composition of the passed asynchronous
+ * functions. Each function consumes the return value of the function that
+ * follows. Composing functions `f()`, `g()`, and `h()` would produce the result
+ * of `f(g(h()))`, only this version uses callbacks to obtain the return values.
+ *
+ * Each function is executed with the `this` binding of the composed function.
+ *
+ * @name compose
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @category Control Flow
+ * @param {...Function} functions - the asynchronous functions to compose
+ * @returns {Function} an asynchronous function that is the composed
+ * asynchronous `functions`
+ * @example
+ *
+ * function add1(n, callback) {
+ * setTimeout(function () {
+ * callback(null, n + 1);
+ * }, 10);
+ * }
+ *
+ * function mul3(n, callback) {
+ * setTimeout(function () {
+ * callback(null, n * 3);
+ * }, 10);
+ * }
+ *
+ * var add1mul3 = async.compose(mul3, add1);
+ * add1mul3(4, function (err, result) {
+ * // result now equals 15
+ * });
+ */
+ function compose() /* functions... */{
+ return seq.apply(null, reverse.call(arguments));
+ }
+
+ function concat$1(eachfn, arr, fn, callback) {
+ var result = [];
+ eachfn(arr, function (x, index, cb) {
+ fn(x, function (err, y) {
+ result = result.concat(y || []);
+ cb(err);
+ });
+ }, function (err) {
+ callback(err, result);
});
- return result;
- }
-
- var UNORDERED_COMPARE_FLAG$2 = 1;
- var PARTIAL_COMPARE_FLAG$3 = 2;
- var boolTag = '[object Boolean]';
- var dateTag = '[object Date]';
- var errorTag = '[object Error]';
- var mapTag = '[object Map]';
- var numberTag = '[object Number]';
- var regexpTag = '[object RegExp]';
- var setTag = '[object Set]';
- var stringTag$1 = '[object String]';
- var symbolTag$1 = '[object Symbol]';
- var arrayBufferTag = '[object ArrayBuffer]';
- var dataViewTag = '[object DataView]';
- var symbolProto = Symbol$1 ? Symbol$1.prototype : undefined;
- var symbolValueOf = symbolProto ? symbolProto.valueOf : undefined;
- /**
- * A specialized version of `baseIsEqualDeep` for comparing objects of
- * the same `toStringTag`.
- *
- * **Note:** This function only supports comparing values with tags of
- * `Boolean`, `Date`, `Error`, `Number`, `RegExp`, or `String`.
- *
- * @private
- * @param {Object} object The object to compare.
- * @param {Object} other The other object to compare.
- * @param {string} tag The `toStringTag` of the objects to compare.
- * @param {Function} equalFunc The function to determine equivalents of values.
- * @param {Function} customizer The function to customize comparisons.
- * @param {number} bitmask The bitmask of comparison flags. See `baseIsEqual`
- * for more details.
- * @param {Object} stack Tracks traversed `object` and `other` objects.
- * @returns {boolean} Returns `true` if the objects are equivalent, else `false`.
- */
- function equalByTag(object, other, tag, equalFunc, customizer, bitmask, stack) {
- switch (tag) {
- case dataViewTag:
- if ((object.byteLength != other.byteLength) ||
- (object.byteOffset != other.byteOffset)) {
- return false;
+ }
+
+ /**
+ * Like [`each`]{@link module:Collections.each}, except that it passes the key (or index) as the second argument
+ * to the iteratee.
+ *
+ * @name eachOf
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @alias forEachOf
+ * @category Collection
+ * @see [async.each]{@link module:Collections.each}
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A function to apply to each
+ * item in `coll`. The `key` is the item's key, or index in the case of an
+ * array. The iteratee is passed a `callback(err)` which must be called once it
+ * has completed. If no error has occurred, the callback should be run without
+ * arguments or with an explicit `null` argument. Invoked with
+ * (item, key, callback).
+ * @param {Function} [callback] - A callback which is called when all
+ * `iteratee` functions have finished, or an error occurs. Invoked with (err).
+ * @example
+ *
+ * var obj = {dev: "/dev.json", test: "/test.json", prod: "/prod.json"};
+ * var configs = {};
+ *
+ * async.forEachOf(obj, function (value, key, callback) {
+ * fs.readFile(__dirname + value, "utf8", function (err, data) {
+ * if (err) return callback(err);
+ * try {
+ * configs[key] = JSON.parse(data);
+ * } catch (e) {
+ * return callback(e);
+ * }
+ * callback();
+ * });
+ * }, function (err) {
+ * if (err) console.error(err.message);
+ * // configs is now a map of JSON data
+ * doSomethingWith(configs);
+ * });
+ */
+ var eachOf = doLimit(eachOfLimit, Infinity);
+
+ function doParallel(fn) {
+ return function (obj, iteratee, callback) {
+ return fn(eachOf, obj, iteratee, callback);
+ };
+ }
+
+ /**
+ * Applies `iteratee` to each item in `coll`, concatenating the results. Returns
+ * the concatenated list. The `iteratee`s are called in parallel, and the
+ * results are concatenated as they return. There is no guarantee that the
+ * results array will be returned in the original order of `coll` passed to the
+ * `iteratee` function.
+ *
+ * @name concat
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A function to apply to each item in `coll`.
+ * The iteratee is passed a `callback(err, results)` which must be called once
+ * it has completed with an error (which can be `null`) and an array of results.
+ * Invoked with (item, callback).
+ * @param {Function} [callback(err)] - A callback which is called after all the
+ * `iteratee` functions have finished, or an error occurs. Results is an array
+ * containing the concatenated results of the `iteratee` function. Invoked with
+ * (err, results).
+ * @example
+ *
+ * async.concat(['dir1','dir2','dir3'], fs.readdir, function(err, files) {
+ * // files is now a list of filenames that exist in the 3 directories
+ * });
+ */
+ var concat = doParallel(concat$1);
+
+ function doSeries(fn) {
+ return function (obj, iteratee, callback) {
+ return fn(eachOfSeries, obj, iteratee, callback);
+ };
+ }
+
+ /**
+ * The same as [`concat`]{@link module:Collections.concat} but runs only a single async operation at a time.
+ *
+ * @name concatSeries
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.concat]{@link module:Collections.concat}
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A function to apply to each item in `coll`.
+ * The iteratee is passed a `callback(err, results)` which must be called once
+ * it has completed with an error (which can be `null`) and an array of results.
+ * Invoked with (item, callback).
+ * @param {Function} [callback(err)] - A callback which is called after all the
+ * `iteratee` functions have finished, or an error occurs. Results is an array
+ * containing the concatenated results of the `iteratee` function. Invoked with
+ * (err, results).
+ */
+ var concatSeries = doSeries(concat$1);
+
+ /**
+ * Returns a function that when called, calls-back with the values provided.
+ * Useful as the first function in a [`waterfall`]{@link module:ControlFlow.waterfall}, or for plugging values in to
+ * [`auto`]{@link module:ControlFlow.auto}.
+ *
+ * @name constant
+ * @static
+ * @memberOf module:Utils
+ * @method
+ * @category Util
+ * @param {...*} arguments... - Any number of arguments to automatically invoke
+ * callback with.
+ * @returns {Function} Returns a function that when invoked, automatically
+ * invokes the callback with the previous given arguments.
+ * @example
+ *
+ * async.waterfall([
+ * async.constant(42),
+ * function (value, next) {
+ * // value === 42
+ * },
+ * //...
+ * ], callback);
+ *
+ * async.waterfall([
+ * async.constant(filename, "utf8"),
+ * fs.readFile,
+ * function (fileData, next) {
+ * //...
+ * }
+ * //...
+ * ], callback);
+ *
+ * async.auto({
+ * hostname: async.constant("https://server.net/"),
+ * port: findFreePort,
+ * launchServer: ["hostname", "port", function (options, cb) {
+ * startServer(options, cb);
+ * }],
+ * //...
+ * }, callback);
+ */
+ var constant = rest(function (values) {
+ var args = [null].concat(values);
+ return initialParams(function (ignoredArgs, callback) {
+ return callback.apply(this, args);
+ });
+ });
+
+ /**
+ * This method returns the first argument given to it.
+ *
+ * @static
+ * @since 0.1.0
+ * @memberOf _
+ * @category Util
+ * @param {*} value Any value.
+ * @returns {*} Returns `value`.
+ * @example
+ *
+ * var object = { 'user': 'fred' };
+ *
+ * console.log(_.identity(object) === object);
+ * // => true
+ */
+ function identity(value) {
+ return value;
+ }
+
+ function _createTester(eachfn, check, getResult) {
+ return function (arr, limit, iteratee, cb) {
+ function done(err) {
+ if (cb) {
+ if (err) {
+ cb(err);
+ } else {
+ cb(null, getResult(false));
+ }
+ }
}
- object = object.buffer;
- other = other.buffer;
-
- case arrayBufferTag:
- if ((object.byteLength != other.byteLength) ||
- !equalFunc(new Uint8Array(object), new Uint8Array(other))) {
- return false;
+ function wrappedIteratee(x, _, callback) {
+ if (!cb) return callback();
+ iteratee(x, function (err, v) {
+ if (cb) {
+ if (err) {
+ cb(err);
+ cb = iteratee = false;
+ } else if (check(v)) {
+ cb(null, getResult(true, x));
+ cb = iteratee = false;
+ }
+ }
+ callback();
+ });
}
- return true;
-
- case boolTag:
- case dateTag:
- // Coerce dates and booleans to numbers, dates to milliseconds and
- // booleans to `1` or `0` treating invalid dates coerced to `NaN` as
- // not equal.
- return +object == +other;
-
- case errorTag:
- return object.name == other.name && object.message == other.message;
-
- case numberTag:
- // Treat `NaN` vs. `NaN` as equal.
- return (object != +object) ? other != +other : object == +other;
-
- case regexpTag:
- case stringTag$1:
- // Coerce regexes to strings and treat strings, primitives and objects,
- // as equal. See http://www.ecma-international.org/ecma-262/6.0/#sec-regexp.prototype.tostring
- // for more details.
- return object == (other + '');
-
- case mapTag:
- var convert = mapToArray;
-
- case setTag:
- var isPartial = bitmask & PARTIAL_COMPARE_FLAG$3;
- convert || (convert = setToArray);
-
- if (object.size != other.size && !isPartial) {
- return false;
+ if (arguments.length > 3) {
+ cb = cb || noop;
+ eachfn(arr, limit, wrappedIteratee, done);
+ } else {
+ cb = iteratee;
+ cb = cb || noop;
+ iteratee = limit;
+ eachfn(arr, wrappedIteratee, done);
}
- // Assume cyclic values are equal.
- var stacked = stack.get(object);
- if (stacked) {
- return stacked == other;
+ };
+ }
+
+ function _findGetResult(v, x) {
+ return x;
+ }
+
+ /**
+ * Returns the first value in `coll` that passes an async truth test. The
+ * `iteratee` is applied in parallel, meaning the first iteratee to return
+ * `true` will fire the detect `callback` with that result. That means the
+ * result might not be the first item in the original `coll` (in terms of order)
+ * that passes the test.
+
+ * If order within the original `coll` is important, then look at
+ * [`detectSeries`]{@link module:Collections.detectSeries}.
+ *
+ * @name detect
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @alias find
+ * @category Collections
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A truth test to apply to each item in `coll`.
+ * The iteratee is passed a `callback(err, truthValue)` which must be called
+ * with a boolean argument once it has completed. Invoked with (item, callback).
+ * @param {Function} [callback] - A callback which is called as soon as any
+ * iteratee returns `true`, or after all the `iteratee` functions have finished.
+ * Result will be the first item in the array that passes the truth test
+ * (iteratee) or the value `undefined` if none passed. Invoked with
+ * (err, result).
+ * @example
+ *
+ * async.detect(['file1','file2','file3'], function(filePath, callback) {
+ * fs.access(filePath, function(err) {
+ * callback(null, !err)
+ * });
+ * }, function(err, result) {
+ * // result now equals the first file in the list that exists
+ * });
+ */
+ var detect = _createTester(eachOf, identity, _findGetResult);
+
+ /**
+ * The same as [`detect`]{@link module:Collections.detect} but runs a maximum of `limit` async operations at a
+ * time.
+ *
+ * @name detectLimit
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.detect]{@link module:Collections.detect}
+ * @alias findLimit
+ * @category Collections
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {number} limit - The maximum number of async operations at a time.
+ * @param {Function} iteratee - A truth test to apply to each item in `coll`.
+ * The iteratee is passed a `callback(err, truthValue)` which must be called
+ * with a boolean argument once it has completed. Invoked with (item, callback).
+ * @param {Function} [callback] - A callback which is called as soon as any
+ * iteratee returns `true`, or after all the `iteratee` functions have finished.
+ * Result will be the first item in the array that passes the truth test
+ * (iteratee) or the value `undefined` if none passed. Invoked with
+ * (err, result).
+ */
+ var detectLimit = _createTester(eachOfLimit, identity, _findGetResult);
+
+ /**
+ * The same as [`detect`]{@link module:Collections.detect} but runs only a single async operation at a time.
+ *
+ * @name detectSeries
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.detect]{@link module:Collections.detect}
+ * @alias findSeries
+ * @category Collections
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A truth test to apply to each item in `coll`.
+ * The iteratee is passed a `callback(err, truthValue)` which must be called
+ * with a boolean argument once it has completed. Invoked with (item, callback).
+ * @param {Function} [callback] - A callback which is called as soon as any
+ * iteratee returns `true`, or after all the `iteratee` functions have finished.
+ * Result will be the first item in the array that passes the truth test
+ * (iteratee) or the value `undefined` if none passed. Invoked with
+ * (err, result).
+ */
+ var detectSeries = _createTester(eachOfSeries, identity, _findGetResult);
+
+ function consoleFunc(name) {
+ return rest(function (fn, args) {
+ fn.apply(null, args.concat([rest(function (err, args) {
+ if (typeof console === 'object') {
+ if (err) {
+ if (console.error) {
+ console.error(err);
+ }
+ } else if (console[name]) {
+ arrayEach(args, function (x) {
+ console[name](x);
+ });
+ }
+ }
+ })]));
+ });
+ }
+
+ /**
+ * Logs the result of an `async` function to the `console` using `console.dir`
+ * to display the properties of the resulting object. Only works in Node.js or
+ * in browsers that support `console.dir` and `console.error` (such as FF and
+ * Chrome). If multiple arguments are returned from the async function,
+ * `console.dir` is called on each argument in order.
+ *
+ * @name dir
+ * @static
+ * @memberOf module:Utils
+ * @method
+ * @category Util
+ * @param {Function} function - The function you want to eventually apply all
+ * arguments to.
+ * @param {...*} arguments... - Any number of arguments to apply to the function.
+ * @example
+ *
+ * // in a module
+ * var hello = function(name, callback) {
+ * setTimeout(function() {
+ * callback(null, {hello: name});
+ * }, 1000);
+ * };
+ *
+ * // in the node repl
+ * node> async.dir(hello, 'world');
+ * {hello: 'world'}
+ */
+ var dir = consoleFunc('dir');
+
+ /**
+ * Like [`whilst`]{@link module:ControlFlow.whilst}, except the `test` is an asynchronous function that
+ * is passed a callback in the form of `function (err, truth)`. If error is
+ * passed to `test` or `fn`, the main callback is immediately called with the
+ * value of the error.
+ *
+ * @name during
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @see [async.whilst]{@link module:ControlFlow.whilst}
+ * @category Control Flow
+ * @param {Function} test - asynchronous truth test to perform before each
+ * execution of `fn`. Invoked with (callback).
+ * @param {Function} fn - A function which is called each time `test` passes.
+ * The function is passed a `callback(err)`, which must be called once it has
+ * completed with an optional `err` argument. Invoked with (callback).
+ * @param {Function} [callback] - A callback which is called after the test
+ * function has failed and repeated execution of `fn` has stopped. `callback`
+ * will be passed an error and any arguments passed to the final `fn`'s
+ * callback. Invoked with (err, [results]);
+ * @example
+ *
+ * var count = 0;
+ *
+ * async.during(
+ * function (callback) {
+ * return callback(null, count < 5);
+ * },
+ * function (callback) {
+ * count++;
+ * setTimeout(callback, 1000);
+ * },
+ * function (err) {
+ * // 5 seconds have passed
+ * }
+ * );
+ */
+ function during(test, fn, callback) {
+ callback = callback || noop;
+
+ var next = rest(function (err, args) {
+ if (err) {
+ callback(err);
+ } else {
+ args.push(check);
+ test.apply(this, args);
}
- bitmask |= UNORDERED_COMPARE_FLAG$2;
- stack.set(object, other);
+ });
- // Recursively compare objects (susceptible to call stack limits).
- return equalArrays(convert(object), convert(other), equalFunc, customizer, bitmask, stack);
+ var check = function (err, truth) {
+ if (err) return callback(err);
+ if (!truth) return callback(null);
+ fn(next);
+ };
- case symbolTag$1:
- if (symbolValueOf) {
- return symbolValueOf.call(object) == symbolValueOf.call(other);
+ test(check);
+ }
+
+ /**
+ * The post-check version of [`during`]{@link module:ControlFlow.during}. To reflect the difference in
+ * the order of operations, the arguments `test` and `fn` are switched.
+ *
+ * Also a version of [`doWhilst`]{@link module:ControlFlow.doWhilst} with asynchronous `test` function.
+ * @name doDuring
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @see [async.during]{@link module:ControlFlow.during}
+ * @category Control Flow
+ * @param {Function} fn - A function which is called each time `test` passes.
+ * The function is passed a `callback(err)`, which must be called once it has
+ * completed with an optional `err` argument. Invoked with (callback).
+ * @param {Function} test - asynchronous truth test to perform before each
+ * execution of `fn`. Invoked with (callback).
+ * @param {Function} [callback] - A callback which is called after the test
+ * function has failed and repeated execution of `fn` has stopped. `callback`
+ * will be passed an error and any arguments passed to the final `fn`'s
+ * callback. Invoked with (err, [results]);
+ */
+ function doDuring(fn, test, callback) {
+ var calls = 0;
+
+ during(function (next) {
+ if (calls++ < 1) return next(null, true);
+ test.apply(this, arguments);
+ }, fn, callback);
+ }
+
+ /**
+ * Repeatedly call `fn`, while `test` returns `true`. Calls `callback` when
+ * stopped, or an error occurs.
+ *
+ * @name whilst
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @category Control Flow
+ * @param {Function} test - synchronous truth test to perform before each
+ * execution of `fn`. Invoked with ().
+ * @param {Function} iteratee - A function which is called each time `test` passes.
+ * The function is passed a `callback(err)`, which must be called once it has
+ * completed with an optional `err` argument. Invoked with (callback).
+ * @param {Function} [callback] - A callback which is called after the test
+ * function has failed and repeated execution of `fn` has stopped. `callback`
+ * will be passed an error and any arguments passed to the final `fn`'s
+ * callback. Invoked with (err, [results]);
+ * @returns undefined
+ * @example
+ *
+ * var count = 0;
+ * async.whilst(
+ * function() { return count < 5; },
+ * function(callback) {
+ * count++;
+ * setTimeout(function() {
+ * callback(null, count);
+ * }, 1000);
+ * },
+ * function (err, n) {
+ * // 5 seconds have passed, n = 5
+ * }
+ * );
+ */
+ function whilst(test, iteratee, callback) {
+ callback = callback || noop;
+ if (!test()) return callback(null);
+ var next = rest(function (err, args) {
+ if (err) return callback(err);
+ if (test.apply(this, args)) return iteratee(next);
+ callback.apply(null, [null].concat(args));
+ });
+ iteratee(next);
+ }
+
+ /**
+ * The post-check version of [`whilst`]{@link module:ControlFlow.whilst}. To reflect the difference in
+ * the order of operations, the arguments `test` and `fn` are switched.
+ *
+ * `doWhilst` is to `whilst` as `do while` is to `while` in plain JavaScript.
+ *
+ * @name doWhilst
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @see [async.whilst]{@link module:ControlFlow.whilst}
+ * @category Control Flow
+ * @param {Function} fn - A function which is called each time `test` passes.
+ * The function is passed a `callback(err)`, which must be called once it has
+ * completed with an optional `err` argument. Invoked with (callback).
+ * @param {Function} test - synchronous truth test to perform after each
+ * execution of `fn`. Invoked with Invoked with the non-error callback results
+ * of `fn`.
+ * @param {Function} [callback] - A callback which is called after the test
+ * function has failed and repeated execution of `fn` has stopped. `callback`
+ * will be passed an error and any arguments passed to the final `fn`'s
+ * callback. Invoked with (err, [results]);
+ */
+ function doWhilst(fn, test, callback) {
+ var calls = 0;
+ whilst(function () {
+ return ++calls <= 1 || test.apply(this, arguments);
+ }, fn, callback);
+ }
+
+ /**
+ * Like ['doWhilst']{@link module:ControlFlow.doWhilst}, except the `test` is inverted. Note the
+ * argument ordering differs from `until`.
+ *
+ * @name doUntil
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @see [async.doWhilst]{@link module:ControlFlow.doWhilst}
+ * @category Control Flow
+ * @param {Function} fn - A function which is called each time `test` fails.
+ * The function is passed a `callback(err)`, which must be called once it has
+ * completed with an optional `err` argument. Invoked with (callback).
+ * @param {Function} test - synchronous truth test to perform after each
+ * execution of `fn`. Invoked with the non-error callback results of `fn`.
+ * @param {Function} [callback] - A callback which is called after the test
+ * function has passed and repeated execution of `fn` has stopped. `callback`
+ * will be passed an error and any arguments passed to the final `fn`'s
+ * callback. Invoked with (err, [results]);
+ */
+ function doUntil(fn, test, callback) {
+ doWhilst(fn, function () {
+ return !test.apply(this, arguments);
+ }, callback);
+ }
+
+ function _withoutIndex(iteratee) {
+ return function (value, index, callback) {
+ return iteratee(value, callback);
+ };
+ }
+
+ /**
+ * The same as [`each`]{@link module:Collections.each} but runs a maximum of `limit` async operations at a time.
+ *
+ * @name eachLimit
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.each]{@link module:Collections.each}
+ * @alias forEachLimit
+ * @category Collection
+ * @param {Array|Object} coll - A colleciton to iterate over.
+ * @param {number} limit - The maximum number of async operations at a time.
+ * @param {Function} iteratee - A function to apply to each item in `coll`. The
+ * iteratee is passed a `callback(err)` which must be called once it has
+ * completed. If no error has occurred, the `callback` should be run without
+ * arguments or with an explicit `null` argument. The array index is not passed
+ * to the iteratee. Invoked with (item, callback). If you need the index, use
+ * `eachOfLimit`.
+ * @param {Function} [callback] - A callback which is called when all
+ * `iteratee` functions have finished, or an error occurs. Invoked with (err).
+ */
+ function eachLimit(coll, limit, iteratee, callback) {
+ _eachOfLimit(limit)(coll, _withoutIndex(iteratee), callback);
+ }
+
+ /**
+ * Applies the function `iteratee` to each item in `coll`, in parallel.
+ * The `iteratee` is called with an item from the list, and a callback for when
+ * it has finished. If the `iteratee` passes an error to its `callback`, the
+ * main `callback` (for the `each` function) is immediately called with the
+ * error.
+ *
+ * Note, that since this function applies `iteratee` to each item in parallel,
+ * there is no guarantee that the iteratee functions will complete in order.
+ *
+ * @name each
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @alias forEach
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A function to apply to each item
+ * in `coll`. The iteratee is passed a `callback(err)` which must be called once
+ * it has completed. If no error has occurred, the `callback` should be run
+ * without arguments or with an explicit `null` argument. The array index is not
+ * passed to the iteratee. Invoked with (item, callback). If you need the index,
+ * use `eachOf`.
+ * @param {Function} [callback] - A callback which is called when all
+ * `iteratee` functions have finished, or an error occurs. Invoked with (err).
+ * @example
+ *
+ * // assuming openFiles is an array of file names and saveFile is a function
+ * // to save the modified contents of that file:
+ *
+ * async.each(openFiles, saveFile, function(err){
+ * // if any of the saves produced an error, err would equal that error
+ * });
+ *
+ * // assuming openFiles is an array of file names
+ * async.each(openFiles, function(file, callback) {
+ *
+ * // Perform operation on file here.
+ * console.log('Processing file ' + file);
+ *
+ * if( file.length > 32 ) {
+ * console.log('This file name is too long');
+ * callback('File name too long');
+ * } else {
+ * // Do work to process file here
+ * console.log('File processed');
+ * callback();
+ * }
+ * }, function(err) {
+ * // if any of the file processing produced an error, err would equal that error
+ * if( err ) {
+ * // One of the iterations produced an error.
+ * // All processing will now stop.
+ * console.log('A file failed to process');
+ * } else {
+ * console.log('All files have been processed successfully');
+ * }
+ * });
+ */
+ var each = doLimit(eachLimit, Infinity);
+
+ /**
+ * The same as [`each`]{@link module:Collections.each} but runs only a single async operation at a time.
+ *
+ * @name eachSeries
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.each]{@link module:Collections.each}
+ * @alias forEachSeries
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A function to apply to each
+ * item in `coll`. The iteratee is passed a `callback(err)` which must be called
+ * once it has completed. If no error has occurred, the `callback` should be run
+ * without arguments or with an explicit `null` argument. The array index is
+ * not passed to the iteratee. Invoked with (item, callback). If you need the
+ * index, use `eachOfSeries`.
+ * @param {Function} [callback] - A callback which is called when all
+ * `iteratee` functions have finished, or an error occurs. Invoked with (err).
+ */
+ var eachSeries = doLimit(eachLimit, 1);
+
+ /**
+ * Wrap an async function and ensure it calls its callback on a later tick of
+ * the event loop. If the function already calls its callback on a next tick,
+ * no extra deferral is added. This is useful for preventing stack overflows
+ * (`RangeError: Maximum call stack size exceeded`) and generally keeping
+ * [Zalgo](http://blog.izs.me/post/59142742143/designing-apis-for-asynchrony)
+ * contained.
+ *
+ * @name ensureAsync
+ * @static
+ * @memberOf module:Utils
+ * @method
+ * @category Util
+ * @param {Function} fn - an async function, one that expects a node-style
+ * callback as its last argument.
+ * @returns {Function} Returns a wrapped function with the exact same call
+ * signature as the function passed in.
+ * @example
+ *
+ * function sometimesAsync(arg, callback) {
+ * if (cache[arg]) {
+ * return callback(null, cache[arg]); // this would be synchronous!!
+ * } else {
+ * doSomeIO(arg, callback); // this IO would be asynchronous
+ * }
+ * }
+ *
+ * // this has a risk of stack overflows if many results are cached in a row
+ * async.mapSeries(args, sometimesAsync, done);
+ *
+ * // this will defer sometimesAsync's callback if necessary,
+ * // preventing stack overflows
+ * async.mapSeries(args, async.ensureAsync(sometimesAsync), done);
+ */
+ function ensureAsync(fn) {
+ return initialParams(function (args, callback) {
+ var sync = true;
+ args.push(function () {
+ var innerArgs = arguments;
+ if (sync) {
+ setImmediate$1(function () {
+ callback.apply(null, innerArgs);
+ });
+ } else {
+ callback.apply(null, innerArgs);
+ }
+ });
+ fn.apply(this, args);
+ sync = false;
+ });
+ }
+
+ function notId(v) {
+ return !v;
+ }
+
+ /**
+ * The same as [`every`]{@link module:Collections.every} but runs a maximum of `limit` async operations at a time.
+ *
+ * @name everyLimit
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.every]{@link module:Collections.every}
+ * @alias allLimit
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {number} limit - The maximum number of async operations at a time.
+ * @param {Function} iteratee - A truth test to apply to each item in the
+ * collection in parallel. The iteratee is passed a `callback(err, truthValue)`
+ * which must be called with a boolean argument once it has completed. Invoked
+ * with (item, callback).
+ * @param {Function} [callback] - A callback which is called after all the
+ * `iteratee` functions have finished. Result will be either `true` or `false`
+ * depending on the values of the async tests. Invoked with (err, result).
+ */
+ var everyLimit = _createTester(eachOfLimit, notId, notId);
+
+ /**
+ * Returns `true` if every element in `coll` satisfies an async test. If any
+ * iteratee call returns `false`, the main `callback` is immediately called.
+ *
+ * @name every
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @alias all
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A truth test to apply to each item in the
+ * collection in parallel. The iteratee is passed a `callback(err, truthValue)`
+ * which must be called with a boolean argument once it has completed. Invoked
+ * with (item, callback).
+ * @param {Function} [callback] - A callback which is called after all the
+ * `iteratee` functions have finished. Result will be either `true` or `false`
+ * depending on the values of the async tests. Invoked with (err, result).
+ * @example
+ *
+ * async.every(['file1','file2','file3'], function(filePath, callback) {
+ * fs.access(filePath, function(err) {
+ * callback(null, !err)
+ * });
+ * }, function(err, result) {
+ * // if result is true then every file exists
+ * });
+ */
+ var every = doLimit(everyLimit, Infinity);
+
+ /**
+ * The same as [`every`]{@link module:Collections.every} but runs only a single async operation at a time.
+ *
+ * @name everySeries
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.every]{@link module:Collections.every}
+ * @alias allSeries
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A truth test to apply to each item in the
+ * collection in parallel. The iteratee is passed a `callback(err, truthValue)`
+ * which must be called with a boolean argument once it has completed. Invoked
+ * with (item, callback).
+ * @param {Function} [callback] - A callback which is called after all the
+ * `iteratee` functions have finished. Result will be either `true` or `false`
+ * depending on the values of the async tests. Invoked with (err, result).
+ */
+ var everySeries = doLimit(everyLimit, 1);
+
+ function _filter(eachfn, arr, iteratee, callback) {
+ var results = [];
+ eachfn(arr, function (x, index, callback) {
+ iteratee(x, function (err, v) {
+ if (err) {
+ callback(err);
+ } else {
+ if (v) {
+ results.push({ index: index, value: x });
+ }
+ callback();
+ }
+ });
+ }, function (err) {
+ if (err) {
+ callback(err);
+ } else {
+ callback(null, arrayMap(results.sort(function (a, b) {
+ return a.index - b.index;
+ }), baseProperty('value')));
}
+ });
+ }
+
+ /**
+ * The same as [`filter`]{@link module:Collections.filter} but runs a maximum of `limit` async operations at a
+ * time.
+ *
+ * @name filterLimit
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.filter]{@link module:Collections.filter}
+ * @alias selectLimit
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {number} limit - The maximum number of async operations at a time.
+ * @param {Function} iteratee - A truth test to apply to each item in `coll`.
+ * The `iteratee` is passed a `callback(err, truthValue)`, which must be called
+ * with a boolean argument once it has completed. Invoked with (item, callback).
+ * @param {Function} [callback] - A callback which is called after all the
+ * `iteratee` functions have finished. Invoked with (err, results).
+ */
+ var filterLimit = doParallelLimit(_filter);
+
+ /**
+ * Returns a new array of all the values in `coll` which pass an async truth
+ * test. This operation is performed in parallel, but the results array will be
+ * in the same order as the original.
+ *
+ * @name filter
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @alias select
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A truth test to apply to each item in `coll`.
+ * The `iteratee` is passed a `callback(err, truthValue)`, which must be called
+ * with a boolean argument once it has completed. Invoked with (item, callback).
+ * @param {Function} [callback] - A callback which is called after all the
+ * `iteratee` functions have finished. Invoked with (err, results).
+ * @example
+ *
+ * async.filter(['file1','file2','file3'], function(filePath, callback) {
+ * fs.access(filePath, function(err) {
+ * callback(null, !err)
+ * });
+ * }, function(err, results) {
+ * // results now equals an array of the existing files
+ * });
+ */
+ var filter = doLimit(filterLimit, Infinity);
+
+ /**
+ * The same as [`filter`]{@link module:Collections.filter} but runs only a single async operation at a time.
+ *
+ * @name filterSeries
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.filter]{@link module:Collections.filter}
+ * @alias selectSeries
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A truth test to apply to each item in `coll`.
+ * The `iteratee` is passed a `callback(err, truthValue)`, which must be called
+ * with a boolean argument once it has completed. Invoked with (item, callback).
+ * @param {Function} [callback] - A callback which is called after all the
+ * `iteratee` functions have finished. Invoked with (err, results)
+ */
+ var filterSeries = doLimit(filterLimit, 1);
+
+ /**
+ * Calls the asynchronous function `fn` with a callback parameter that allows it
+ * to call itself again, in series, indefinitely.
+
+ * If an error is passed to the
+ * callback then `errback` is called with the error, and execution stops,
+ * otherwise it will never be called.
+ *
+ * @name forever
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @category Control Flow
+ * @param {Function} fn - a function to call repeatedly. Invoked with (next).
+ * @param {Function} [errback] - when `fn` passes an error to it's callback,
+ * this function will be called, and execution stops. Invoked with (err).
+ * @example
+ *
+ * async.forever(
+ * function(next) {
+ * // next is suitable for passing to things that need a callback(err [, whatever]);
+ * // it will result in this function being called again.
+ * },
+ * function(err) {
+ * // if next is called with a value in its first parameter, it will appear
+ * // in here as 'err', and execution will stop.
+ * }
+ * );
+ */
+ function forever(fn, errback) {
+ var done = onlyOnce(errback || noop);
+ var task = ensureAsync(fn);
+
+ function next(err) {
+ if (err) return done(err);
+ task(next);
}
- return false;
- }
-
- /** Used to compose bitmasks for comparison styles. */
- var PARTIAL_COMPARE_FLAG$4 = 2;
-
- /**
- * A specialized version of `baseIsEqualDeep` for objects with support for
- * partial deep comparisons.
- *
- * @private
- * @param {Object} object The object to compare.
- * @param {Object} other The other object to compare.
- * @param {Function} equalFunc The function to determine equivalents of values.
- * @param {Function} customizer The function to customize comparisons.
- * @param {number} bitmask The bitmask of comparison flags. See `baseIsEqual`
- * for more details.
- * @param {Object} stack Tracks traversed `object` and `other` objects.
- * @returns {boolean} Returns `true` if the objects are equivalent, else `false`.
- */
- function equalObjects(object, other, equalFunc, customizer, bitmask, stack) {
- var isPartial = bitmask & PARTIAL_COMPARE_FLAG$4,
- objProps = keys(object),
- objLength = objProps.length,
- othProps = keys(other),
- othLength = othProps.length;
-
- if (objLength != othLength && !isPartial) {
- return false;
- }
- var index = objLength;
- while (index--) {
- var key = objProps[index];
- if (!(isPartial ? key in other : baseHas(other, key))) {
- return false;
- }
- }
- // Assume cyclic values are equal.
- var stacked = stack.get(object);
- if (stacked) {
- return stacked == other;
- }
- var result = true;
- stack.set(object, other);
-
- var skipCtor = isPartial;
- while (++index < objLength) {
- key = objProps[index];
- var objValue = object[key],
- othValue = other[key];
-
- if (customizer) {
- var compared = isPartial
- ? customizer(othValue, objValue, key, other, object, stack)
- : customizer(objValue, othValue, key, object, other, stack);
- }
- // Recursively compare objects (susceptible to call stack limits).
- if (!(compared === undefined
- ? (objValue === othValue || equalFunc(objValue, othValue, customizer, bitmask, stack))
- : compared
- )) {
- result = false;
- break;
- }
- skipCtor || (skipCtor = key == 'constructor');
- }
- if (result && !skipCtor) {
- var objCtor = object.constructor,
- othCtor = other.constructor;
-
- // Non `Object` object instances with different constructors are not equal.
- if (objCtor != othCtor &&
- ('constructor' in object && 'constructor' in other) &&
- !(typeof objCtor == 'function' && objCtor instanceof objCtor &&
- typeof othCtor == 'function' && othCtor instanceof othCtor)) {
- result = false;
- }
- }
- stack['delete'](object);
- return result;
- }
-
- /* Built-in method references that are verified to be native. */
- var DataView = getNative(root, 'DataView');
-
- /* Built-in method references that are verified to be native. */
- var Promise = getNative(root, 'Promise');
-
- /* Built-in method references that are verified to be native. */
- var Set = getNative(root, 'Set');
-
- /* Built-in method references that are verified to be native. */
- var WeakMap = getNative(root, 'WeakMap');
-
- var mapTag$1 = '[object Map]';
- var objectTag$1 = '[object Object]';
- var promiseTag = '[object Promise]';
- var setTag$1 = '[object Set]';
- var weakMapTag = '[object WeakMap]';
- var dataViewTag$1 = '[object DataView]';
-
- /** Used for built-in method references. */
- var objectProto$10 = Object.prototype;
-
- /**
- * Used to resolve the
- * [`toStringTag`](http://ecma-international.org/ecma-262/6.0/#sec-object.prototype.tostring)
- * of values.
- */
- var objectToString$4 = objectProto$10.toString;
-
- /** Used to detect maps, sets, and weakmaps. */
- var dataViewCtorString = toSource(DataView);
- var mapCtorString = toSource(Map);
- var promiseCtorString = toSource(Promise);
- var setCtorString = toSource(Set);
- var weakMapCtorString = toSource(WeakMap);
- /**
- * Gets the `toStringTag` of `value`.
- *
- * @private
- * @param {*} value The value to query.
- * @returns {string} Returns the `toStringTag`.
- */
- function getTag(value) {
- return objectToString$4.call(value);
- }
-
- // Fallback for data views, maps, sets, and weak maps in IE 11,
- // for data views in Edge, and promises in Node.js.
- if ((DataView && getTag(new DataView(new ArrayBuffer(1))) != dataViewTag$1) ||
- (Map && getTag(new Map) != mapTag$1) ||
- (Promise && getTag(Promise.resolve()) != promiseTag) ||
- (Set && getTag(new Set) != setTag$1) ||
- (WeakMap && getTag(new WeakMap) != weakMapTag)) {
- getTag = function(value) {
- var result = objectToString$4.call(value),
- Ctor = result == objectTag$1 ? value.constructor : undefined,
- ctorString = Ctor ? toSource(Ctor) : undefined;
-
- if (ctorString) {
- switch (ctorString) {
- case dataViewCtorString: return dataViewTag$1;
- case mapCtorString: return mapTag$1;
- case promiseCtorString: return promiseTag;
- case setCtorString: return setTag$1;
- case weakMapCtorString: return weakMapTag;
+ next();
+ }
+
+ /**
+ * Creates an iterator function which calls the next function in the `tasks`
+ * array, returning a continuation to call the next one after that. It's also
+ * possible to “peek” at the next iterator with `iterator.next()`.
+ *
+ * This function is used internally by the `async` module, but can be useful
+ * when you want to manually control the flow of functions in series.
+ *
+ * @name iterator
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @category Control Flow
+ * @param {Array} tasks - An array of functions to run.
+ * @returns The next function to run in the series.
+ * @example
+ *
+ * var iterator = async.iterator([
+ * function() { sys.p('one'); },
+ * function() { sys.p('two'); },
+ * function() { sys.p('three'); }
+ * ]);
+ *
+ * node> var iterator2 = iterator();
+ * 'one'
+ * node> var iterator3 = iterator2();
+ * 'two'
+ * node> iterator3();
+ * 'three'
+ * node> var nextfn = iterator2.next();
+ * node> nextfn();
+ * 'three'
+ */
+ function iterator$1 (tasks) {
+ function makeCallback(index) {
+ function fn() {
+ if (tasks.length) {
+ tasks[index].apply(null, arguments);
+ }
+ return fn.next();
}
- }
- return result;
- };
- }
-
- var getTag$1 = getTag;
-
- var argsTag$2 = '[object Arguments]';
- var arrayTag$1 = '[object Array]';
- var boolTag$1 = '[object Boolean]';
- var dateTag$1 = '[object Date]';
- var errorTag$1 = '[object Error]';
- var funcTag$1 = '[object Function]';
- var mapTag$2 = '[object Map]';
- var numberTag$1 = '[object Number]';
- var objectTag$2 = '[object Object]';
- var regexpTag$1 = '[object RegExp]';
- var setTag$2 = '[object Set]';
- var stringTag$2 = '[object String]';
- var weakMapTag$1 = '[object WeakMap]';
- var arrayBufferTag$1 = '[object ArrayBuffer]';
- var dataViewTag$2 = '[object DataView]';
- var float32Tag = '[object Float32Array]';
- var float64Tag = '[object Float64Array]';
- var int8Tag = '[object Int8Array]';
- var int16Tag = '[object Int16Array]';
- var int32Tag = '[object Int32Array]';
- var uint8Tag = '[object Uint8Array]';
- var uint8ClampedTag = '[object Uint8ClampedArray]';
- var uint16Tag = '[object Uint16Array]';
- var uint32Tag = '[object Uint32Array]';
- /** Used to identify `toStringTag` values of typed arrays. */
- var typedArrayTags = {};
- typedArrayTags[float32Tag] = typedArrayTags[float64Tag] =
- typedArrayTags[int8Tag] = typedArrayTags[int16Tag] =
- typedArrayTags[int32Tag] = typedArrayTags[uint8Tag] =
- typedArrayTags[uint8ClampedTag] = typedArrayTags[uint16Tag] =
- typedArrayTags[uint32Tag] = true;
- typedArrayTags[argsTag$2] = typedArrayTags[arrayTag$1] =
- typedArrayTags[arrayBufferTag$1] = typedArrayTags[boolTag$1] =
- typedArrayTags[dataViewTag$2] = typedArrayTags[dateTag$1] =
- typedArrayTags[errorTag$1] = typedArrayTags[funcTag$1] =
- typedArrayTags[mapTag$2] = typedArrayTags[numberTag$1] =
- typedArrayTags[objectTag$2] = typedArrayTags[regexpTag$1] =
- typedArrayTags[setTag$2] = typedArrayTags[stringTag$2] =
- typedArrayTags[weakMapTag$1] = false;
-
- /** Used for built-in method references. */
- var objectProto$11 = Object.prototype;
-
- /**
- * Used to resolve the
- * [`toStringTag`](http://ecma-international.org/ecma-262/6.0/#sec-object.prototype.tostring)
- * of values.
- */
- var objectToString$5 = objectProto$11.toString;
-
- /**
- * Checks if `value` is classified as a typed array.
- *
- * @static
- * @memberOf _
- * @since 3.0.0
- * @category Lang
- * @param {*} value The value to check.
- * @returns {boolean} Returns `true` if `value` is correctly classified,
- * else `false`.
- * @example
- *
- * _.isTypedArray(new Uint8Array);
- * // => true
- *
- * _.isTypedArray([]);
- * // => false
- */
- function isTypedArray(value) {
- return isObjectLike(value) &&
- isLength(value.length) && !!typedArrayTags[objectToString$5.call(value)];
- }
-
- /** Used to compose bitmasks for comparison styles. */
- var PARTIAL_COMPARE_FLAG$1 = 2;
-
- /** `Object#toString` result references. */
- var argsTag$1 = '[object Arguments]';
- var arrayTag = '[object Array]';
- var objectTag = '[object Object]';
- /** Used for built-in method references. */
- var objectProto$9 = Object.prototype;
-
- /** Used to check objects for own properties. */
- var hasOwnProperty$5 = objectProto$9.hasOwnProperty;
-
- /**
- * A specialized version of `baseIsEqual` for arrays and objects which performs
- * deep comparisons and tracks traversed objects enabling objects with circular
- * references to be compared.
- *
- * @private
- * @param {Object} object The object to compare.
- * @param {Object} other The other object to compare.
- * @param {Function} equalFunc The function to determine equivalents of values.
- * @param {Function} [customizer] The function to customize comparisons.
- * @param {number} [bitmask] The bitmask of comparison flags. See `baseIsEqual`
- * for more details.
- * @param {Object} [stack] Tracks traversed `object` and `other` objects.
- * @returns {boolean} Returns `true` if the objects are equivalent, else `false`.
- */
- function baseIsEqualDeep(object, other, equalFunc, customizer, bitmask, stack) {
- var objIsArr = isArray(object),
- othIsArr = isArray(other),
- objTag = arrayTag,
- othTag = arrayTag;
-
- if (!objIsArr) {
- objTag = getTag$1(object);
- objTag = objTag == argsTag$1 ? objectTag : objTag;
- }
- if (!othIsArr) {
- othTag = getTag$1(other);
- othTag = othTag == argsTag$1 ? objectTag : othTag;
- }
- var objIsObj = objTag == objectTag && !isHostObject(object),
- othIsObj = othTag == objectTag && !isHostObject(other),
- isSameTag = objTag == othTag;
-
- if (isSameTag && !objIsObj) {
- stack || (stack = new Stack);
- return (objIsArr || isTypedArray(object))
- ? equalArrays(object, other, equalFunc, customizer, bitmask, stack)
- : equalByTag(object, other, objTag, equalFunc, customizer, bitmask, stack);
- }
- if (!(bitmask & PARTIAL_COMPARE_FLAG$1)) {
- var objIsWrapped = objIsObj && hasOwnProperty$5.call(object, '__wrapped__'),
- othIsWrapped = othIsObj && hasOwnProperty$5.call(other, '__wrapped__');
-
- if (objIsWrapped || othIsWrapped) {
- var objUnwrapped = objIsWrapped ? object.value() : object,
- othUnwrapped = othIsWrapped ? other.value() : other;
-
- stack || (stack = new Stack);
- return equalFunc(objUnwrapped, othUnwrapped, customizer, bitmask, stack);
- }
+ fn.next = function () {
+ return index < tasks.length - 1 ? makeCallback(index + 1) : null;
+ };
+ return fn;
}
- if (!isSameTag) {
- return false;
- }
- stack || (stack = new Stack);
- return equalObjects(object, other, equalFunc, customizer, bitmask, stack);
- }
-
- /**
- * The base implementation of `_.isEqual` which supports partial comparisons
- * and tracks traversed objects.
- *
- * @private
- * @param {*} value The value to compare.
- * @param {*} other The other value to compare.
- * @param {Function} [customizer] The function to customize comparisons.
- * @param {boolean} [bitmask] The bitmask of comparison flags.
- * The bitmask may be composed of the following flags:
- * 1 - Unordered comparison
- * 2 - Partial comparison
- * @param {Object} [stack] Tracks traversed `value` and `other` objects.
- * @returns {boolean} Returns `true` if the values are equivalent, else `false`.
- */
- function baseIsEqual(value, other, customizer, bitmask, stack) {
- if (value === other) {
- return true;
- }
- if (value == null || other == null || (!isObject(value) && !isObjectLike(other))) {
- return value !== value && other !== other;
- }
- return baseIsEqualDeep(value, other, baseIsEqual, customizer, bitmask, stack);
- }
-
- var UNORDERED_COMPARE_FLAG = 1;
- var PARTIAL_COMPARE_FLAG = 2;
- /**
- * The base implementation of `_.isMatch` without support for iteratee shorthands.
- *
- * @private
- * @param {Object} object The object to inspect.
- * @param {Object} source The object of property values to match.
- * @param {Array} matchData The property names, values, and compare flags to match.
- * @param {Function} [customizer] The function to customize comparisons.
- * @returns {boolean} Returns `true` if `object` is a match, else `false`.
- */
- function baseIsMatch(object, source, matchData, customizer) {
- var index = matchData.length,
- length = index,
- noCustomizer = !customizer;
-
- if (object == null) {
- return !length;
- }
- object = Object(object);
- while (index--) {
- var data = matchData[index];
- if ((noCustomizer && data[2])
- ? data[1] !== object[data[0]]
- : !(data[0] in object)
- ) {
- return false;
- }
- }
- while (++index < length) {
- data = matchData[index];
- var key = data[0],
- objValue = object[key],
- srcValue = data[1];
-
- if (noCustomizer && data[2]) {
- if (objValue === undefined && !(key in object)) {
- return false;
+ return makeCallback(0);
+ }
+
+ /**
+ * Logs the result of an `async` function to the `console`. Only works in
+ * Node.js or in browsers that support `console.log` and `console.error` (such
+ * as FF and Chrome). If multiple arguments are returned from the async
+ * function, `console.log` is called on each argument in order.
+ *
+ * @name log
+ * @static
+ * @memberOf module:Utils
+ * @method
+ * @category Util
+ * @param {Function} function - The function you want to eventually apply all
+ * arguments to.
+ * @param {...*} arguments... - Any number of arguments to apply to the function.
+ * @example
+ *
+ * // in a module
+ * var hello = function(name, callback) {
+ * setTimeout(function() {
+ * callback(null, 'hello ' + name);
+ * }, 1000);
+ * };
+ *
+ * // in the node repl
+ * node> async.log(hello, 'world');
+ * 'hello world'
+ */
+ var log = consoleFunc('log');
+
+ /**
+ * The same as [`mapValues`]{@link module:Collections.mapValues} but runs a maximum of `limit` async operations at a
+ * time.
+ *
+ * @name mapValuesLimit
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.mapValues]{@link module:Collections.mapValues}
+ * @category Collection
+ * @param {Object} obj - A collection to iterate over.
+ * @param {number} limit - The maximum number of async operations at a time.
+ * @param {Function} iteratee - A function to apply to each value in `obj`.
+ * The iteratee is passed a `callback(err, transformed)` which must be called
+ * once it has completed with an error (which can be `null`) and a
+ * transformed value. Invoked with (value, key, callback).
+ * @param {Function} [callback] - A callback which is called when all `iteratee`
+ * functions have finished, or an error occurs. Result is an object of the
+ * transformed values from the `obj`. Invoked with (err, result).
+ */
+ function mapValuesLimit(obj, limit, iteratee, callback) {
+ var newObj = {};
+ eachOfLimit(obj, limit, function (val, key, next) {
+ iteratee(val, key, function (err, result) {
+ if (err) return next(err);
+ newObj[key] = result;
+ next();
+ });
+ }, function (err) {
+ callback(err, newObj);
+ });
+ }
+
+ /**
+ * A relative of [`map`]{@link module:Collections.map}, designed for use with objects.
+ *
+ * Produces a new Object by mapping each value of `obj` through the `iteratee`
+ * function. The `iteratee` is called each `value` and `key` from `obj` and a
+ * callback for when it has finished processing. Each of these callbacks takes
+ * two arguments: an `error`, and the transformed item from `obj`. If `iteratee`
+ * passes an error to its callback, the main `callback` (for the `mapValues`
+ * function) is immediately called with the error.
+ *
+ * Note, the order of the keys in the result is not guaranteed. The keys will
+ * be roughly in the order they complete, (but this is very engine-specific)
+ *
+ * @name mapValues
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @category Collection
+ * @param {Object} obj - A collection to iterate over.
+ * @param {Function} iteratee - A function to apply to each value and key in
+ * `coll`. The iteratee is passed a `callback(err, transformed)` which must be
+ * called once it has completed with an error (which can be `null`) and a
+ * transformed value. Invoked with (value, key, callback).
+ * @param {Function} [callback] - A callback which is called when all `iteratee`
+ * functions have finished, or an error occurs. Results is an array of the
+ * transformed items from the `obj`. Invoked with (err, result).
+ * @example
+ *
+ * async.mapValues({
+ * f1: 'file1',
+ * f2: 'file2',
+ * f3: 'file3'
+ * }, fs.stat, function(err, result) {
+ * // results is now a map of stats for each file, e.g.
+ * // {
+ * // f1: [stats for file1],
+ * // f2: [stats for file2],
+ * // f3: [stats for file3]
+ * // }
+ * });
+ */
+
+ var mapValues = doLimit(mapValuesLimit, Infinity);
+
+ /**
+ * The same as [`mapValues`]{@link module:Collections.mapValues} but runs only a single async operation at a time.
+ *
+ * @name mapValuesSeries
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.mapValues]{@link module:Collections.mapValues}
+ * @category Collection
+ * @param {Object} obj - A collection to iterate over.
+ * @param {Function} iteratee - A function to apply to each value in `obj`.
+ * The iteratee is passed a `callback(err, transformed)` which must be called
+ * once it has completed with an error (which can be `null`) and a
+ * transformed value. Invoked with (value, key, callback).
+ * @param {Function} [callback] - A callback which is called when all `iteratee`
+ * functions have finished, or an error occurs. Result is an object of the
+ * transformed values from the `obj`. Invoked with (err, result).
+ */
+ var mapValuesSeries = doLimit(mapValuesLimit, 1);
+
+ function has(obj, key) {
+ return key in obj;
+ }
+
+ /**
+ * Caches the results of an `async` function. When creating a hash to store
+ * function results against, the callback is omitted from the hash and an
+ * optional hash function can be used.
+ *
+ * If no hash function is specified, the first argument is used as a hash key,
+ * which may work reasonably if it is a string or a data type that converts to a
+ * distinct string. Note that objects and arrays will not behave reasonably.
+ * Neither will cases where the other arguments are significant. In such cases,
+ * specify your own hash function.
+ *
+ * The cache of results is exposed as the `memo` property of the function
+ * returned by `memoize`.
+ *
+ * @name memoize
+ * @static
+ * @memberOf module:Utils
+ * @method
+ * @category Util
+ * @param {Function} fn - The function to proxy and cache results from.
+ * @param {Function} hasher - An optional function for generating a custom hash
+ * for storing results. It has all the arguments applied to it apart from the
+ * callback, and must be synchronous.
+ * @returns {Function} a memoized version of `fn`
+ * @example
+ *
+ * var slow_fn = function(name, callback) {
+ * // do something
+ * callback(null, result);
+ * };
+ * var fn = async.memoize(slow_fn);
+ *
+ * // fn can now be used as if it were slow_fn
+ * fn('some name', function() {
+ * // callback
+ * });
+ */
+ function memoize(fn, hasher) {
+ var memo = Object.create(null);
+ var queues = Object.create(null);
+ hasher = hasher || identity;
+ var memoized = initialParams(function memoized(args, callback) {
+ var key = hasher.apply(null, args);
+ if (has(memo, key)) {
+ setImmediate$1(function () {
+ callback.apply(null, memo[key]);
+ });
+ } else if (has(queues, key)) {
+ queues[key].push(callback);
+ } else {
+ queues[key] = [callback];
+ fn.apply(null, args.concat([rest(function (args) {
+ memo[key] = args;
+ var q = queues[key];
+ delete queues[key];
+ for (var i = 0, l = q.length; i < l; i++) {
+ q[i].apply(null, args);
+ }
+ })]));
}
- } else {
- var stack = new Stack;
- if (customizer) {
- var result = customizer(objValue, srcValue, key, object, source, stack);
+ });
+ memoized.memo = memo;
+ memoized.unmemoized = fn;
+ return memoized;
+ }
+
+ /**
+ * Calls `callback` on a later loop around the event loop. In Node.js this just
+ * calls `setImmediate`. In the browser it will use `setImmediate` if
+ * available, otherwise `setTimeout(callback, 0)`, which means other higher
+ * priority events may precede the execution of `callback`.
+ *
+ * This is used internally for browser-compatibility purposes.
+ *
+ * @name nextTick
+ * @static
+ * @memberOf module:Utils
+ * @method
+ * @alias setImmediate
+ * @category Util
+ * @param {Function} callback - The function to call on a later loop around
+ * the event loop. Invoked with (args...).
+ * @param {...*} args... - any number of additional arguments to pass to the
+ * callback on the next tick.
+ * @example
+ *
+ * var call_order = [];
+ * async.nextTick(function() {
+ * call_order.push('two');
+ * // call_order now equals ['one','two']
+ * });
+ * call_order.push('one');
+ *
+ * async.setImmediate(function (a, b, c) {
+ * // a, b, and c equal 1, 2, and 3
+ * }, 1, 2, 3);
+ */
+ var _defer$1;
+
+ if (hasNextTick) {
+ _defer$1 = process.nextTick;
+ } else if (hasSetImmediate) {
+ _defer$1 = setImmediate;
+ } else {
+ _defer$1 = fallback;
+ }
+
+ var nextTick = wrap(_defer$1);
+
+ function _parallel(eachfn, tasks, callback) {
+ callback = callback || noop;
+ var results = isArrayLike(tasks) ? [] : {};
+
+ eachfn(tasks, function (task, key, callback) {
+ task(rest(function (err, args) {
+ if (args.length <= 1) {
+ args = args[0];
+ }
+ results[key] = args;
+ callback(err);
+ }));
+ }, function (err) {
+ callback(err, results);
+ });
+ }
+
+ /**
+ * The same as [`parallel`]{@link module:ControlFlow.parallel} but runs a maximum of `limit` async operations at a
+ * time.
+ *
+ * @name parallelLimit
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @see [async.parallel]{@link module:ControlFlow.parallel}
+ * @category Control Flow
+ * @param {Array|Collection} tasks - A collection containing functions to run.
+ * Each function is passed a `callback(err, result)` which it must call on
+ * completion with an error `err` (which can be `null`) and an optional `result`
+ * value.
+ * @param {number} limit - The maximum number of async operations at a time.
+ * @param {Function} [callback] - An optional callback to run once all the
+ * functions have completed successfully. This function gets a results array
+ * (or object) containing all the result arguments passed to the task callbacks.
+ * Invoked with (err, results).
+ */
+ function parallelLimit(tasks, limit, callback) {
+ _parallel(_eachOfLimit(limit), tasks, callback);
+ }
+
+ /**
+ * Run the `tasks` collection of functions in parallel, without waiting until
+ * the previous function has completed. If any of the functions pass an error to
+ * its callback, the main `callback` is immediately called with the value of the
+ * error. Once the `tasks` have completed, the results are passed to the final
+ * `callback` as an array.
+ *
+ * **Note:** `parallel` is about kicking-off I/O tasks in parallel, not about
+ * parallel execution of code. If your tasks do not use any timers or perform
+ * any I/O, they will actually be executed in series. Any synchronous setup
+ * sections for each task will happen one after the other. JavaScript remains
+ * single-threaded.
+ *
+ * It is also possible to use an object instead of an array. Each property will
+ * be run as a function and the results will be passed to the final `callback`
+ * as an object instead of an array. This can be a more readable way of handling
+ * results from {@link async.parallel}.
+ *
+ * @name parallel
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @category Control Flow
+ * @param {Array|Object} tasks - A collection containing functions to run.
+ * Each function is passed a `callback(err, result)` which it must call on
+ * completion with an error `err` (which can be `null`) and an optional `result`
+ * value.
+ * @param {Function} [callback] - An optional callback to run once all the
+ * functions have completed successfully. This function gets a results array
+ * (or object) containing all the result arguments passed to the task callbacks.
+ * Invoked with (err, results).
+ * @example
+ * async.parallel([
+ * function(callback) {
+ * setTimeout(function() {
+ * callback(null, 'one');
+ * }, 200);
+ * },
+ * function(callback) {
+ * setTimeout(function() {
+ * callback(null, 'two');
+ * }, 100);
+ * }
+ * ],
+ * // optional callback
+ * function(err, results) {
+ * // the results array will equal ['one','two'] even though
+ * // the second function had a shorter timeout.
+ * });
+ *
+ * // an example using an object instead of an array
+ * async.parallel({
+ * one: function(callback) {
+ * setTimeout(function() {
+ * callback(null, 1);
+ * }, 200);
+ * },
+ * two: function(callback) {
+ * setTimeout(function() {
+ * callback(null, 2);
+ * }, 100);
+ * }
+ * }, function(err, results) {
+ * // results is now equals to: {one: 1, two: 2}
+ * });
+ */
+ var parallel = doLimit(parallelLimit, Infinity);
+
+ /**
+ * A queue of tasks for the worker function to complete.
+ * @typedef {Object} QueueObject
+ * @memberOf module:ControlFlow
+ * @property {Function} length - a function returning the number of items
+ * waiting to be processed. Invoke with `queue.length()`.
+ * @property {Function} started - a function returning whether or not any
+ * items have been pushed and processed by the queue. Invoke with `queue.started()`.
+ * @property {Function} running - a function returning the number of items
+ * currently being processed. Invoke with `queue.running()`.
+ * @property {Function} workersList - a function returning the array of items
+ * currently being processed. Invoke with `queue.workersList()`.
+ * @property {Function} idle - a function returning false if there are items
+ * waiting or being processed, or true if not. Invoke with `queue.idle()`.
+ * @property {number} concurrency - an integer for determining how many `worker`
+ * functions should be run in parallel. This property can be changed after a
+ * `queue` is created to alter the concurrency on-the-fly.
+ * @property {Function} push - add a new task to the `queue`. Calls `callback`
+ * once the `worker` has finished processing the task. Instead of a single task,
+ * a `tasks` array can be submitted. The respective callback is used for every
+ * task in the list. Invoke with `queue.push(task, [callback])`,
+ * @property {Function} unshift - add a new task to the front of the `queue`.
+ * Invoke with `queue.unshift(task, [callback])`.
+ * @property {Function} saturated - a callback that is called when the number of
+ * running workers hits the `concurrency` limit, and further tasks will be
+ * queued.
+ * @property {Function} unsaturated - a callback that is called when the number
+ * of running workers is less than the `concurrency` & `buffer` limits, and
+ * further tasks will not be queued.
+ * @property {number} buffer - A minimum threshold buffer in order to say that
+ * the `queue` is `unsaturated`.
+ * @property {Function} empty - a callback that is called when the last item
+ * from the `queue` is given to a `worker`.
+ * @property {Function} drain - a callback that is called when the last item
+ * from the `queue` has returned from the `worker`.
+ * @property {Function} error - a callback that is called when a task errors.
+ * Has the signature `function(error, task)`.
+ * @property {boolean} paused - a boolean for determining whether the queue is
+ * in a paused state.
+ * @property {Function} pause - a function that pauses the processing of tasks
+ * until `resume()` is called. Invoke with `queue.pause()`.
+ * @property {Function} resume - a function that resumes the processing of
+ * queued tasks when the queue is paused. Invoke with `queue.length()`.
+ * @property {Function} kill - a function that removes the `drain` callback and
+ * empties remaining tasks from the queue forcing it to go idle. Invoke with `queue.kill()`.
+ */
+
+ /**
+ * Creates a `queue` object with the specified `concurrency`. Tasks added to the
+ * `queue` are processed in parallel (up to the `concurrency` limit). If all
+ * `worker`s are in progress, the task is queued until one becomes available.
+ * Once a `worker` completes a `task`, that `task`'s callback is called.
+ *
+ * @name queue
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @category Control Flow
+ * @param {Function} worker - An asynchronous function for processing a queued
+ * task, which must call its `callback(err)` argument when finished, with an
+ * optional `error` as an argument. If you want to handle errors from an
+ * individual task, pass a callback to `q.push()`. Invoked with
+ * (task, callback).
+ * @param {number} [concurrency=1] - An `integer` for determining how many
+ * `worker` functions should be run in parallel. If omitted, the concurrency
+ * defaults to `1`. If the concurrency is `0`, an error is thrown.
+ * @returns {module:ControlFlow.QueueObject} A queue object to manage the tasks. Callbacks can
+ * attached as certain properties to listen for specific events during the
+ * lifecycle of the queue.
+ * @example
+ *
+ * // create a queue object with concurrency 2
+ * var q = async.queue(function(task, callback) {
+ * console.log('hello ' + task.name);
+ * callback();
+ * }, 2);
+ *
+ * // assign a callback
+ * q.drain = function() {
+ * console.log('all items have been processed');
+ * };
+ *
+ * // add some items to the queue
+ * q.push({name: 'foo'}, function(err) {
+ * console.log('finished processing foo');
+ * });
+ * q.push({name: 'bar'}, function (err) {
+ * console.log('finished processing bar');
+ * });
+ *
+ * // add some items to the queue (batch-wise)
+ * q.push([{name: 'baz'},{name: 'bay'},{name: 'bax'}], function(err) {
+ * console.log('finished processing item');
+ * });
+ *
+ * // add some items to the front of the queue
+ * q.unshift({name: 'bar'}, function (err) {
+ * console.log('finished processing bar');
+ * });
+ */
+ function queue$1 (worker, concurrency) {
+ return queue(function (items, cb) {
+ worker(items[0], cb);
+ }, concurrency, 1);
+ }
+
+ /**
+ * The same as [async.queue]{@link module:ControlFlow.queue} only tasks are assigned a priority and
+ * completed in ascending priority order.
+ *
+ * @name priorityQueue
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @see [async.queue]{@link module:ControlFlow.queue}
+ * @category Control Flow
+ * @param {Function} worker - An asynchronous function for processing a queued
+ * task, which must call its `callback(err)` argument when finished, with an
+ * optional `error` as an argument. If you want to handle errors from an
+ * individual task, pass a callback to `q.push()`. Invoked with
+ * (task, callback).
+ * @param {number} concurrency - An `integer` for determining how many `worker`
+ * functions should be run in parallel. If omitted, the concurrency defaults to
+ * `1`. If the concurrency is `0`, an error is thrown.
+ * @returns {module:ControlFlow.QueueObject} A priorityQueue object to manage the tasks. There are two
+ * differences between `queue` and `priorityQueue` objects:
+ * * `push(task, priority, [callback])` - `priority` should be a number. If an
+ * array of `tasks` is given, all tasks will be assigned the same priority.
+ * * The `unshift` method was removed.
+ */
+ function priorityQueue (worker, concurrency) {
+ // Start with a normal queue
+ var q = queue$1(worker, concurrency);
+
+ // Override push to accept second parameter representing priority
+ q.push = function (data, priority, callback) {
+ if (callback == null) callback = noop;
+ if (typeof callback !== 'function') {
+ throw new Error('task callback must be a function');
}
- if (!(result === undefined
- ? baseIsEqual(srcValue, objValue, customizer, UNORDERED_COMPARE_FLAG | PARTIAL_COMPARE_FLAG, stack)
- : result
- )) {
- return false;
+ q.started = true;
+ if (!isArray(data)) {
+ data = [data];
+ }
+ if (data.length === 0) {
+ // call drain immediately if there are no tasks
+ return setImmediate$1(function () {
+ q.drain();
+ });
}
- }
- }
- return true;
- }
-
- /**
- * Checks if `value` is suitable for strict equality comparisons, i.e. `===`.
- *
- * @private
- * @param {*} value The value to check.
- * @returns {boolean} Returns `true` if `value` if suitable for strict
- * equality comparisons, else `false`.
- */
- function isStrictComparable(value) {
- return value === value && !isObject(value);
- }
-
- /**
- * Gets the property names, values, and compare flags of `object`.
- *
- * @private
- * @param {Object} object The object to query.
- * @returns {Array} Returns the match data of `object`.
- */
- function getMatchData(object) {
- var result = keys(object),
- length = result.length;
-
- while (length--) {
- var key = result[length],
- value = object[key];
-
- result[length] = [key, value, isStrictComparable(value)];
- }
- return result;
- }
- /**
- * A specialized version of `matchesProperty` for source values suitable
- * for strict equality comparisons, i.e. `===`.
- *
- * @private
- * @param {string} key The key of the property to get.
- * @param {*} srcValue The value to match.
- * @returns {Function} Returns the new spec function.
- */
- function matchesStrictComparable(key, srcValue) {
- return function(object) {
- if (object == null) {
- return false;
- }
- return object[key] === srcValue &&
- (srcValue !== undefined || (key in Object(object)));
- };
- }
+ var nextNode = q._tasks.head;
+ while (nextNode && priority >= nextNode.priority) {
+ nextNode = nextNode.next;
+ }
- /**
- * The base implementation of `_.matches` which doesn't clone `source`.
- *
- * @private
- * @param {Object} source The object of property values to match.
- * @returns {Function} Returns the new spec function.
- */
- function baseMatches(source) {
- var matchData = getMatchData(source);
- if (matchData.length == 1 && matchData[0][2]) {
- return matchesStrictComparable(matchData[0][0], matchData[0][1]);
- }
- return function(object) {
- return object === source || baseIsMatch(object, source, matchData);
+ arrayEach(data, function (task) {
+ var item = {
+ data: task,
+ priority: priority,
+ callback: callback
+ };
+
+ if (nextNode) {
+ q._tasks.insertBefore(nextNode, item);
+ } else {
+ q._tasks.push(item);
+ }
+ });
+ setImmediate$1(q.process);
};
- }
- /** Used as the `TypeError` message for "Functions" methods. */
- var FUNC_ERROR_TEXT$1 = 'Expected a function';
-
- /**
- * Creates a function that memoizes the result of `func`. If `resolver` is
- * provided, it determines the cache key for storing the result based on the
- * arguments provided to the memoized function. By default, the first argument
- * provided to the memoized function is used as the map cache key. The `func`
- * is invoked with the `this` binding of the memoized function.
- *
- * **Note:** The cache is exposed as the `cache` property on the memoized
- * function. Its creation may be customized by replacing the `_.memoize.Cache`
- * constructor with one whose instances implement the
- * [`Map`](http://ecma-international.org/ecma-262/6.0/#sec-properties-of-the-map-prototype-object)
- * method interface of `delete`, `get`, `has`, and `set`.
- *
- * @static
- * @memberOf _
- * @since 0.1.0
- * @category Function
- * @param {Function} func The function to have its output memoized.
- * @param {Function} [resolver] The function to resolve the cache key.
- * @returns {Function} Returns the new memoized function.
- * @example
- *
- * var object = { 'a': 1, 'b': 2 };
- * var other = { 'c': 3, 'd': 4 };
- *
- * var values = _.memoize(_.values);
- * values(object);
- * // => [1, 2]
- *
- * values(other);
- * // => [3, 4]
- *
- * object.a = 2;
- * values(object);
- * // => [1, 2]
- *
- * // Modify the result cache.
- * values.cache.set(object, ['a', 'b']);
- * values(object);
- * // => ['a', 'b']
- *
- * // Replace `_.memoize.Cache`.
- * _.memoize.Cache = WeakMap;
- */
- function memoize(func, resolver) {
- if (typeof func != 'function' || (resolver && typeof resolver != 'function')) {
- throw new TypeError(FUNC_ERROR_TEXT$1);
- }
- var memoized = function() {
- var args = arguments,
- key = resolver ? resolver.apply(this, args) : args[0],
- cache = memoized.cache;
-
- if (cache.has(key)) {
- return cache.get(key);
- }
- var result = func.apply(this, args);
- memoized.cache = cache.set(key, result);
- return result;
- };
- memoized.cache = new (memoize.Cache || MapCache);
- return memoized;
- }
-
- // Assign cache to `_.memoize`.
- memoize.Cache = MapCache;
-
- /** Used as references for various `Number` constants. */
- var INFINITY$1 = 1 / 0;
-
- /** Used to convert symbols to primitives and strings. */
- var symbolProto$1 = Symbol$1 ? Symbol$1.prototype : undefined;
- var symbolToString = symbolProto$1 ? symbolProto$1.toString : undefined;
- /**
- * The base implementation of `_.toString` which doesn't convert nullish
- * values to empty strings.
- *
- * @private
- * @param {*} value The value to process.
- * @returns {string} Returns the string.
- */
- function baseToString(value) {
- // Exit early for strings to avoid a performance hit in some environments.
- if (typeof value == 'string') {
- return value;
- }
- if (isSymbol(value)) {
- return symbolToString ? symbolToString.call(value) : '';
- }
- var result = (value + '');
- return (result == '0' && (1 / value) == -INFINITY$1) ? '-0' : result;
- }
-
- /**
- * Converts `value` to a string. An empty string is returned for `null`
- * and `undefined` values. The sign of `-0` is preserved.
- *
- * @static
- * @memberOf _
- * @since 4.0.0
- * @category Lang
- * @param {*} value The value to process.
- * @returns {string} Returns the string.
- * @example
- *
- * _.toString(null);
- * // => ''
- *
- * _.toString(-0);
- * // => '-0'
- *
- * _.toString([1, 2, 3]);
- * // => '1,2,3'
- */
- function toString(value) {
- return value == null ? '' : baseToString(value);
- }
-
- /** Used to match property names within property paths. */
- var rePropName = /[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(\.|\[\])(?:\4|$))/g;
-
- /** Used to match backslashes in property paths. */
- var reEscapeChar = /\\(\\)?/g;
-
- /**
- * Converts `string` to a property path array.
- *
- * @private
- * @param {string} string The string to convert.
- * @returns {Array} Returns the property path array.
- */
- var stringToPath = memoize(function(string) {
- var result = [];
- toString(string).replace(rePropName, function(match, number, quote, string) {
- result.push(quote ? string.replace(reEscapeChar, '$1') : (number || match));
+ // Remove unshift function
+ delete q.unshift;
+
+ return q;
+ }
+
+ /**
+ * Runs the `tasks` array of functions in parallel, without waiting until the
+ * previous function has completed. Once any the `tasks` completed or pass an
+ * error to its callback, the main `callback` is immediately called. It's
+ * equivalent to `Promise.race()`.
+ *
+ * @name race
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @category Control Flow
+ * @param {Array} tasks - An array containing functions to run. Each function
+ * is passed a `callback(err, result)` which it must call on completion with an
+ * error `err` (which can be `null`) and an optional `result` value.
+ * @param {Function} callback - A callback to run once any of the functions have
+ * completed. This function gets an error or result from the first function that
+ * completed. Invoked with (err, result).
+ * @returns undefined
+ * @example
+ *
+ * async.race([
+ * function(callback) {
+ * setTimeout(function() {
+ * callback(null, 'one');
+ * }, 200);
+ * },
+ * function(callback) {
+ * setTimeout(function() {
+ * callback(null, 'two');
+ * }, 100);
+ * }
+ * ],
+ * // main callback
+ * function(err, result) {
+ * // the result will be equal to 'two' as it finishes earlier
+ * });
+ */
+ function race(tasks, callback) {
+ callback = once(callback || noop);
+ if (!isArray(tasks)) return callback(new TypeError('First argument to race must be an array of functions'));
+ if (!tasks.length) return callback();
+ arrayEach(tasks, function (task) {
+ task(callback);
});
- return result;
- });
-
- /**
- * Casts `value` to a path array if it's not one.
- *
- * @private
- * @param {*} value The value to inspect.
- * @returns {Array} Returns the cast property path array.
- */
- function castPath(value) {
- return isArray(value) ? value : stringToPath(value);
- }
-
- var reIsDeepProp = /\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/;
- var reIsPlainProp = /^\w*$/;
- /**
- * Checks if `value` is a property name and not a property path.
- *
- * @private
- * @param {*} value The value to check.
- * @param {Object} [object] The object to query keys on.
- * @returns {boolean} Returns `true` if `value` is a property name, else `false`.
- */
- function isKey(value, object) {
- if (isArray(value)) {
- return false;
- }
- var type = typeof value;
- if (type == 'number' || type == 'symbol' || type == 'boolean' ||
- value == null || isSymbol(value)) {
- return true;
- }
- return reIsPlainProp.test(value) || !reIsDeepProp.test(value) ||
- (object != null && value in Object(object));
- }
-
- /** Used as references for various `Number` constants. */
- var INFINITY$2 = 1 / 0;
-
- /**
- * Converts `value` to a string key if it's not a string or symbol.
- *
- * @private
- * @param {*} value The value to inspect.
- * @returns {string|symbol} Returns the key.
- */
- function toKey(value) {
- if (typeof value == 'string' || isSymbol(value)) {
- return value;
- }
- var result = (value + '');
- return (result == '0' && (1 / value) == -INFINITY$2) ? '-0' : result;
- }
-
- /**
- * The base implementation of `_.get` without support for default values.
- *
- * @private
- * @param {Object} object The object to query.
- * @param {Array|string} path The path of the property to get.
- * @returns {*} Returns the resolved value.
- */
- function baseGet(object, path) {
- path = isKey(path, object) ? [path] : castPath(path);
-
- var index = 0,
- length = path.length;
-
- while (object != null && index < length) {
- object = object[toKey(path[index++])];
- }
- return (index && index == length) ? object : undefined;
- }
-
- /**
- * Gets the value at `path` of `object`. If the resolved value is
- * `undefined`, the `defaultValue` is used in its place.
- *
- * @static
- * @memberOf _
- * @since 3.7.0
- * @category Object
- * @param {Object} object The object to query.
- * @param {Array|string} path The path of the property to get.
- * @param {*} [defaultValue] The value returned for `undefined` resolved values.
- * @returns {*} Returns the resolved value.
- * @example
- *
- * var object = { 'a': [{ 'b': { 'c': 3 } }] };
- *
- * _.get(object, 'a[0].b.c');
- * // => 3
- *
- * _.get(object, ['a', '0', 'b', 'c']);
- * // => 3
- *
- * _.get(object, 'a.b.c', 'default');
- * // => 'default'
- */
- function get(object, path, defaultValue) {
- var result = object == null ? undefined : baseGet(object, path);
- return result === undefined ? defaultValue : result;
- }
-
- /**
- * The base implementation of `_.hasIn` without support for deep paths.
- *
- * @private
- * @param {Object} [object] The object to query.
- * @param {Array|string} key The key to check.
- * @returns {boolean} Returns `true` if `key` exists, else `false`.
- */
- function baseHasIn(object, key) {
- return object != null && key in Object(object);
- }
-
- /**
- * Checks if `path` exists on `object`.
- *
- * @private
- * @param {Object} object The object to query.
- * @param {Array|string} path The path to check.
- * @param {Function} hasFunc The function to check properties.
- * @returns {boolean} Returns `true` if `path` exists, else `false`.
- */
- function hasPath(object, path, hasFunc) {
- path = isKey(path, object) ? [path] : castPath(path);
-
- var result,
- index = -1,
- length = path.length;
-
- while (++index < length) {
- var key = toKey(path[index]);
- if (!(result = object != null && hasFunc(object, key))) {
- break;
- }
- object = object[key];
- }
- if (result) {
- return result;
- }
- var length = object ? object.length : 0;
- return !!length && isLength(length) && isIndex(key, length) &&
- (isArray(object) || isString(object) || isArguments(object));
- }
-
- /**
- * Checks if `path` is a direct or inherited property of `object`.
- *
- * @static
- * @memberOf _
- * @since 4.0.0
- * @category Object
- * @param {Object} object The object to query.
- * @param {Array|string} path The path to check.
- * @returns {boolean} Returns `true` if `path` exists, else `false`.
- * @example
- *
- * var object = _.create({ 'a': _.create({ 'b': 2 }) });
- *
- * _.hasIn(object, 'a');
- * // => true
- *
- * _.hasIn(object, 'a.b');
- * // => true
- *
- * _.hasIn(object, ['a', 'b']);
- * // => true
- *
- * _.hasIn(object, 'b');
- * // => false
- */
- function hasIn(object, path) {
- return object != null && hasPath(object, path, baseHasIn);
- }
-
- var UNORDERED_COMPARE_FLAG$3 = 1;
- var PARTIAL_COMPARE_FLAG$5 = 2;
- /**
- * The base implementation of `_.matchesProperty` which doesn't clone `srcValue`.
- *
- * @private
- * @param {string} path The path of the property to get.
- * @param {*} srcValue The value to match.
- * @returns {Function} Returns the new spec function.
- */
- function baseMatchesProperty(path, srcValue) {
- if (isKey(path) && isStrictComparable(srcValue)) {
- return matchesStrictComparable(toKey(path), srcValue);
+ }
+
+ var slice = Array.prototype.slice;
+
+ /**
+ * Same as [`reduce`]{@link module:Collections.reduce}, only operates on `coll` in reverse order.
+ *
+ * @name reduceRight
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.reduce]{@link module:Collections.reduce}
+ * @alias foldr
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {*} memo - The initial state of the reduction.
+ * @param {Function} iteratee - A function applied to each item in the
+ * array to produce the next step in the reduction. The `iteratee` is passed a
+ * `callback(err, reduction)` which accepts an optional error as its first
+ * argument, and the state of the reduction as the second. If an error is
+ * passed to the callback, the reduction is stopped and the main `callback` is
+ * immediately called with the error. Invoked with (memo, item, callback).
+ * @param {Function} [callback] - A callback which is called after all the
+ * `iteratee` functions have finished. Result is the reduced value. Invoked with
+ * (err, result).
+ */
+ function reduceRight(coll, memo, iteratee, callback) {
+ var reversed = slice.call(coll).reverse();
+ reduce(reversed, memo, iteratee, callback);
+ }
+
+ /**
+ * Wraps the function in another function that always returns data even when it
+ * errors.
+ *
+ * The object returned has either the property `error` or `value`.
+ *
+ * @name reflect
+ * @static
+ * @memberOf module:Utils
+ * @method
+ * @category Util
+ * @param {Function} fn - The function you want to wrap
+ * @returns {Function} - A function that always passes null to it's callback as
+ * the error. The second argument to the callback will be an `object` with
+ * either an `error` or a `value` property.
+ * @example
+ *
+ * async.parallel([
+ * async.reflect(function(callback) {
+ * // do some stuff ...
+ * callback(null, 'one');
+ * }),
+ * async.reflect(function(callback) {
+ * // do some more stuff but error ...
+ * callback('bad stuff happened');
+ * }),
+ * async.reflect(function(callback) {
+ * // do some more stuff ...
+ * callback(null, 'two');
+ * })
+ * ],
+ * // optional callback
+ * function(err, results) {
+ * // values
+ * // results[0].value = 'one'
+ * // results[1].error = 'bad stuff happened'
+ * // results[2].value = 'two'
+ * });
+ */
+ function reflect(fn) {
+ return initialParams(function reflectOn(args, reflectCallback) {
+ args.push(rest(function callback(err, cbArgs) {
+ if (err) {
+ reflectCallback(null, {
+ error: err
+ });
+ } else {
+ var value = null;
+ if (cbArgs.length === 1) {
+ value = cbArgs[0];
+ } else if (cbArgs.length > 1) {
+ value = cbArgs;
+ }
+ reflectCallback(null, {
+ value: value
+ });
+ }
+ }));
+
+ return fn.apply(this, args);
+ });
+ }
+
+ function reject$1(eachfn, arr, iteratee, callback) {
+ _filter(eachfn, arr, function (value, cb) {
+ iteratee(value, function (err, v) {
+ if (err) {
+ cb(err);
+ } else {
+ cb(null, !v);
+ }
+ });
+ }, callback);
+ }
+
+ /**
+ * The same as [`reject`]{@link module:Collections.reject} but runs a maximum of `limit` async operations at a
+ * time.
+ *
+ * @name rejectLimit
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.reject]{@link module:Collections.reject}
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {number} limit - The maximum number of async operations at a time.
+ * @param {Function} iteratee - A truth test to apply to each item in `coll`.
+ * The `iteratee` is passed a `callback(err, truthValue)`, which must be called
+ * with a boolean argument once it has completed. Invoked with (item, callback).
+ * @param {Function} [callback] - A callback which is called after all the
+ * `iteratee` functions have finished. Invoked with (err, results).
+ */
+ var rejectLimit = doParallelLimit(reject$1);
+
+ /**
+ * The opposite of [`filter`]{@link module:Collections.filter}. Removes values that pass an `async` truth test.
+ *
+ * @name reject
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.filter]{@link module:Collections.filter}
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A truth test to apply to each item in `coll`.
+ * The `iteratee` is passed a `callback(err, truthValue)`, which must be called
+ * with a boolean argument once it has completed. Invoked with (item, callback).
+ * @param {Function} [callback] - A callback which is called after all the
+ * `iteratee` functions have finished. Invoked with (err, results).
+ * @example
+ *
+ * async.reject(['file1','file2','file3'], function(filePath, callback) {
+ * fs.access(filePath, function(err) {
+ * callback(null, !err)
+ * });
+ * }, function(err, results) {
+ * // results now equals an array of missing files
+ * createFiles(results);
+ * });
+ */
+ var reject = doLimit(rejectLimit, Infinity);
+
+ /**
+ * A helper function that wraps an array or an object of functions with reflect.
+ *
+ * @name reflectAll
+ * @static
+ * @memberOf module:Utils
+ * @method
+ * @see [async.reflect]{@link module:Utils.reflect}
+ * @category Util
+ * @param {Array} tasks - The array of functions to wrap in `async.reflect`.
+ * @returns {Array} Returns an array of functions, each function wrapped in
+ * `async.reflect`
+ * @example
+ *
+ * let tasks = [
+ * function(callback) {
+ * setTimeout(function() {
+ * callback(null, 'one');
+ * }, 200);
+ * },
+ * function(callback) {
+ * // do some more stuff but error ...
+ * callback(new Error('bad stuff happened'));
+ * },
+ * function(callback) {
+ * setTimeout(function() {
+ * callback(null, 'two');
+ * }, 100);
+ * }
+ * ];
+ *
+ * async.parallel(async.reflectAll(tasks),
+ * // optional callback
+ * function(err, results) {
+ * // values
+ * // results[0].value = 'one'
+ * // results[1].error = Error('bad stuff happened')
+ * // results[2].value = 'two'
+ * });
+ *
+ * // an example using an object instead of an array
+ * let tasks = {
+ * one: function(callback) {
+ * setTimeout(function() {
+ * callback(null, 'one');
+ * }, 200);
+ * },
+ * two: function(callback) {
+ * callback('two');
+ * },
+ * three: function(callback) {
+ * setTimeout(function() {
+ * callback(null, 'three');
+ * }, 100);
+ * }
+ * };
+ *
+ * async.parallel(async.reflectAll(tasks),
+ * // optional callback
+ * function(err, results) {
+ * // values
+ * // results.one.value = 'one'
+ * // results.two.error = 'two'
+ * // results.three.value = 'three'
+ * });
+ */
+ function reflectAll(tasks) {
+ var results;
+ if (isArray(tasks)) {
+ results = arrayMap(tasks, reflect);
+ } else {
+ results = {};
+ baseForOwn(tasks, function (task, key) {
+ results[key] = reflect.call(this, task);
+ });
}
- return function(object) {
- var objValue = get(object, path);
- return (objValue === undefined && objValue === srcValue)
- ? hasIn(object, path)
- : baseIsEqual(srcValue, objValue, undefined, UNORDERED_COMPARE_FLAG$3 | PARTIAL_COMPARE_FLAG$5);
- };
- }
-
- /**
- * This method returns the first argument given to it.
- *
- * @static
- * @since 0.1.0
- * @memberOf _
- * @category Util
- * @param {*} value Any value.
- * @returns {*} Returns `value`.
- * @example
- *
- * var object = { 'user': 'fred' };
- *
- * console.log(_.identity(object) === object);
- * // => true
- */
- function identity(value) {
+ return results;
+ }
+
+ /**
+ * The same as [`reject`]{@link module:Collections.reject} but runs only a single async operation at a time.
+ *
+ * @name rejectSeries
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.reject]{@link module:Collections.reject}
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A truth test to apply to each item in `coll`.
+ * The `iteratee` is passed a `callback(err, truthValue)`, which must be called
+ * with a boolean argument once it has completed. Invoked with (item, callback).
+ * @param {Function} [callback] - A callback which is called after all the
+ * `iteratee` functions have finished. Invoked with (err, results).
+ */
+ var rejectSeries = doLimit(rejectLimit, 1);
+
+ /**
+ * Run the functions in the `tasks` collection in series, each one running once
+ * the previous function has completed. If any functions in the series pass an
+ * error to its callback, no more functions are run, and `callback` is
+ * immediately called with the value of the error. Otherwise, `callback`
+ * receives an array of results when `tasks` have completed.
+ *
+ * It is also possible to use an object instead of an array. Each property will
+ * be run as a function, and the results will be passed to the final `callback`
+ * as an object instead of an array. This can be a more readable way of handling
+ * results from {@link async.series}.
+ *
+ * **Note** that while many implementations preserve the order of object
+ * properties, the [ECMAScript Language Specification](http://www.ecma-international.org/ecma-262/5.1/#sec-8.6)
+ * explicitly states that
+ *
+ * > The mechanics and order of enumerating the properties is not specified.
+ *
+ * So if you rely on the order in which your series of functions are executed,
+ * and want this to work on all platforms, consider using an array.
+ *
+ * @name series
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @category Control Flow
+ * @param {Array|Object} tasks - A collection containing functions to run, each
+ * function is passed a `callback(err, result)` it must call on completion with
+ * an error `err` (which can be `null`) and an optional `result` value.
+ * @param {Function} [callback] - An optional callback to run once all the
+ * functions have completed. This function gets a results array (or object)
+ * containing all the result arguments passed to the `task` callbacks. Invoked
+ * with (err, result).
+ * @example
+ * async.series([
+ * function(callback) {
+ * // do some stuff ...
+ * callback(null, 'one');
+ * },
+ * function(callback) {
+ * // do some more stuff ...
+ * callback(null, 'two');
+ * }
+ * ],
+ * // optional callback
+ * function(err, results) {
+ * // results is now equal to ['one', 'two']
+ * });
+ *
+ * async.series({
+ * one: function(callback) {
+ * setTimeout(function() {
+ * callback(null, 1);
+ * }, 200);
+ * },
+ * two: function(callback){
+ * setTimeout(function() {
+ * callback(null, 2);
+ * }, 100);
+ * }
+ * }, function(err, results) {
+ * // results is now equal to: {one: 1, two: 2}
+ * });
+ */
+ function series(tasks, callback) {
+ _parallel(eachOfSeries, tasks, callback);
+ }
+
+ /**
+ * Creates a function that returns `value`.
+ *
+ * @static
+ * @memberOf _
+ * @since 2.4.0
+ * @category Util
+ * @param {*} value The value to return from the new function.
+ * @returns {Function} Returns the new constant function.
+ * @example
+ *
+ * var objects = _.times(2, _.constant({ 'a': 1 }));
+ *
+ * console.log(objects);
+ * // => [{ 'a': 1 }, { 'a': 1 }]
+ *
+ * console.log(objects[0] === objects[1]);
+ * // => true
+ */
+ function constant$1(value) {
+ return function() {
return value;
- }
-
- /**
- * A specialized version of `baseProperty` which supports deep paths.
- *
- * @private
- * @param {Array|string} path The path of the property to get.
- * @returns {Function} Returns the new accessor function.
- */
- function basePropertyDeep(path) {
- return function(object) {
- return baseGet(object, path);
+ };
+ }
+
+ /**
+ * Attempts to get a successful response from `task` no more than `times` times
+ * before returning an error. If the task is successful, the `callback` will be
+ * passed the result of the successful task. If all attempts fail, the callback
+ * will be passed the error and result (if any) of the final attempt.
+ *
+ * @name retry
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @category Control Flow
+ * @param {Object|number} [opts = {times: 5, interval: 0}| 5] - Can be either an
+ * object with `times` and `interval` or a number.
+ * * `times` - The number of attempts to make before giving up. The default
+ * is `5`.
+ * * `interval` - The time to wait between retries, in milliseconds. The
+ * default is `0`. The interval may also be specified as a function of the
+ * retry count (see example).
+ * * If `opts` is a number, the number specifies the number of times to retry,
+ * with the default interval of `0`.
+ * @param {Function} task - A function which receives two arguments: (1) a
+ * `callback(err, result)` which must be called when finished, passing `err`
+ * (which can be `null`) and the `result` of the function's execution, and (2)
+ * a `results` object, containing the results of the previously executed
+ * functions (if nested inside another control flow). Invoked with
+ * (callback, results).
+ * @param {Function} [callback] - An optional callback which is called when the
+ * task has succeeded, or after the final failed attempt. It receives the `err`
+ * and `result` arguments of the last attempt at completing the `task`. Invoked
+ * with (err, results).
+ * @example
+ *
+ * // The `retry` function can be used as a stand-alone control flow by passing
+ * // a callback, as shown below:
+ *
+ * // try calling apiMethod 3 times
+ * async.retry(3, apiMethod, function(err, result) {
+ * // do something with the result
+ * });
+ *
+ * // try calling apiMethod 3 times, waiting 200 ms between each retry
+ * async.retry({times: 3, interval: 200}, apiMethod, function(err, result) {
+ * // do something with the result
+ * });
+ *
+ * // try calling apiMethod 10 times with exponential backoff
+ * // (i.e. intervals of 100, 200, 400, 800, 1600, ... milliseconds)
+ * async.retry({
+ * times: 10,
+ * interval: function(retryCount) {
+ * return 50 * Math.pow(2, retryCount);
+ * }
+ * }, apiMethod, function(err, result) {
+ * // do something with the result
+ * });
+ *
+ * // try calling apiMethod the default 5 times no delay between each retry
+ * async.retry(apiMethod, function(err, result) {
+ * // do something with the result
+ * });
+ *
+ * // It can also be embedded within other control flow functions to retry
+ * // individual methods that are not as reliable, like this:
+ * async.auto({
+ * users: api.getUsers.bind(api),
+ * payments: async.retry(3, api.getPayments.bind(api))
+ * }, function(err, results) {
+ * // do something with the results
+ * });
+ */
+ function retry(opts, task, callback) {
+ var DEFAULT_TIMES = 5;
+ var DEFAULT_INTERVAL = 0;
+
+ var options = {
+ times: DEFAULT_TIMES,
+ intervalFunc: constant$1(DEFAULT_INTERVAL)
};
- }
- /**
- * Creates a function that returns the value at `path` of a given object.
- *
- * @static
- * @memberOf _
- * @since 2.4.0
- * @category Util
- * @param {Array|string} path The path of the property to get.
- * @returns {Function} Returns the new accessor function.
- * @example
- *
- * var objects = [
- * { 'a': { 'b': 2 } },
- * { 'a': { 'b': 1 } }
- * ];
- *
- * _.map(objects, _.property('a.b'));
- * // => [2, 1]
- *
- * _.map(_.sortBy(objects, _.property(['a', 'b'])), 'a.b');
- * // => [1, 2]
- */
- function property(path) {
- return isKey(path) ? baseProperty(toKey(path)) : basePropertyDeep(path);
- }
+ function parseTimes(acc, t) {
+ if (typeof t === 'object') {
+ acc.times = +t.times || DEFAULT_TIMES;
- /**
- * The base implementation of `_.iteratee`.
- *
- * @private
- * @param {*} [value=_.identity] The value to convert to an iteratee.
- * @returns {Function} Returns the iteratee.
- */
- function baseIteratee(value) {
- // Don't store the `typeof` result in a variable to avoid a JIT bug in Safari 9.
- // See https://bugs.webkit.org/show_bug.cgi?id=156034 for more details.
- if (typeof value == 'function') {
- return value;
- }
- if (value == null) {
- return identity;
- }
- if (typeof value == 'object') {
- return isArray(value)
- ? baseMatchesProperty(value[0], value[1])
- : baseMatches(value);
- }
- return property(value);
- }
-
- /**
- * Iterates over own enumerable string keyed properties of an object and
- * invokes `iteratee` for each property. The iteratee is invoked with three
- * arguments: (value, key, object). Iteratee functions may exit iteration
- * early by explicitly returning `false`.
- *
- * @static
- * @memberOf _
- * @since 0.3.0
- * @category Object
- * @param {Object} object The object to iterate over.
- * @param {Function} [iteratee=_.identity] The function invoked per iteration.
- * @returns {Object} Returns `object`.
- * @see _.forOwnRight
- * @example
- *
- * function Foo() {
- * this.a = 1;
- * this.b = 2;
- * }
- *
- * Foo.prototype.c = 3;
- *
- * _.forOwn(new Foo, function(value, key) {
- * console.log(key);
- * });
- * // => Logs 'a' then 'b' (iteration order is not guaranteed).
- */
- function forOwn(object, iteratee) {
- return object && baseForOwn(object, baseIteratee(iteratee, 3));
- }
-
- /**
- * Gets the index at which the first occurrence of `NaN` is found in `array`.
- *
- * @private
- * @param {Array} array The array to search.
- * @param {number} fromIndex The index to search from.
- * @param {boolean} [fromRight] Specify iterating from right to left.
- * @returns {number} Returns the index of the matched `NaN`, else `-1`.
- */
- function indexOfNaN(array, fromIndex, fromRight) {
- var length = array.length,
- index = fromIndex + (fromRight ? 1 : -1);
-
- while ((fromRight ? index-- : ++index < length)) {
- var other = array[index];
- if (other !== other) {
- return index;
- }
+ acc.intervalFunc = typeof t.interval === 'function' ? t.interval : constant$1(+t.interval || DEFAULT_INTERVAL);
+ } else if (typeof t === 'number' || typeof t === 'string') {
+ acc.times = +t || DEFAULT_TIMES;
+ } else {
+ throw new Error("Invalid arguments for async.retry");
+ }
}
- return -1;
- }
- /**
- * The base implementation of `_.indexOf` without `fromIndex` bounds checks.
- *
- * @private
- * @param {Array} array The array to search.
- * @param {*} value The value to search for.
- * @param {number} fromIndex The index to search from.
- * @returns {number} Returns the index of the matched value, else `-1`.
- */
- function baseIndexOf(array, value, fromIndex) {
- if (value !== value) {
- return indexOfNaN(array, fromIndex);
+ if (arguments.length < 3 && typeof opts === 'function') {
+ callback = task || noop;
+ task = opts;
+ } else {
+ parseTimes(options, opts);
+ callback = callback || noop;
}
- var index = fromIndex - 1,
- length = array.length;
- while (++index < length) {
- if (array[index] === value) {
- return index;
- }
+ if (typeof task !== 'function') {
+ throw new Error("Invalid arguments for async.retry");
}
- return -1;
- }
-
- /**
- * Determines the best order for running the functions in `tasks`, based on
- * their requirements. Each function can optionally depend on other functions
- * being completed first, and each function is run as soon as its requirements
- * are satisfied.
- *
- * If any of the functions pass an error to their callback, the `auto` sequence
- * will stop. Further tasks will not execute (so any other functions depending
- * on it will not run), and the main `callback` is immediately called with the
- * error.
- *
- * Functions also receive an object containing the results of functions which
- * have completed so far as the first argument, if they have dependencies. If a
- * task function has no dependencies, it will only be passed a callback.
- *
- * @name auto
- * @static
- * @memberOf async
- * @category Control Flow
- * @param {Object} tasks - An object. Each of its properties is either a
- * function or an array of requirements, with the function itself the last item
- * in the array. The object's key of a property serves as the name of the task
- * defined by that property, i.e. can be used when specifying requirements for
- * other tasks. The function receives one or two arguments:
- * * a `results` object, containing the results of the previously executed
- * functions, only passed if the task has any dependencies,
- * * a `callback(err, result)` function, which must be called when finished,
- * passing an `error` (which can be `null`) and the result of the function's
- * execution.
- * @param {number} [concurrency=Infinity] - An optional `integer` for
- * determining the maximum number of tasks that can be run in parallel. By
- * default, as many as possible.
- * @param {Function} [callback] - An optional callback which is called when all
- * the tasks have been completed. It receives the `err` argument if any `tasks`
- * pass an error to their callback. Results are always returned; however, if an
- * error occurs, no further `tasks` will be performed, and the results object
- * will only contain partial results. Invoked with (err, results).
- * @example
- *
- * async.auto({
- * // this function will just be passed a callback
- * readData: async.apply(fs.readFile, 'data.txt', 'utf-8'),
- * showData: ['readData', function(results, cb) {
- * // results.readData is the file's contents
- * // ...
- * }]
- * }, callback);
- *
- * async.auto({
- * get_data: function(callback) {
- * console.log('in get_data');
- * // async code to get some data
- * callback(null, 'data', 'converted to array');
- * },
- * make_folder: function(callback) {
- * console.log('in make_folder');
- * // async code to create a directory to store a file in
- * // this is run at the same time as getting the data
- * callback(null, 'folder');
- * },
- * write_file: ['get_data', 'make_folder', function(results, callback) {
- * console.log('in write_file', JSON.stringify(results));
- * // once there is some data and the directory exists,
- * // write the data to a file in the directory
- * callback(null, 'filename');
- * }],
- * email_link: ['write_file', function(results, callback) {
- * console.log('in email_link', JSON.stringify(results));
- * // once the file is written let's email a link to it...
- * // results.write_file contains the filename returned by write_file.
- * callback(null, {'file':results.write_file, 'email':'user@example.com'});
- * }]
- * }, function(err, results) {
- * console.log('err = ', err);
- * console.log('results = ', results);
- * });
- */
- function auto (tasks, concurrency, callback) {
- if (typeof concurrency === 'function') {
- // concurrency is optional, shift the args.
- callback = concurrency;
- concurrency = null;
- }
- callback = once(callback || noop);
- var keys$$ = keys(tasks);
- var numTasks = keys$$.length;
- if (!numTasks) {
- return callback(null);
- }
- if (!concurrency) {
- concurrency = numTasks;
- }
-
- var results = {};
- var runningTasks = 0;
- var hasError = false;
-
- var listeners = {};
-
- var readyTasks = [];
-
- // for cycle detection:
- var readyToCheck = []; // tasks that have been identified as reachable
- // without the possibility of returning to an ancestor task
- var uncheckedDependencies = {};
-
- forOwn(tasks, function (task, key) {
- if (!isArray(task)) {
- // no dependencies
- enqueueTask(key, [task]);
- readyToCheck.push(key);
- return;
- }
-
- var dependencies = task.slice(0, task.length - 1);
- var remainingDependencies = dependencies.length;
- if (remainingDependencies === 0) {
- enqueueTask(key, task);
- readyToCheck.push(key);
- return;
- }
- uncheckedDependencies[key] = remainingDependencies;
-
- arrayEach(dependencies, function (dependencyName) {
- if (!tasks[dependencyName]) {
- throw new Error('async.auto task `' + key + '` has a non-existent dependency in ' + dependencies.join(', '));
- }
- addListener(dependencyName, function () {
- remainingDependencies--;
- if (remainingDependencies === 0) {
- enqueueTask(key, task);
- }
- });
- });
- });
-
- checkForDeadlocks();
- processQueue();
-
- function enqueueTask(key, task) {
- readyTasks.push(function () {
- runTask(key, task);
- });
- }
-
- function processQueue() {
- if (readyTasks.length === 0 && runningTasks === 0) {
- return callback(null, results);
- }
- while (readyTasks.length && runningTasks < concurrency) {
- var run = readyTasks.shift();
- run();
- }
- }
-
- function addListener(taskName, fn) {
- var taskListeners = listeners[taskName];
- if (!taskListeners) {
- taskListeners = listeners[taskName] = [];
- }
-
- taskListeners.push(fn);
- }
- function taskComplete(taskName) {
- var taskListeners = listeners[taskName] || [];
- arrayEach(taskListeners, function (fn) {
- fn();
- });
- processQueue();
- }
-
- function runTask(key, task) {
- if (hasError) return;
-
- var taskCallback = onlyOnce(rest(function (err, args) {
- runningTasks--;
- if (args.length <= 1) {
- args = args[0];
- }
- if (err) {
- var safeResults = {};
- forOwn(results, function (val, rkey) {
- safeResults[rkey] = val;
- });
- safeResults[key] = args;
- hasError = true;
- listeners = [];
-
- callback(err, safeResults);
- } else {
- results[key] = args;
- taskComplete(key);
- }
- }));
-
- runningTasks++;
- var taskFn = task[task.length - 1];
- if (task.length > 1) {
- taskFn(results, taskCallback);
- } else {
- taskFn(taskCallback);
- }
- }
-
- function checkForDeadlocks() {
- // Kahn's algorithm
- // https://en.wikipedia.org/wiki/Topological_sorting#Kahn.27s_algorithm
- // http://connalle.blogspot.com/2013/10/topological-sortingkahn-algorithm.html
- var currentTask;
- var counter = 0;
- while (readyToCheck.length) {
- currentTask = readyToCheck.pop();
- counter++;
- arrayEach(getDependents(currentTask), function (dependent) {
- if (! --uncheckedDependencies[dependent]) {
- readyToCheck.push(dependent);
- }
- });
- }
-
- if (counter !== numTasks) {
- throw new Error('async.auto cannot execute tasks due to a recursive dependency');
- }
- }
-
- function getDependents(taskName) {
- var result = [];
- forOwn(tasks, function (task, key) {
- if (isArray(task) && baseIndexOf(task, taskName, 0) >= 0) {
- result.push(key);
- }
- });
- return result;
- }
- }
-
- /**
- * A specialized version of `_.map` for arrays without support for iteratee
- * shorthands.
- *
- * @private
- * @param {Array} [array] The array to iterate over.
- * @param {Function} iteratee The function invoked per iteration.
- * @returns {Array} Returns the new mapped array.
- */
- function arrayMap(array, iteratee) {
- var index = -1,
- length = array ? array.length : 0,
- result = Array(length);
-
- while (++index < length) {
- result[index] = iteratee(array[index], index, array);
+ var attempts = [];
+ for (var i = 1; i < options.times + 1; i++) {
+ var isFinalAttempt = i == options.times;
+ attempts.push(retryAttempt(isFinalAttempt));
+ var interval = options.intervalFunc(i);
+ if (!isFinalAttempt && interval > 0) {
+ attempts.push(retryInterval(interval));
+ }
}
- return result;
- }
- /**
- * Copies the values of `source` to `array`.
- *
- * @private
- * @param {Array} source The array to copy values from.
- * @param {Array} [array=[]] The array to copy values to.
- * @returns {Array} Returns `array`.
- */
- function copyArray(source, array) {
- var index = -1,
- length = source.length;
+ series(attempts, function (done, data) {
+ data = data[data.length - 1];
+ callback(data.err, data.result);
+ });
- array || (array = Array(length));
- while (++index < length) {
- array[index] = source[index];
+ function retryAttempt(isFinalAttempt) {
+ return function (seriesCallback) {
+ task(function (err, result) {
+ seriesCallback(!err || isFinalAttempt, {
+ err: err,
+ result: result
+ });
+ });
+ };
}
- return array;
- }
- /**
- * The base implementation of `_.slice` without an iteratee call guard.
- *
- * @private
- * @param {Array} array The array to slice.
- * @param {number} [start=0] The start position.
- * @param {number} [end=array.length] The end position.
- * @returns {Array} Returns the slice of `array`.
- */
- function baseSlice(array, start, end) {
- var index = -1,
- length = array.length;
-
- if (start < 0) {
- start = -start > length ? 0 : (length + start);
- }
- end = end > length ? length : end;
- if (end < 0) {
- end += length;
+ function retryInterval(interval) {
+ return function (seriesCallback) {
+ setTimeout(function () {
+ seriesCallback(null);
+ }, interval);
+ };
}
- length = start > end ? 0 : ((end - start) >>> 0);
- start >>>= 0;
-
- var result = Array(length);
- while (++index < length) {
- result[index] = array[index + start];
+ }
+
+ /**
+ * A close relative of [`retry`]{@link module:ControlFlow.retry}. This method wraps a task and makes it
+ * retryable, rather than immediately calling it with retries.
+ *
+ * @name retryable
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @see [async.retry]{@link module:ControlFlow.retry}
+ * @category Control Flow
+ * @param {Object|number} [opts = {times: 5, interval: 0}| 5] - optional
+ * options, exactly the same as from `retry`
+ * @param {Function} task - the asynchronous function to wrap
+ * @returns {Functions} The wrapped function, which when invoked, will retry on
+ * an error, based on the parameters specified in `opts`.
+ * @example
+ *
+ * async.auto({
+ * dep1: async.retryable(3, getFromFlakyService),
+ * process: ["dep1", async.retryable(3, function (results, cb) {
+ * maybeProcessData(results.dep1, cb);
+ * })]
+ * }, callback);
+ */
+ function retryable (opts, task) {
+ if (!task) {
+ task = opts;
+ opts = null;
}
- return result;
- }
-
- /**
- * Casts `array` to a slice if it's needed.
- *
- * @private
- * @param {Array} array The array to inspect.
- * @param {number} start The start position.
- * @param {number} [end=array.length] The end position.
- * @returns {Array} Returns the cast slice.
- */
- function castSlice(array, start, end) {
- var length = array.length;
- end = end === undefined ? length : end;
- return (!start && end >= length) ? array : baseSlice(array, start, end);
- }
-
- /**
- * Used by `_.trim` and `_.trimEnd` to get the index of the last string symbol
- * that is not found in the character symbols.
- *
- * @private
- * @param {Array} strSymbols The string symbols to inspect.
- * @param {Array} chrSymbols The character symbols to find.
- * @returns {number} Returns the index of the last unmatched string symbol.
- */
- function charsEndIndex(strSymbols, chrSymbols) {
- var index = strSymbols.length;
-
- while (index-- && baseIndexOf(chrSymbols, strSymbols[index], 0) > -1) {}
- return index;
- }
-
- /**
- * Used by `_.trim` and `_.trimStart` to get the index of the first string symbol
- * that is not found in the character symbols.
- *
- * @private
- * @param {Array} strSymbols The string symbols to inspect.
- * @param {Array} chrSymbols The character symbols to find.
- * @returns {number} Returns the index of the first unmatched string symbol.
- */
- function charsStartIndex(strSymbols, chrSymbols) {
- var index = -1,
- length = strSymbols.length;
-
- while (++index < length && baseIndexOf(chrSymbols, strSymbols[index], 0) > -1) {}
- return index;
- }
+ return initialParams(function (args, callback) {
+ function taskFn(cb) {
+ task.apply(null, args.concat([cb]));
+ }
- /** Used to compose unicode character classes. */
- var rsAstralRange = '\\ud800-\\udfff';
- var rsComboMarksRange = '\\u0300-\\u036f\\ufe20-\\ufe23';
- var rsComboSymbolsRange = '\\u20d0-\\u20f0';
- var rsVarRange = '\\ufe0e\\ufe0f';
- var rsAstral = '[' + rsAstralRange + ']';
- var rsCombo = '[' + rsComboMarksRange + rsComboSymbolsRange + ']';
- var rsFitz = '\\ud83c[\\udffb-\\udfff]';
- var rsModifier = '(?:' + rsCombo + '|' + rsFitz + ')';
- var rsNonAstral = '[^' + rsAstralRange + ']';
- var rsRegional = '(?:\\ud83c[\\udde6-\\uddff]){2}';
- var rsSurrPair = '[\\ud800-\\udbff][\\udc00-\\udfff]';
- var rsZWJ = '\\u200d';
- var reOptMod = rsModifier + '?';
- var rsOptVar = '[' + rsVarRange + ']?';
- var rsOptJoin = '(?:' + rsZWJ + '(?:' + [rsNonAstral, rsRegional, rsSurrPair].join('|') + ')' + rsOptVar + reOptMod + ')*';
- var rsSeq = rsOptVar + reOptMod + rsOptJoin;
- var rsSymbol = '(?:' + [rsNonAstral + rsCombo + '?', rsCombo, rsRegional, rsSurrPair, rsAstral].join('|') + ')';
- /** Used to match [string symbols](https://mathiasbynens.be/notes/javascript-unicode). */
- var reComplexSymbol = RegExp(rsFitz + '(?=' + rsFitz + ')|' + rsSymbol + rsSeq, 'g');
-
- /**
- * Converts `string` to an array.
- *
- * @private
- * @param {string} string The string to convert.
- * @returns {Array} Returns the converted array.
- */
- function stringToArray(string) {
- return string.match(reComplexSymbol);
- }
+ if (opts) retry(opts, taskFn, callback);else retry(taskFn, callback);
+ });
+ }
+
+ /**
+ * The same as [`some`]{@link module:Collections.some} but runs a maximum of `limit` async operations at a time.
+ *
+ * @name someLimit
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.some]{@link module:Collections.some}
+ * @alias anyLimit
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {number} limit - The maximum number of async operations at a time.
+ * @param {Function} iteratee - A truth test to apply to each item in the array
+ * in parallel. The iteratee is passed a `callback(err, truthValue)` which must
+ * be called with a boolean argument once it has completed. Invoked with
+ * (item, callback).
+ * @param {Function} [callback] - A callback which is called as soon as any
+ * iteratee returns `true`, or after all the iteratee functions have finished.
+ * Result will be either `true` or `false` depending on the values of the async
+ * tests. Invoked with (err, result).
+ */
+ var someLimit = _createTester(eachOfLimit, Boolean, identity);
+
+ /**
+ * Returns `true` if at least one element in the `coll` satisfies an async test.
+ * If any iteratee call returns `true`, the main `callback` is immediately
+ * called.
+ *
+ * @name some
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @alias any
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A truth test to apply to each item in the array
+ * in parallel. The iteratee is passed a `callback(err, truthValue)` which must
+ * be called with a boolean argument once it has completed. Invoked with
+ * (item, callback).
+ * @param {Function} [callback] - A callback which is called as soon as any
+ * iteratee returns `true`, or after all the iteratee functions have finished.
+ * Result will be either `true` or `false` depending on the values of the async
+ * tests. Invoked with (err, result).
+ * @example
+ *
+ * async.some(['file1','file2','file3'], function(filePath, callback) {
+ * fs.access(filePath, function(err) {
+ * callback(null, !err)
+ * });
+ * }, function(err, result) {
+ * // if result is true then at least one of the files exists
+ * });
+ */
+ var some = doLimit(someLimit, Infinity);
+
+ /**
+ * The same as [`some`]{@link module:Collections.some} but runs only a single async operation at a time.
+ *
+ * @name someSeries
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @see [async.some]{@link module:Collections.some}
+ * @alias anySeries
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A truth test to apply to each item in the array
+ * in parallel. The iteratee is passed a `callback(err, truthValue)` which must
+ * be called with a boolean argument once it has completed. Invoked with
+ * (item, callback).
+ * @param {Function} [callback] - A callback which is called as soon as any
+ * iteratee returns `true`, or after all the iteratee functions have finished.
+ * Result will be either `true` or `false` depending on the values of the async
+ * tests. Invoked with (err, result).
+ */
+ var someSeries = doLimit(someLimit, 1);
+
+ /**
+ * Sorts a list by the results of running each `coll` value through an async
+ * `iteratee`.
+ *
+ * @name sortBy
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {Function} iteratee - A function to apply to each item in `coll`.
+ * The iteratee is passed a `callback(err, sortValue)` which must be called once
+ * it has completed with an error (which can be `null`) and a value to use as
+ * the sort criteria. Invoked with (item, callback).
+ * @param {Function} [callback] - A callback which is called after all the
+ * `iteratee` functions have finished, or an error occurs. Results is the items
+ * from the original `coll` sorted by the values returned by the `iteratee`
+ * calls. Invoked with (err, results).
+ * @example
+ *
+ * async.sortBy(['file1','file2','file3'], function(file, callback) {
+ * fs.stat(file, function(err, stats) {
+ * callback(err, stats.mtime);
+ * });
+ * }, function(err, results) {
+ * // results is now the original array of files sorted by
+ * // modified date
+ * });
+ *
+ * // By modifying the callback parameter the
+ * // sorting order can be influenced:
+ *
+ * // ascending order
+ * async.sortBy([1,9,3,5], function(x, callback) {
+ * callback(null, x);
+ * }, function(err,result) {
+ * // result callback
+ * });
+ *
+ * // descending order
+ * async.sortBy([1,9,3,5], function(x, callback) {
+ * callback(null, x*-1); //<- x*-1 instead of x, turns the order around
+ * }, function(err,result) {
+ * // result callback
+ * });
+ */
+ function sortBy(coll, iteratee, callback) {
+ map(coll, function (x, callback) {
+ iteratee(x, function (err, criteria) {
+ if (err) return callback(err);
+ callback(null, { value: x, criteria: criteria });
+ });
+ }, function (err, results) {
+ if (err) return callback(err);
+ callback(null, arrayMap(results.sort(comparator), baseProperty('value')));
+ });
- /** Used to match leading and trailing whitespace. */
- var reTrim$1 = /^\s+|\s+$/g;
-
- /**
- * Removes leading and trailing whitespace or specified characters from `string`.
- *
- * @static
- * @memberOf _
- * @since 3.0.0
- * @category String
- * @param {string} [string=''] The string to trim.
- * @param {string} [chars=whitespace] The characters to trim.
- * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
- * @returns {string} Returns the trimmed string.
- * @example
- *
- * _.trim(' abc ');
- * // => 'abc'
- *
- * _.trim('-_-abc-_-', '_-');
- * // => 'abc'
- *
- * _.map([' foo ', ' bar '], _.trim);
- * // => ['foo', 'bar']
- */
- function trim(string, chars, guard) {
- string = toString(string);
- if (string && (guard || chars === undefined)) {
- return string.replace(reTrim$1, '');
+ function comparator(left, right) {
+ var a = left.criteria,
+ b = right.criteria;
+ return a < b ? -1 : a > b ? 1 : 0;
}
- if (!string || !(chars = baseToString(chars))) {
- return string;
+ }
+
+ /**
+ * Sets a time limit on an asynchronous function. If the function does not call
+ * its callback within the specified milliseconds, it will be called with a
+ * timeout error. The code property for the error object will be `'ETIMEDOUT'`.
+ *
+ * @name timeout
+ * @static
+ * @memberOf module:Utils
+ * @method
+ * @category Util
+ * @param {Function} asyncFn - The asynchronous function you want to set the
+ * time limit.
+ * @param {number} milliseconds - The specified time limit.
+ * @param {*} [info] - Any variable you want attached (`string`, `object`, etc)
+ * to timeout Error for more information..
+ * @returns {Function} Returns a wrapped function that can be used with any of
+ * the control flow functions.
+ * @example
+ *
+ * async.timeout(function(callback) {
+ * doAsyncTask(callback);
+ * }, 1000);
+ */
+ function timeout(asyncFn, milliseconds, info) {
+ var originalCallback, timer;
+ var timedOut = false;
+
+ function injectedCallback() {
+ if (!timedOut) {
+ originalCallback.apply(null, arguments);
+ clearTimeout(timer);
+ }
}
- var strSymbols = stringToArray(string),
- chrSymbols = stringToArray(chars),
- start = charsStartIndex(strSymbols, chrSymbols),
- end = charsEndIndex(strSymbols, chrSymbols) + 1;
-
- return castSlice(strSymbols, start, end).join('');
- }
-
- var argsRegex = /^(function[^\(]*)?\(?\s*([^\)=]*)/m;
-
- function parseParams(func) {
- return trim(func.toString().match(argsRegex)[2]).split(/\s*\,\s*/);
- }
-
- /**
- * A dependency-injected version of the {@link async.auto} function. Dependent
- * tasks are specified as parameters to the function, after the usual callback
- * parameter, with the parameter names matching the names of the tasks it
- * depends on. This can provide even more readable task graphs which can be
- * easier to maintain.
- *
- * If a final callback is specified, the task results are similarly injected,
- * specified as named parameters after the initial error parameter.
- *
- * The autoInject function is purely syntactic sugar and its semantics are
- * otherwise equivalent to {@link async.auto}.
- *
- * @name autoInject
- * @static
- * @memberOf async
- * @see async.auto
- * @category Control Flow
- * @param {Object} tasks - An object, each of whose properties is a function of
- * the form 'func([dependencies...], callback). The object's key of a property
- * serves as the name of the task defined by that property, i.e. can be used
- * when specifying requirements for other tasks.
- * * The `callback` parameter is a `callback(err, result)` which must be called
- * when finished, passing an `error` (which can be `null`) and the result of
- * the function's execution. The remaining parameters name other tasks on
- * which the task is dependent, and the results from those tasks are the
- * arguments of those parameters.
- * @param {Function} [callback] - An optional callback which is called when all
- * the tasks have been completed. It receives the `err` argument if any `tasks`
- * pass an error to their callback. The remaining parameters are task names
- * whose results you are interested in. This callback will only be called when
- * all tasks have finished or an error has occurred, and so do not specify
- * dependencies in the same way as `tasks` do. If an error occurs, no further
- * `tasks` will be performed, and `results` will only be valid for those tasks
- * which managed to complete. Invoked with (err, [results...]).
- * @example
- *
- * // The example from `auto` can be rewritten as follows:
- * async.autoInject({
- * get_data: function(callback) {
- * // async code to get some data
- * callback(null, 'data', 'converted to array');
- * },
- * make_folder: function(callback) {
- * // async code to create a directory to store a file in
- * // this is run at the same time as getting the data
- * callback(null, 'folder');
- * },
- * write_file: function(get_data, make_folder, callback) {
- * // once there is some data and the directory exists,
- * // write the data to a file in the directory
- * callback(null, 'filename');
- * },
- * email_link: function(write_file, callback) {
- * // once the file is written let's email a link to it...
- * // write_file contains the filename returned by write_file.
- * callback(null, {'file':write_file, 'email':'user@example.com'});
- * }
- * }, function(err, email_link) {
- * console.log('err = ', err);
- * console.log('email_link = ', email_link);
- * });
- *
- * // If you are using a JS minifier that mangles parameter names, `autoInject`
- * // will not work with plain functions, since the parameter names will be
- * // collapsed to a single letter identifier. To work around this, you can
- * // explicitly specify the names of the parameters your task function needs
- * // in an array, similar to Angular.js dependency injection. The final
- * // results callback can be provided as an array in the same way.
- *
- * // This still has an advantage over plain `auto`, since the results a task
- * // depends on are still spread into arguments.
- * async.autoInject({
- * //...
- * write_file: ['get_data', 'make_folder', function(get_data, make_folder, callback) {
- * callback(null, 'filename');
- * }],
- * email_link: ['write_file', function(write_file, callback) {
- * callback(null, {'file':write_file, 'email':'user@example.com'});
- * }]
- * //...
- * }, ['email_link', function(err, email_link) {
- * console.log('err = ', err);
- * console.log('email_link = ', email_link);
- * }]);
- */
- function autoInject(tasks, callback) {
- var newTasks = {};
-
- forOwn(tasks, function (taskFn, key) {
- var params;
-
- if (isArray(taskFn)) {
- params = copyArray(taskFn);
- taskFn = params.pop();
-
- newTasks[key] = params.concat(params.length > 0 ? newTask : taskFn);
- } else if (taskFn.length === 0) {
- throw new Error("autoInject task functions require explicit parameters.");
- } else if (taskFn.length === 1) {
- // no dependencies, use the function as-is
- newTasks[key] = taskFn;
- } else {
- params = parseParams(taskFn);
- params.pop();
-
- newTasks[key] = params.concat(newTask);
- }
-
- function newTask(results, taskCb) {
- var newArgs = arrayMap(params, function (name) {
- return results[name];
- });
- newArgs.push(taskCb);
- taskFn.apply(null, newArgs);
- }
- });
-
- auto(newTasks, callback);
- }
-
- var hasSetImmediate = typeof setImmediate === 'function' && setImmediate;
- var hasNextTick = typeof process === 'object' && typeof process.nextTick === 'function';
-
- function fallback(fn) {
- setTimeout(fn, 0);
- }
-
- function wrap(defer) {
- return rest(function (fn, args) {
- defer(function () {
- fn.apply(null, args);
- });
- });
- }
-
- var _defer;
-
- if (hasSetImmediate) {
- _defer = setImmediate;
- } else if (hasNextTick) {
- _defer = process.nextTick;
- } else {
- _defer = fallback;
- }
-
- var setImmediate$1 = wrap(_defer);
-
- function queue(worker, concurrency, payload) {
- if (concurrency == null) {
- concurrency = 1;
- } else if (concurrency === 0) {
- throw new Error('Concurrency must not be zero');
- }
- function _insert(q, data, pos, callback) {
- if (callback != null && typeof callback !== 'function') {
- throw new Error('task callback must be a function');
- }
- q.started = true;
- if (!isArray(data)) {
- data = [data];
- }
- if (data.length === 0 && q.idle()) {
- // call drain immediately if there are no tasks
- return setImmediate$1(function () {
- q.drain();
- });
- }
- arrayEach(data, function (task) {
- var item = {
- data: task,
- callback: callback || noop
- };
-
- if (pos) {
- q.tasks.unshift(item);
- } else {
- q.tasks.push(item);
- }
- });
- setImmediate$1(q.process);
- }
- function _next(q, tasks) {
- return function () {
- workers -= 1;
-
- var removed = false;
- var args = arguments;
- arrayEach(tasks, function (task) {
- arrayEach(workersList, function (worker, index) {
- if (worker === task && !removed) {
- workersList.splice(index, 1);
- removed = true;
- }
- });
-
- task.callback.apply(task, args);
-
- if (args[0] != null) {
- q.error(args[0], task.data);
- }
- });
-
- if (workers <= q.concurrency - q.buffer) {
- q.unsaturated();
- }
-
- if (q.tasks.length + workers === 0) {
- q.drain();
- }
- q.process();
- };
- }
-
- var workers = 0;
- var workersList = [];
- var q = {
- tasks: [],
- concurrency: concurrency,
- payload: payload,
- saturated: noop,
- unsaturated: noop,
- buffer: concurrency / 4,
- empty: noop,
- drain: noop,
- error: noop,
- started: false,
- paused: false,
- push: function (data, callback) {
- _insert(q, data, false, callback);
- },
- kill: function () {
- q.drain = noop;
- q.tasks = [];
- },
- unshift: function (data, callback) {
- _insert(q, data, true, callback);
- },
- process: function () {
- while (!q.paused && workers < q.concurrency && q.tasks.length) {
-
- var tasks = q.payload ? q.tasks.splice(0, q.payload) : q.tasks.splice(0, q.tasks.length);
-
- var data = arrayMap(tasks, baseProperty('data'));
-
- if (q.tasks.length === 0) {
- q.empty();
- }
- workers += 1;
- workersList.push(tasks[0]);
-
- if (workers === q.concurrency) {
- q.saturated();
- }
-
- var cb = onlyOnce(_next(q, tasks));
- worker(data, cb);
- }
- },
- length: function () {
- return q.tasks.length;
- },
- running: function () {
- return workers;
- },
- workersList: function () {
- return workersList;
- },
- idle: function () {
- return q.tasks.length + workers === 0;
- },
- pause: function () {
- q.paused = true;
- },
- resume: function () {
- if (q.paused === false) {
- return;
- }
- q.paused = false;
- var resumeCount = Math.min(q.concurrency, q.tasks.length);
- // Need to call q.process once per concurrent
- // worker to preserve full concurrency after pause
- for (var w = 1; w <= resumeCount; w++) {
- setImmediate$1(q.process);
- }
- }
- };
- return q;
- }
-
- /**
- * A cargo of tasks for the worker function to complete. Cargo inherits all of
- * the same methods and event callbacks as {@link async.queue}.
- * @typedef {Object} cargo
- * @property {Function} length - A function returning the number of items
- * waiting to be processed. Invoke with ().
- * @property {number} payload - An `integer` for determining how many tasks
- * should be process per round. This property can be changed after a `cargo` is
- * created to alter the payload on-the-fly.
- * @property {Function} push - Adds `task` to the `queue`. The callback is
- * called once the `worker` has finished processing the task. Instead of a
- * single task, an array of `tasks` can be submitted. The respective callback is
- * used for every task in the list. Invoke with (task, [callback]).
- * @property {Function} saturated - A callback that is called when the
- * `queue.length()` hits the concurrency and further tasks will be queued.
- * @property {Function} empty - A callback that is called when the last item
- * from the `queue` is given to a `worker`.
- * @property {Function} drain - A callback that is called when the last item
- * from the `queue` has returned from the `worker`.
- * @property {Function} idle - a function returning false if there are items
- * waiting or being processed, or true if not. Invoke with ().
- * @property {Function} pause - a function that pauses the processing of tasks
- * until `resume()` is called. Invoke with ().
- * @property {Function} resume - a function that resumes the processing of
- * queued tasks when the queue is paused. Invoke with ().
- * @property {Function} kill - a function that removes the `drain` callback and
- * empties remaining tasks from the queue forcing it to go idle. Invoke with ().
- */
-
- /**
- * Creates a `cargo` object with the specified payload. Tasks added to the
- * cargo will be processed altogether (up to the `payload` limit). If the
- * `worker` is in progress, the task is queued until it becomes available. Once
- * the `worker` has completed some tasks, each callback of those tasks is
- * called. Check out [these](https://camo.githubusercontent.com/6bbd36f4cf5b35a0f11a96dcd2e97711ffc2fb37/68747470733a2f2f662e636c6f75642e6769746875622e636f6d2f6173736574732f313637363837312f36383130382f62626330636662302d356632392d313165322d393734662d3333393763363464633835382e676966) [animations](https://camo.githubusercontent.com/f4810e00e1c5f5f8addbe3e9f49064fd5d102699/68747470733a2f2f662e636c6f75642e6769746875622e636f6d2f6173736574732f313637363837312f36383130312f38346339323036362d356632392d313165322d383134662d3964336430323431336266642e676966)
- * for how `cargo` and `queue` work.
- *
- * While [queue](#queue) passes only one task to one of a group of workers
- * at a time, cargo passes an array of tasks to a single worker, repeating
- * when the worker is finished.
- *
- * @name cargo
- * @static
- * @memberOf async
- * @see async.queue
- * @category Control Flow
- * @param {Function} worker - An asynchronous function for processing an array
- * of queued tasks, which must call its `callback(err)` argument when finished,
- * with an optional `err` argument. Invoked with (tasks, callback).
- * @param {number} [payload=Infinity] - An optional `integer` for determining
- * how many tasks should be processed per round; if omitted, the default is
- * unlimited.
- * @returns {cargo} A cargo object to manage the tasks. Callbacks can
- * attached as certain properties to listen for specific events during the
- * lifecycle of the cargo and inner queue.
- * @example
- *
- * // create a cargo object with payload 2
- * var cargo = async.cargo(function(tasks, callback) {
- * for (var i=0; i<tasks.length; i++) {
- * console.log('hello ' + tasks[i].name);
- * }
- * callback();
- * }, 2);
- *
- * // add some items
- * cargo.push({name: 'foo'}, function(err) {
- * console.log('finished processing foo');
- * });
- * cargo.push({name: 'bar'}, function(err) {
- * console.log('finished processing bar');
- * });
- * cargo.push({name: 'baz'}, function(err) {
- * console.log('finished processing baz');
- * });
- */
- function cargo(worker, payload) {
- return queue(worker, 1, payload);
- }
-
- /**
- * The same as `eachOf` but runs a maximum of `limit` async operations at a
- * time.
- *
- * @name eachOfLimit
- * @static
- * @memberOf async
- * @see async.eachOf
- * @alias forEachOfLimit
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {number} limit - The maximum number of async operations at a time.
- * @param {Function} iteratee - A function to apply to each
- * item in `coll`. The `key` is the item's key, or index in the case of an
- * array. The iteratee is passed a `callback(err)` which must be called once it
- * has completed. If no error has occurred, the callback should be run without
- * arguments or with an explicit `null` argument. Invoked with
- * (item, key, callback).
- * @param {Function} [callback] - A callback which is called when all
- * `iteratee` functions have finished, or an error occurs. Invoked with (err).
- */
- function eachOfLimit(obj, limit, iteratee, cb) {
- _eachOfLimit(limit)(obj, iteratee, cb);
- }
-
- /**
- * The same as `eachOf` but runs only a single async operation at a time.
- *
- * @name eachOfSeries
- * @static
- * @memberOf async
- * @see async.eachOf
- * @alias forEachOfSeries
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A function to apply to each item in `coll`. The
- * `key` is the item's key, or index in the case of an array. The iteratee is
- * passed a `callback(err)` which must be called once it has completed. If no
- * error has occurred, the callback should be run without arguments or with an
- * explicit `null` argument. Invoked with (item, key, callback).
- * @param {Function} [callback] - A callback which is called when all `iteratee`
- * functions have finished, or an error occurs. Invoked with (err).
- */
- var eachOfSeries = doLimit(eachOfLimit, 1);
-
- /**
- * Reduces `coll` into a single value using an async `iteratee` to return each
- * successive step. `memo` is the initial state of the reduction. This function
- * only operates in series.
- *
- * For performance reasons, it may make sense to split a call to this function
- * into a parallel map, and then use the normal `Array.prototype.reduce` on the
- * results. This function is for situations where each step in the reduction
- * needs to be async; if you can get the data before reducing it, then it's
- * probably a good idea to do so.
- *
- * @name reduce
- * @static
- * @memberOf async
- * @alias inject, foldl
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {*} memo - The initial state of the reduction.
- * @param {Function} iteratee - A function applied to each item in the
- * array to produce the next step in the reduction. The `iteratee` is passed a
- * `callback(err, reduction)` which accepts an optional error as its first
- * argument, and the state of the reduction as the second. If an error is
- * passed to the callback, the reduction is stopped and the main `callback` is
- * immediately called with the error. Invoked with (memo, item, callback).
- * @param {Function} [callback] - A callback which is called after all the
- * `iteratee` functions have finished. Result is the reduced value. Invoked with
- * (err, result).
- * @example
- *
- * async.reduce([1,2,3], 0, function(memo, item, callback) {
- * // pointless async:
- * process.nextTick(function() {
- * callback(null, memo + item)
- * });
- * }, function(err, result) {
- * // result is now equal to the last value of memo, which is 6
- * });
- */
- function reduce(arr, memo, iteratee, cb) {
- eachOfSeries(arr, function (x, i, cb) {
- iteratee(memo, x, function (err, v) {
- memo = v;
- cb(err);
- });
- }, function (err) {
- cb(err, memo);
- });
- }
-
- /**
- * Version of the compose function that is more natural to read. Each function
- * consumes the return value of the previous function. It is the equivalent of
- * {@link async.compose} with the arguments reversed.
- *
- * Each function is executed with the `this` binding of the composed function.
- *
- * @name seq
- * @static
- * @memberOf async
- * @see async.compose
- * @category Control Flow
- * @param {...Function} functions - the asynchronous functions to compose
- * @example
- *
- * // Requires lodash (or underscore), express3 and dresende's orm2.
- * // Part of an app, that fetches cats of the logged user.
- * // This example uses `seq` function to avoid overnesting and error
- * // handling clutter.
- * app.get('/cats', function(request, response) {
- * var User = request.models.User;
- * async.seq(
- * _.bind(User.get, User), // 'User.get' has signature (id, callback(err, data))
- * function(user, fn) {
- * user.getCats(fn); // 'getCats' has signature (callback(err, data))
- * }
- * )(req.session.user_id, function (err, cats) {
- * if (err) {
- * console.error(err);
- * response.json({ status: 'error', message: err.message });
- * } else {
- * response.json({ status: 'ok', message: 'Cats found', data: cats });
- * }
- * });
- * });
- */
- function seq() /* functions... */{
- var fns = arguments;
- return rest(function (args) {
- var that = this;
-
- var cb = args[args.length - 1];
- if (typeof cb == 'function') {
- args.pop();
- } else {
- cb = noop;
- }
-
- reduce(fns, args, function (newargs, fn, cb) {
- fn.apply(that, newargs.concat([rest(function (err, nextargs) {
- cb(err, nextargs);
- })]));
- }, function (err, results) {
- cb.apply(that, [err].concat(results));
- });
- });
- }
-
- var reverse = Array.prototype.reverse;
-
- /**
- * Creates a function which is a composition of the passed asynchronous
- * functions. Each function consumes the return value of the function that
- * follows. Composing functions `f()`, `g()`, and `h()` would produce the result
- * of `f(g(h()))`, only this version uses callbacks to obtain the return values.
- *
- * Each function is executed with the `this` binding of the composed function.
- *
- * @name compose
- * @static
- * @memberOf async
- * @category Control Flow
- * @param {...Function} functions - the asynchronous functions to compose
- * @example
- *
- * function add1(n, callback) {
- * setTimeout(function () {
- * callback(null, n + 1);
- * }, 10);
- * }
- *
- * function mul3(n, callback) {
- * setTimeout(function () {
- * callback(null, n * 3);
- * }, 10);
- * }
- *
- * var add1mul3 = async.compose(mul3, add1);
- * add1mul3(4, function (err, result) {
- * // result now equals 15
- * });
- */
- function compose() /* functions... */{
- return seq.apply(null, reverse.call(arguments));
- }
-
- function concat$1(eachfn, arr, fn, callback) {
- var result = [];
- eachfn(arr, function (x, index, cb) {
- fn(x, function (err, y) {
- result = result.concat(y || []);
- cb(err);
- });
- }, function (err) {
- callback(err, result);
- });
- }
-
- /**
- * Like `each`, except that it passes the key (or index) as the second argument
- * to the iteratee.
- *
- * @name eachOf
- * @static
- * @memberOf async
- * @alias forEachOf
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A function to apply to each
- * item in `coll`. The `key` is the item's key, or index in the case of an
- * array. The iteratee is passed a `callback(err)` which must be called once it
- * has completed. If no error has occurred, the callback should be run without
- * arguments or with an explicit `null` argument. Invoked with
- * (item, key, callback).
- * @param {Function} [callback] - A callback which is called when all
- * `iteratee` functions have finished, or an error occurs. Invoked with (err).
- * @example
- *
- * var obj = {dev: "/dev.json", test: "/test.json", prod: "/prod.json"};
- * var configs = {};
- *
- * async.forEachOf(obj, function (value, key, callback) {
- * fs.readFile(__dirname + value, "utf8", function (err, data) {
- * if (err) return callback(err);
- * try {
- * configs[key] = JSON.parse(data);
- * } catch (e) {
- * return callback(e);
- * }
- * callback();
- * });
- * }, function (err) {
- * if (err) console.error(err.message);
- * // configs is now a map of JSON data
- * doSomethingWith(configs);
- * });
- */
- var eachOf = doLimit(eachOfLimit, Infinity);
-
- function doParallel(fn) {
- return function (obj, iteratee, callback) {
- return fn(eachOf, obj, iteratee, callback);
- };
- }
-
- /**
- * Applies `iteratee` to each item in `coll`, concatenating the results. Returns
- * the concatenated list. The `iteratee`s are called in parallel, and the
- * results are concatenated as they return. There is no guarantee that the
- * results array will be returned in the original order of `coll` passed to the
- * `iteratee` function.
- *
- * @name concat
- * @static
- * @memberOf async
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A function to apply to each item in `coll`.
- * The iteratee is passed a `callback(err, results)` which must be called once
- * it has completed with an error (which can be `null`) and an array of results.
- * Invoked with (item, callback).
- * @param {Function} [callback(err)] - A callback which is called after all the
- * `iteratee` functions have finished, or an error occurs. Results is an array
- * containing the concatenated results of the `iteratee` function. Invoked with
- * (err, results).
- * @example
- *
- * async.concat(['dir1','dir2','dir3'], fs.readdir, function(err, files) {
- * // files is now a list of filenames that exist in the 3 directories
- * });
- */
- var concat = doParallel(concat$1);
-
- function doSeries(fn) {
- return function (obj, iteratee, callback) {
- return fn(eachOfSeries, obj, iteratee, callback);
- };
- }
-
- /**
- * The same as `concat` but runs only a single async operation at a time.
- *
- * @name concatSeries
- * @static
- * @memberOf async
- * @see async.concat
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A function to apply to each item in `coll`.
- * The iteratee is passed a `callback(err, results)` which must be called once
- * it has completed with an error (which can be `null`) and an array of results.
- * Invoked with (item, callback).
- * @param {Function} [callback(err)] - A callback which is called after all the
- * `iteratee` functions have finished, or an error occurs. Results is an array
- * containing the concatenated results of the `iteratee` function. Invoked with
- * (err, results).
- */
- var concatSeries = doSeries(concat$1);
-
- /**
- * Returns a function that when called, calls-back with the values provided.
- * Useful as the first function in a `waterfall`, or for plugging values in to
- * `auto`.
- *
- * @name constant
- * @static
- * @memberOf async
- * @category Util
- * @param {...*} arguments... - Any number of arguments to automatically invoke
- * callback with.
- * @returns {Function} Returns a function that when invoked, automatically
- * invokes the callback with the previous given arguments.
- * @example
- *
- * async.waterfall([
- * async.constant(42),
- * function (value, next) {
- * // value === 42
- * },
- * //...
- * ], callback);
- *
- * async.waterfall([
- * async.constant(filename, "utf8"),
- * fs.readFile,
- * function (fileData, next) {
- * //...
- * }
- * //...
- * ], callback);
- *
- * async.auto({
- * hostname: async.constant("https://server.net/"),
- * port: findFreePort,
- * launchServer: ["hostname", "port", function (options, cb) {
- * startServer(options, cb);
- * }],
- * //...
- * }, callback);
- */
- var constant = rest(function (values) {
- var args = [null].concat(values);
- return initialParams(function (ignoredArgs, callback) {
- return callback.apply(this, args);
- });
- });
-
- function _createTester(eachfn, check, getResult) {
- return function (arr, limit, iteratee, cb) {
- function done(err) {
- if (cb) {
- if (err) {
- cb(err);
- } else {
- cb(null, getResult(false));
- }
- }
- }
- function wrappedIteratee(x, _, callback) {
- if (!cb) return callback();
- iteratee(x, function (err, v) {
- if (cb) {
- if (err) {
- cb(err);
- cb = iteratee = false;
- } else if (check(v)) {
- cb(null, getResult(true, x));
- cb = iteratee = false;
- }
- }
- callback();
- });
- }
- if (arguments.length > 3) {
- cb = cb || noop;
- eachfn(arr, limit, wrappedIteratee, done);
- } else {
- cb = iteratee;
- cb = cb || noop;
- iteratee = limit;
- eachfn(arr, wrappedIteratee, done);
- }
- };
- }
-
- function _findGetResult(v, x) {
- return x;
- }
-
- /**
- * Returns the first value in `coll` that passes an async truth test. The
- * `iteratee` is applied in parallel, meaning the first iteratee to return
- * `true` will fire the detect `callback` with that result. That means the
- * result might not be the first item in the original `coll` (in terms of order)
- * that passes the test.
-
- * If order within the original `coll` is important, then look at
- * `detectSeries`.
- *
- * @name detect
- * @static
- * @memberOf async
- * @alias find
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A truth test to apply to each item in `coll`.
- * The iteratee is passed a `callback(err, truthValue)` which must be called
- * with a boolean argument once it has completed. Invoked with (item, callback).
- * @param {Function} [callback] - A callback which is called as soon as any
- * iteratee returns `true`, or after all the `iteratee` functions have finished.
- * Result will be the first item in the array that passes the truth test
- * (iteratee) or the value `undefined` if none passed. Invoked with
- * (err, result).
- * @example
- *
- * async.detect(['file1','file2','file3'], function(filePath, callback) {
- * fs.access(filePath, function(err) {
- * callback(null, !err)
- * });
- * }, function(err, result) {
- * // result now equals the first file in the list that exists
- * });
- */
- var detect = _createTester(eachOf, identity, _findGetResult);
-
- /**
- * The same as `detect` but runs a maximum of `limit` async operations at a
- * time.
- *
- * @name detectLimit
- * @static
- * @memberOf async
- * @see async.detect
- * @alias findLimit
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {number} limit - The maximum number of async operations at a time.
- * @param {Function} iteratee - A truth test to apply to each item in `coll`.
- * The iteratee is passed a `callback(err, truthValue)` which must be called
- * with a boolean argument once it has completed. Invoked with (item, callback).
- * @param {Function} [callback] - A callback which is called as soon as any
- * iteratee returns `true`, or after all the `iteratee` functions have finished.
- * Result will be the first item in the array that passes the truth test
- * (iteratee) or the value `undefined` if none passed. Invoked with
- * (err, result).
- */
- var detectLimit = _createTester(eachOfLimit, identity, _findGetResult);
-
- /**
- * The same as `detect` but runs only a single async operation at a time.
- *
- * @name detectSeries
- * @static
- * @memberOf async
- * @see async.detect
- * @alias findSeries
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A truth test to apply to each item in `coll`.
- * The iteratee is passed a `callback(err, truthValue)` which must be called
- * with a boolean argument once it has completed. Invoked with (item, callback).
- * @param {Function} [callback] - A callback which is called as soon as any
- * iteratee returns `true`, or after all the `iteratee` functions have finished.
- * Result will be the first item in the array that passes the truth test
- * (iteratee) or the value `undefined` if none passed. Invoked with
- * (err, result).
- */
- var detectSeries = _createTester(eachOfSeries, identity, _findGetResult);
-
- function consoleFunc(name) {
- return rest(function (fn, args) {
- fn.apply(null, args.concat([rest(function (err, args) {
- if (typeof console === 'object') {
- if (err) {
- if (console.error) {
- console.error(err);
- }
- } else if (console[name]) {
- arrayEach(args, function (x) {
- console[name](x);
- });
- }
- }
- })]));
- });
- }
-
- /**
- * Logs the result of an `async` function to the `console` using `console.dir`
- * to display the properties of the resulting object. Only works in Node.js or
- * in browsers that support `console.dir` and `console.error` (such as FF and
- * Chrome). If multiple arguments are returned from the async function,
- * `console.dir` is called on each argument in order.
- *
- * @name log
- * @static
- * @memberOf async
- * @category Util
- * @param {Function} function - The function you want to eventually apply all
- * arguments to.
- * @param {...*} arguments... - Any number of arguments to apply to the function.
- * @example
- *
- * // in a module
- * var hello = function(name, callback) {
- * setTimeout(function() {
- * callback(null, {hello: name});
- * }, 1000);
- * };
- *
- * // in the node repl
- * node> async.dir(hello, 'world');
- * {hello: 'world'}
- */
- var dir = consoleFunc('dir');
-
- /**
- * Like {@link async.whilst}, except the `test` is an asynchronous function that
- * is passed a callback in the form of `function (err, truth)`. If error is
- * passed to `test` or `fn`, the main callback is immediately called with the
- * value of the error.
- *
- * @name during
- * @static
- * @memberOf async
- * @see async.whilst
- * @category Control Flow
- * @param {Function} test - asynchronous truth test to perform before each
- * execution of `fn`. Invoked with (callback).
- * @param {Function} fn - A function which is called each time `test` passes.
- * The function is passed a `callback(err)`, which must be called once it has
- * completed with an optional `err` argument. Invoked with (callback).
- * @param {Function} [callback] - A callback which is called after the test
- * function has failed and repeated execution of `fn` has stopped. `callback`
- * will be passed an error and any arguments passed to the final `fn`'s
- * callback. Invoked with (err, [results]);
- * @example
- *
- * var count = 0;
- *
- * async.during(
- * function (callback) {
- * return callback(null, count < 5);
- * },
- * function (callback) {
- * count++;
- * setTimeout(callback, 1000);
- * },
- * function (err) {
- * // 5 seconds have passed
- * }
- * );
- */
- function during(test, iteratee, cb) {
- cb = cb || noop;
-
- var next = rest(function (err, args) {
- if (err) {
- cb(err);
- } else {
- args.push(check);
- test.apply(this, args);
- }
- });
-
- var check = function (err, truth) {
- if (err) return cb(err);
- if (!truth) return cb(null);
- iteratee(next);
- };
-
- test(check);
- }
-
- /**
- * The post-check version of {@link async.during}. To reflect the difference in
- * the order of operations, the arguments `test` and `fn` are switched.
- *
- * Also a version of {@link async.doWhilst} with asynchronous `test` function.
- * @name doDuring
- * @static
- * @memberOf async
- * @see async.during
- * @category Control Flow
- * @param {Function} fn - A function which is called each time `test` passes.
- * The function is passed a `callback(err)`, which must be called once it has
- * completed with an optional `err` argument. Invoked with (callback).
- * @param {Function} test - asynchronous truth test to perform before each
- * execution of `fn`. Invoked with (callback).
- * @param {Function} [callback] - A callback which is called after the test
- * function has failed and repeated execution of `fn` has stopped. `callback`
- * will be passed an error and any arguments passed to the final `fn`'s
- * callback. Invoked with (err, [results]);
- */
- function doDuring(iteratee, test, cb) {
- var calls = 0;
-
- during(function (next) {
- if (calls++ < 1) return next(null, true);
- test.apply(this, arguments);
- }, iteratee, cb);
- }
-
- /**
- * Repeatedly call `fn`, while `test` returns `true`. Calls `callback` when
- * stopped, or an error occurs.
- *
- * @name whilst
- * @static
- * @memberOf async
- * @category Control Flow
- * @param {Function} test - synchronous truth test to perform before each
- * execution of `fn`. Invoked with ().
- * @param {Function} fn - A function which is called each time `test` passes.
- * The function is passed a `callback(err)`, which must be called once it has
- * completed with an optional `err` argument. Invoked with (callback).
- * @param {Function} [callback] - A callback which is called after the test
- * function has failed and repeated execution of `fn` has stopped. `callback`
- * will be passed an error and any arguments passed to the final `fn`'s
- * callback. Invoked with (err, [results]);
- * @example
- *
- * var count = 0;
- * async.whilst(
- * function() { return count < 5; },
- * function(callback) {
- * count++;
- * setTimeout(function() {
- * callback(null, count);
- * }, 1000);
- * },
- * function (err, n) {
- * // 5 seconds have passed, n = 5
- * }
- * );
- */
- function whilst(test, iteratee, cb) {
- cb = cb || noop;
- if (!test()) return cb(null);
- var next = rest(function (err, args) {
- if (err) return cb(err);
- if (test.apply(this, args)) return iteratee(next);
- cb.apply(null, [null].concat(args));
- });
- iteratee(next);
- }
-
- /**
- * The post-check version of {@link async.whilst}. To reflect the difference in
- * the order of operations, the arguments `test` and `fn` are switched.
- *
- * `doWhilst` is to `whilst` as `do while` is to `while` in plain JavaScript.
- *
- * @name doWhilst
- * @static
- * @memberOf async
- * @see async.whilst
- * @category Control Flow
- * @param {Function} fn - A function which is called each time `test` passes.
- * The function is passed a `callback(err)`, which must be called once it has
- * completed with an optional `err` argument. Invoked with (callback).
- * @param {Function} test - synchronous truth test to perform after each
- * execution of `fn`. Invoked with Invoked with the non-error callback results
- * of `fn`.
- * @param {Function} [callback] - A callback which is called after the test
- * function has failed and repeated execution of `fn` has stopped. `callback`
- * will be passed an error and any arguments passed to the final `fn`'s
- * callback. Invoked with (err, [results]);
- */
- function doWhilst(iteratee, test, cb) {
- var calls = 0;
- return whilst(function () {
- return ++calls <= 1 || test.apply(this, arguments);
- }, iteratee, cb);
- }
-
- /**
- * Like {@link async.doWhilst}, except the `test` is inverted. Note the
- * argument ordering differs from `until`.
- *
- * @name doUntil
- * @static
- * @memberOf async
- * @see async.doWhilst
- * @category Control Flow
- * @param {Function} fn - A function which is called each time `test` fails.
- * The function is passed a `callback(err)`, which must be called once it has
- * completed with an optional `err` argument. Invoked with (callback).
- * @param {Function} test - synchronous truth test to perform after each
- * execution of `fn`. Invoked with the non-error callback results of `fn`.
- * @param {Function} [callback] - A callback which is called after the test
- * function has passed and repeated execution of `fn` has stopped. `callback`
- * will be passed an error and any arguments passed to the final `fn`'s
- * callback. Invoked with (err, [results]);
- */
- function doUntil(iteratee, test, cb) {
- return doWhilst(iteratee, function () {
- return !test.apply(this, arguments);
- }, cb);
- }
-
- function _withoutIndex(iteratee) {
- return function (value, index, callback) {
- return iteratee(value, callback);
- };
- }
-
- /**
- * The same as `each` but runs a maximum of `limit` async operations at a time.
- *
- * @name eachLimit
- * @static
- * @memberOf async
- * @see async.each
- * @alias forEachLimit
- * @category Collection
- * @param {Array|Object} coll - A colleciton to iterate over.
- * @param {number} limit - The maximum number of async operations at a time.
- * @param {Function} iteratee - A function to apply to each item in `coll`. The
- * iteratee is passed a `callback(err)` which must be called once it has
- * completed. If no error has occurred, the `callback` should be run without
- * arguments or with an explicit `null` argument. The array index is not passed
- * to the iteratee. Invoked with (item, callback). If you need the index, use
- * `eachOfLimit`.
- * @param {Function} [callback] - A callback which is called when all
- * `iteratee` functions have finished, or an error occurs. Invoked with (err).
- */
- function eachLimit(arr, limit, iteratee, cb) {
- return _eachOfLimit(limit)(arr, _withoutIndex(iteratee), cb);
- }
-
- /**
- * Applies the function `iteratee` to each item in `coll`, in parallel.
- * The `iteratee` is called with an item from the list, and a callback for when
- * it has finished. If the `iteratee` passes an error to its `callback`, the
- * main `callback` (for the `each` function) is immediately called with the
- * error.
- *
- * Note, that since this function applies `iteratee` to each item in parallel,
- * there is no guarantee that the iteratee functions will complete in order.
- *
- * @name each
- * @static
- * @memberOf async
- * @alias forEach
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A function to apply to each item
- * in `coll`. The iteratee is passed a `callback(err)` which must be called once
- * it has completed. If no error has occurred, the `callback` should be run
- * without arguments or with an explicit `null` argument. The array index is not
- * passed to the iteratee. Invoked with (item, callback). If you need the index,
- * use `eachOf`.
- * @param {Function} [callback] - A callback which is called when all
- * `iteratee` functions have finished, or an error occurs. Invoked with (err).
- * @example
- *
- * // assuming openFiles is an array of file names and saveFile is a function
- * // to save the modified contents of that file:
- *
- * async.each(openFiles, saveFile, function(err){
- * // if any of the saves produced an error, err would equal that error
- * });
- *
- * // assuming openFiles is an array of file names
- * async.each(openFiles, function(file, callback) {
- *
- * // Perform operation on file here.
- * console.log('Processing file ' + file);
- *
- * if( file.length > 32 ) {
- * console.log('This file name is too long');
- * callback('File name too long');
- * } else {
- * // Do work to process file here
- * console.log('File processed');
- * callback();
- * }
- * }, function(err) {
- * // if any of the file processing produced an error, err would equal that error
- * if( err ) {
- * // One of the iterations produced an error.
- * // All processing will now stop.
- * console.log('A file failed to process');
- * } else {
- * console.log('All files have been processed successfully');
- * }
- * });
- */
- var each = doLimit(eachLimit, Infinity);
-
- /**
- * The same as `each` but runs only a single async operation at a time.
- *
- * @name eachSeries
- * @static
- * @memberOf async
- * @see async.each
- * @alias forEachSeries
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A function to apply to each
- * item in `coll`. The iteratee is passed a `callback(err)` which must be called
- * once it has completed. If no error has occurred, the `callback` should be run
- * without arguments or with an explicit `null` argument. The array index is
- * not passed to the iteratee. Invoked with (item, callback). If you need the
- * index, use `eachOfSeries`.
- * @param {Function} [callback] - A callback which is called when all
- * `iteratee` functions have finished, or an error occurs. Invoked with (err).
- */
- var eachSeries = doLimit(eachLimit, 1);
-
- /**
- * Wrap an async function and ensure it calls its callback on a later tick of
- * the event loop. If the function already calls its callback on a next tick,
- * no extra deferral is added. This is useful for preventing stack overflows
- * (`RangeError: Maximum call stack size exceeded`) and generally keeping
- * [Zalgo](http://blog.izs.me/post/59142742143/designing-apis-for-asynchrony)
- * contained.
- *
- * @name ensureAsync
- * @static
- * @memberOf async
- * @category Util
- * @param {Function} fn - an async function, one that expects a node-style
- * callback as its last argument.
- * @returns {Function} Returns a wrapped function with the exact same call
- * signature as the function passed in.
- * @example
- *
- * function sometimesAsync(arg, callback) {
- * if (cache[arg]) {
- * return callback(null, cache[arg]); // this would be synchronous!!
- * } else {
- * doSomeIO(arg, callback); // this IO would be asynchronous
- * }
- * }
- *
- * // this has a risk of stack overflows if many results are cached in a row
- * async.mapSeries(args, sometimesAsync, done);
- *
- * // this will defer sometimesAsync's callback if necessary,
- * // preventing stack overflows
- * async.mapSeries(args, async.ensureAsync(sometimesAsync), done);
- */
- function ensureAsync(fn) {
- return initialParams(function (args, callback) {
- var sync = true;
- args.push(function () {
- var innerArgs = arguments;
- if (sync) {
- setImmediate$1(function () {
- callback.apply(null, innerArgs);
- });
- } else {
- callback.apply(null, innerArgs);
- }
- });
- fn.apply(this, args);
- sync = false;
- });
- }
-
- function notId(v) {
- return !v;
- }
-
- /**
- * The same as `every` but runs a maximum of `limit` async operations at a time.
- *
- * @name everyLimit
- * @static
- * @memberOf async
- * @see async.every
- * @alias allLimit
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {number} limit - The maximum number of async operations at a time.
- * @param {Function} iteratee - A truth test to apply to each item in the
- * collection in parallel. The iteratee is passed a `callback(err, truthValue)`
- * which must be called with a boolean argument once it has completed. Invoked
- * with (item, callback).
- * @param {Function} [callback] - A callback which is called after all the
- * `iteratee` functions have finished. Result will be either `true` or `false`
- * depending on the values of the async tests. Invoked with (err, result).
- */
- var everyLimit = _createTester(eachOfLimit, notId, notId);
-
- /**
- * Returns `true` if every element in `coll` satisfies an async test. If any
- * iteratee call returns `false`, the main `callback` is immediately called.
- *
- * @name every
- * @static
- * @memberOf async
- * @alias all
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A truth test to apply to each item in the
- * collection in parallel. The iteratee is passed a `callback(err, truthValue)`
- * which must be called with a boolean argument once it has completed. Invoked
- * with (item, callback).
- * @param {Function} [callback] - A callback which is called after all the
- * `iteratee` functions have finished. Result will be either `true` or `false`
- * depending on the values of the async tests. Invoked with (err, result).
- * @example
- *
- * async.every(['file1','file2','file3'], function(filePath, callback) {
- * fs.access(filePath, function(err) {
- * callback(null, !err)
- * });
- * }, function(err, result) {
- * // if result is true then every file exists
- * });
- */
- var every = doLimit(everyLimit, Infinity);
-
- /**
- * The same as `every` but runs only a single async operation at a time.
- *
- * @name everySeries
- * @static
- * @memberOf async
- * @see async.every
- * @alias allSeries
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A truth test to apply to each item in the
- * collection in parallel. The iteratee is passed a `callback(err, truthValue)`
- * which must be called with a boolean argument once it has completed. Invoked
- * with (item, callback).
- * @param {Function} [callback] - A callback which is called after all the
- * `iteratee` functions have finished. Result will be either `true` or `false`
- * depending on the values of the async tests. Invoked with (err, result).
- */
- var everySeries = doLimit(everyLimit, 1);
-
- function _filter(eachfn, arr, iteratee, callback) {
- var results = [];
- eachfn(arr, function (x, index, callback) {
- iteratee(x, function (err, v) {
- if (err) {
- callback(err);
- } else {
- if (v) {
- results.push({ index: index, value: x });
- }
- callback();
- }
- });
- }, function (err) {
- if (err) {
- callback(err);
- } else {
- callback(null, arrayMap(results.sort(function (a, b) {
- return a.index - b.index;
- }), baseProperty('value')));
- }
- });
- }
-
- /**
- * The same as `filter` but runs a maximum of `limit` async operations at a
- * time.
- *
- * @name filterLimit
- * @static
- * @memberOf async
- * @see async.filter
- * @alias selectLimit
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {number} limit - The maximum number of async operations at a time.
- * @param {Function} iteratee - A truth test to apply to each item in `coll`.
- * The `iteratee` is passed a `callback(err, truthValue)`, which must be called
- * with a boolean argument once it has completed. Invoked with (item, callback).
- * @param {Function} [callback] - A callback which is called after all the
- * `iteratee` functions have finished. Invoked with (err, results).
- */
- var filterLimit = doParallelLimit(_filter);
-
- /**
- * Returns a new array of all the values in `coll` which pass an async truth
- * test. This operation is performed in parallel, but the results array will be
- * in the same order as the original.
- *
- * @name filter
- * @static
- * @memberOf async
- * @alias select
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A truth test to apply to each item in `coll`.
- * The `iteratee` is passed a `callback(err, truthValue)`, which must be called
- * with a boolean argument once it has completed. Invoked with (item, callback).
- * @param {Function} [callback] - A callback which is called after all the
- * `iteratee` functions have finished. Invoked with (err, results).
- * @example
- *
- * async.filter(['file1','file2','file3'], function(filePath, callback) {
- * fs.access(filePath, function(err) {
- * callback(null, !err)
- * });
- * }, function(err, results) {
- * // results now equals an array of the existing files
- * });
- */
- var filter = doLimit(filterLimit, Infinity);
-
- /**
- * The same as `filter` but runs only a single async operation at a time.
- *
- * @name filterSeries
- * @static
- * @memberOf async
- * @see async.filter
- * @alias selectSeries
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A truth test to apply to each item in `coll`.
- * The `iteratee` is passed a `callback(err, truthValue)`, which must be called
- * with a boolean argument once it has completed. Invoked with (item, callback).
- * @param {Function} [callback] - A callback which is called after all the
- * `iteratee` functions have finished. Invoked with (err, results)
- */
- var filterSeries = doLimit(filterLimit, 1);
-
- /**
- * Calls the asynchronous function `fn` with a callback parameter that allows it
- * to call itself again, in series, indefinitely.
-
- * If an error is passed to the
- * callback then `errback` is called with the error, and execution stops,
- * otherwise it will never be called.
- *
- * @name forever
- * @static
- * @memberOf async
- * @category Control Flow
- * @param {Function} fn - a function to call repeatedly. Invoked with (next).
- * @param {Function} [errback] - when `fn` passes an error to it's callback,
- * this function will be called, and execution stops. Invoked with (err).
- * @example
- *
- * async.forever(
- * function(next) {
- * // next is suitable for passing to things that need a callback(err [, whatever]);
- * // it will result in this function being called again.
- * },
- * function(err) {
- * // if next is called with a value in its first parameter, it will appear
- * // in here as 'err', and execution will stop.
- * }
- * );
- */
- function forever(fn, cb) {
- var done = onlyOnce(cb || noop);
- var task = ensureAsync(fn);
-
- function next(err) {
- if (err) return done(err);
- task(next);
- }
- next();
- }
-
- /**
- * Creates an iterator function which calls the next function in the `tasks`
- * array, returning a continuation to call the next one after that. It's also
- * possible to “peek” at the next iterator with `iterator.next()`.
- *
- * This function is used internally by the `async` module, but can be useful
- * when you want to manually control the flow of functions in series.
- *
- * @name iterator
- * @static
- * @memberOf async
- * @category Control Flow
- * @param {Array} tasks - An array of functions to run.
- * @returns The next function to run in the series.
- * @example
- *
- * var iterator = async.iterator([
- * function() { sys.p('one'); },
- * function() { sys.p('two'); },
- * function() { sys.p('three'); }
- * ]);
- *
- * node> var iterator2 = iterator();
- * 'one'
- * node> var iterator3 = iterator2();
- * 'two'
- * node> iterator3();
- * 'three'
- * node> var nextfn = iterator2.next();
- * node> nextfn();
- * 'three'
- */
- function iterator$1 (tasks) {
- function makeCallback(index) {
- function fn() {
- if (tasks.length) {
- tasks[index].apply(null, arguments);
- }
- return fn.next();
- }
- fn.next = function () {
- return index < tasks.length - 1 ? makeCallback(index + 1) : null;
- };
- return fn;
- }
- return makeCallback(0);
- }
-
- /**
- * Logs the result of an `async` function to the `console`. Only works in
- * Node.js or in browsers that support `console.log` and `console.error` (such
- * as FF and Chrome). If multiple arguments are returned from the async
- * function, `console.log` is called on each argument in order.
- *
- * @name log
- * @static
- * @memberOf async
- * @category Util
- * @param {Function} function - The function you want to eventually apply all
- * arguments to.
- * @param {...*} arguments... - Any number of arguments to apply to the function.
- * @example
- *
- * // in a module
- * var hello = function(name, callback) {
- * setTimeout(function() {
- * callback(null, 'hello ' + name);
- * }, 1000);
- * };
- *
- * // in the node repl
- * node> async.log(hello, 'world');
- * 'hello world'
- */
- var log = consoleFunc('log');
-
- /**
- * The same as `mapValues` but runs a maximum of `limit` async operations at a
- * time.
- *
- * @name mapValuesLimit
- * @static
- * @memberOf async
- * @see async.mapValues
- * @category Collection
- * @param {Object} obj - A collection to iterate over.
- * @param {number} limit - The maximum number of async operations at a time.
- * @param {Function} iteratee - A function to apply to each value in `obj`.
- * The iteratee is passed a `callback(err, transformed)` which must be called
- * once it has completed with an error (which can be `null`) and a
- * transformed value. Invoked with (value, key, callback).
- * @param {Function} [callback] - A callback which is called when all `iteratee`
- * functions have finished, or an error occurs. Result is an object of the
- * transformed values from the `obj`. Invoked with (err, result).
- */
- function mapValuesLimit(obj, limit, iteratee, callback) {
- var newObj = {};
- eachOfLimit(obj, limit, function (val, key, next) {
- iteratee(val, key, function (err, result) {
- if (err) return next(err);
- newObj[key] = result;
- next();
- });
- }, function (err) {
- callback(err, newObj);
- });
- }
-
- /**
- * A relative of `map`, designed for use with objects.
- *
- * Produces a new Object by mapping each value of `obj` through the `iteratee`
- * function. The `iteratee` is called each `value` and `key` from `obj` and a
- * callback for when it has finished processing. Each of these callbacks takes
- * two arguments: an `error`, and the transformed item from `obj`. If `iteratee`
- * passes an error to its callback, the main `callback` (for the `mapValues`
- * function) is immediately called with the error.
- *
- * Note, the order of the keys in the result is not guaranteed. The keys will
- * be roughly in the order they complete, (but this is very engine-specific)
- *
- * @name mapValues
- * @static
- * @memberOf async
- * @category Collection
- * @param {Object} obj - A collection to iterate over.
- * @param {Function} iteratee - A function to apply to each value and key in
- * `coll`. The iteratee is passed a `callback(err, transformed)` which must be
- * called once it has completed with an error (which can be `null`) and a
- * transformed value. Invoked with (value, key, callback).
- * @param {Function} [callback] - A callback which is called when all `iteratee`
- * functions have finished, or an error occurs. Results is an array of the
- * transformed items from the `obj`. Invoked with (err, result).
- * @example
- *
- * async.mapValues({
- * f1: 'file1',
- * f2: 'file2',
- * f3: 'file3'
- * }, fs.stat, function(err, result) {
- * // results is now a map of stats for each file, e.g.
- * // {
- * // f1: [stats for file1],
- * // f2: [stats for file2],
- * // f3: [stats for file3]
- * // }
- * });
- */
-
- var mapValues = doLimit(mapValuesLimit, Infinity);
-
- /**
- * The same as `mapValues` but runs only a single async operation at a time.
- *
- * @name mapValuesSeries
- * @static
- * @memberOf async
- * @see async.mapValues
- * @category Collection
- * @param {Object} obj - A collection to iterate over.
- * @param {Function} iteratee - A function to apply to each value in `obj`.
- * The iteratee is passed a `callback(err, transformed)` which must be called
- * once it has completed with an error (which can be `null`) and a
- * transformed value. Invoked with (value, key, callback).
- * @param {Function} [callback] - A callback which is called when all `iteratee`
- * functions have finished, or an error occurs. Result is an object of the
- * transformed values from the `obj`. Invoked with (err, result).
- */
- var mapValuesSeries = doLimit(mapValuesLimit, 1);
-
- function has(obj, key) {
- return key in obj;
- }
-
- /**
- * Caches the results of an `async` function. When creating a hash to store
- * function results against, the callback is omitted from the hash and an
- * optional hash function can be used.
- *
- * If no hash function is specified, the first argument is used as a hash key,
- * which may work reasonably if it is a string or a data type that converts to a
- * distinct string. Note that objects and arrays will not behave reasonably.
- * Neither will cases where the other arguments are significant. In such cases,
- * specify your own hash function.
- *
- * The cache of results is exposed as the `memo` property of the function
- * returned by `memoize`.
- *
- * @name memoize
- * @static
- * @memberOf async
- * @category Util
- * @param {Function} fn - The function to proxy and cache results from.
- * @param {Function} hasher - An optional function for generating a custom hash
- * for storing results. It has all the arguments applied to it apart from the
- * callback, and must be synchronous.
- * @example
- *
- * var slow_fn = function(name, callback) {
- * // do something
- * callback(null, result);
- * };
- * var fn = async.memoize(slow_fn);
- *
- * // fn can now be used as if it were slow_fn
- * fn('some name', function() {
- * // callback
- * });
- */
- function memoize$1(fn, hasher) {
- var memo = Object.create(null);
- var queues = Object.create(null);
- hasher = hasher || identity;
- var memoized = initialParams(function memoized(args, callback) {
- var key = hasher.apply(null, args);
- if (has(memo, key)) {
- setImmediate$1(function () {
- callback.apply(null, memo[key]);
- });
- } else if (has(queues, key)) {
- queues[key].push(callback);
- } else {
- queues[key] = [callback];
- fn.apply(null, args.concat([rest(function (args) {
- memo[key] = args;
- var q = queues[key];
- delete queues[key];
- for (var i = 0, l = q.length; i < l; i++) {
- q[i].apply(null, args);
- }
- })]));
- }
- });
- memoized.memo = memo;
- memoized.unmemoized = fn;
- return memoized;
- }
-
- /**
- * Calls `callback` on a later loop around the event loop. In Node.js this just
- * calls `setImmediate`. In the browser it will use `setImmediate` if
- * available, otherwise `setTimeout(callback, 0)`, which means other higher
- * priority events may precede the execution of `callback`.
- *
- * This is used internally for browser-compatibility purposes.
- *
- * @name nextTick
- * @static
- * @memberOf async
- * @alias setImmediate
- * @category Util
- * @param {Function} callback - The function to call on a later loop around
- * the event loop. Invoked with (args...).
- * @param {...*} args... - any number of additional arguments to pass to the
- * callback on the next tick.
- * @example
- *
- * var call_order = [];
- * async.nextTick(function() {
- * call_order.push('two');
- * // call_order now equals ['one','two']
- * });
- * call_order.push('one');
- *
- * async.setImmediate(function (a, b, c) {
- * // a, b, and c equal 1, 2, and 3
- * }, 1, 2, 3);
- */
- var _defer$1;
-
- if (hasNextTick) {
- _defer$1 = process.nextTick;
- } else if (hasSetImmediate) {
- _defer$1 = setImmediate;
- } else {
- _defer$1 = fallback;
- }
-
- var nextTick = wrap(_defer$1);
-
- function _parallel(eachfn, tasks, callback) {
- callback = callback || noop;
- var results = isArrayLike(tasks) ? [] : {};
-
- eachfn(tasks, function (task, key, callback) {
- task(rest(function (err, args) {
- if (args.length <= 1) {
- args = args[0];
- }
- results[key] = args;
- callback(err);
- }));
- }, function (err) {
- callback(err, results);
- });
- }
-
- /**
- * The same as `parallel` but runs a maximum of `limit` async operations at a
- * time.
- *
- * @name parallel
- * @static
- * @memberOf async
- * @see async.parallel
- * @category Control Flow
- * @param {Array|Collection} tasks - A collection containing functions to run.
- * Each function is passed a `callback(err, result)` which it must call on
- * completion with an error `err` (which can be `null`) and an optional `result`
- * value.
- * @param {number} limit - The maximum number of async operations at a time.
- * @param {Function} [callback] - An optional callback to run once all the
- * functions have completed successfully. This function gets a results array
- * (or object) containing all the result arguments passed to the task callbacks.
- * Invoked with (err, results).
- */
- function parallelLimit(tasks, limit, cb) {
- return _parallel(_eachOfLimit(limit), tasks, cb);
- }
-
- /**
- * Run the `tasks` collection of functions in parallel, without waiting until
- * the previous function has completed. If any of the functions pass an error to
- * its callback, the main `callback` is immediately called with the value of the
- * error. Once the `tasks` have completed, the results are passed to the final
- * `callback` as an array.
- *
- * **Note:** `parallel` is about kicking-off I/O tasks in parallel, not about
- * parallel execution of code. If your tasks do not use any timers or perform
- * any I/O, they will actually be executed in series. Any synchronous setup
- * sections for each task will happen one after the other. JavaScript remains
- * single-threaded.
- *
- * It is also possible to use an object instead of an array. Each property will
- * be run as a function and the results will be passed to the final `callback`
- * as an object instead of an array. This can be a more readable way of handling
- * results from {@link async.parallel}.
- *
- * @name parallel
- * @static
- * @memberOf async
- * @category Control Flow
- * @param {Array|Object} tasks - A collection containing functions to run.
- * Each function is passed a `callback(err, result)` which it must call on
- * completion with an error `err` (which can be `null`) and an optional `result`
- * value.
- * @param {Function} [callback] - An optional callback to run once all the
- * functions have completed successfully. This function gets a results array
- * (or object) containing all the result arguments passed to the task callbacks.
- * Invoked with (err, results).
- * @example
- * async.parallel([
- * function(callback) {
- * setTimeout(function() {
- * callback(null, 'one');
- * }, 200);
- * },
- * function(callback) {
- * setTimeout(function() {
- * callback(null, 'two');
- * }, 100);
- * }
- * ],
- * // optional callback
- * function(err, results) {
- * // the results array will equal ['one','two'] even though
- * // the second function had a shorter timeout.
- * });
- *
- * // an example using an object instead of an array
- * async.parallel({
- * one: function(callback) {
- * setTimeout(function() {
- * callback(null, 1);
- * }, 200);
- * },
- * two: function(callback) {
- * setTimeout(function() {
- * callback(null, 2);
- * }, 100);
- * }
- * }, function(err, results) {
- * // results is now equals to: {one: 1, two: 2}
- * });
- */
- var parallel = doLimit(parallelLimit, Infinity);
-
- /**
- * A queue of tasks for the worker function to complete.
- * @typedef {Object} queue
- * @property {Function} length - a function returning the number of items
- * waiting to be processed. Invoke with ().
- * @property {Function} started - a function returning whether or not any
- * items have been pushed and processed by the queue. Invoke with ().
- * @property {Function} running - a function returning the number of items
- * currently being processed. Invoke with ().
- * @property {Function} workersList - a function returning the array of items
- * currently being processed. Invoke with ().
- * @property {Function} idle - a function returning false if there are items
- * waiting or being processed, or true if not. Invoke with ().
- * @property {number} concurrency - an integer for determining how many `worker`
- * functions should be run in parallel. This property can be changed after a
- * `queue` is created to alter the concurrency on-the-fly.
- * @property {Function} push - add a new task to the `queue`. Calls `callback`
- * once the `worker` has finished processing the task. Instead of a single task,
- * a `tasks` array can be submitted. The respective callback is used for every
- * task in the list. Invoke with (task, [callback]),
- * @property {Function} unshift - add a new task to the front of the `queue`.
- * Invoke with (task, [callback]).
- * @property {Function} saturated - a callback that is called when the number of
- * running workers hits the `concurrency` limit, and further tasks will be
- * queued.
- * @property {Function} unsaturated - a callback that is called when the number
- * of running workers is less than the `concurrency` & `buffer` limits, and
- * further tasks will not be queued.
- * @property {number} buffer - A minimum threshold buffer in order to say that
- * the `queue` is `unsaturated`.
- * @property {Function} empty - a callback that is called when the last item
- * from the `queue` is given to a `worker`.
- * @property {Function} drain - a callback that is called when the last item
- * from the `queue` has returned from the `worker`.
- * @property {Function} error - a callback that is called when a task errors.
- * Has the signature `function(error, task)`.
- * @property {boolean} paused - a boolean for determining whether the queue is
- * in a paused state.
- * @property {Function} pause - a function that pauses the processing of tasks
- * until `resume()` is called. Invoke with ().
- * @property {Function} resume - a function that resumes the processing of
- * queued tasks when the queue is paused. Invoke with ().
- * @property {Function} kill - a function that removes the `drain` callback and
- * empties remaining tasks from the queue forcing it to go idle. Invoke with ().
- */
-
- /**
- * Creates a `queue` object with the specified `concurrency`. Tasks added to the
- * `queue` are processed in parallel (up to the `concurrency` limit). If all
- * `worker`s are in progress, the task is queued until one becomes available.
- * Once a `worker` completes a `task`, that `task`'s callback is called.
- *
- * @name queue
- * @static
- * @memberOf async
- * @category Control Flow
- * @param {Function} worker - An asynchronous function for processing a queued
- * task, which must call its `callback(err)` argument when finished, with an
- * optional `error` as an argument. If you want to handle errors from an
- * individual task, pass a callback to `q.push()`. Invoked with
- * (task, callback).
- * @param {number} [concurrency=1] - An `integer` for determining how many
- * `worker` functions should be run in parallel. If omitted, the concurrency
- * defaults to `1`. If the concurrency is `0`, an error is thrown.
- * @returns {queue} A queue object to manage the tasks. Callbacks can
- * attached as certain properties to listen for specific events during the
- * lifecycle of the queue.
- * @example
- *
- * // create a queue object with concurrency 2
- * var q = async.queue(function(task, callback) {
- * console.log('hello ' + task.name);
- * callback();
- * }, 2);
- *
- * // assign a callback
- * q.drain = function() {
- * console.log('all items have been processed');
- * };
- *
- * // add some items to the queue
- * q.push({name: 'foo'}, function(err) {
- * console.log('finished processing foo');
- * });
- * q.push({name: 'bar'}, function (err) {
- * console.log('finished processing bar');
- * });
- *
- * // add some items to the queue (batch-wise)
- * q.push([{name: 'baz'},{name: 'bay'},{name: 'bax'}], function(err) {
- * console.log('finished processing item');
- * });
- *
- * // add some items to the front of the queue
- * q.unshift({name: 'bar'}, function (err) {
- * console.log('finished processing bar');
- * });
- */
- function queue$1 (worker, concurrency) {
- return queue(function (items, cb) {
- worker(items[0], cb);
- }, concurrency, 1);
- }
-
- /**
- * The same as {@link async.queue} only tasks are assigned a priority and
- * completed in ascending priority order.
- *
- * @name priorityQueue
- * @static
- * @memberOf async
- * @see async.queue
- * @category Control Flow
- * @param {Function} worker - An asynchronous function for processing a queued
- * task, which must call its `callback(err)` argument when finished, with an
- * optional `error` as an argument. If you want to handle errors from an
- * individual task, pass a callback to `q.push()`. Invoked with
- * (task, callback).
- * @param {number} concurrency - An `integer` for determining how many `worker`
- * functions should be run in parallel. If omitted, the concurrency defaults to
- * `1`. If the concurrency is `0`, an error is thrown.
- * @returns {queue} A priorityQueue object to manage the tasks. There are two
- * differences between `queue` and `priorityQueue` objects:
- * * `push(task, priority, [callback])` - `priority` should be a number. If an
- * array of `tasks` is given, all tasks will be assigned the same priority.
- * * The `unshift` method was removed.
- */
- function priorityQueue (worker, concurrency) {
- function _compareTasks(a, b) {
- return a.priority - b.priority;
- }
-
- function _binarySearch(sequence, item, compare) {
- var beg = -1,
- end = sequence.length - 1;
- while (beg < end) {
- var mid = beg + (end - beg + 1 >>> 1);
- if (compare(item, sequence[mid]) >= 0) {
- beg = mid;
- } else {
- end = mid - 1;
- }
- }
- return beg;
- }
-
- function _insert(q, data, priority, callback) {
- if (callback != null && typeof callback !== 'function') {
- throw new Error('task callback must be a function');
- }
- q.started = true;
- if (!isArray(data)) {
- data = [data];
- }
- if (data.length === 0) {
- // call drain immediately if there are no tasks
- return setImmediate$1(function () {
- q.drain();
- });
- }
- arrayEach(data, function (task) {
- var item = {
- data: task,
- priority: priority,
- callback: typeof callback === 'function' ? callback : noop
- };
-
- q.tasks.splice(_binarySearch(q.tasks, item, _compareTasks) + 1, 0, item);
-
- setImmediate$1(q.process);
- });
- }
-
- // Start with a normal queue
- var q = queue$1(worker, concurrency);
- // Override push to accept second parameter representing priority
- q.push = function (data, priority, callback) {
- _insert(q, data, priority, callback);
- };
-
- // Remove unshift function
- delete q.unshift;
-
- return q;
- }
-
- /**
- * Creates a `baseEach` or `baseEachRight` function.
- *
- * @private
- * @param {Function} eachFunc The function to iterate over a collection.
- * @param {boolean} [fromRight] Specify iterating from right to left.
- * @returns {Function} Returns the new base function.
- */
- function createBaseEach(eachFunc, fromRight) {
- return function(collection, iteratee) {
- if (collection == null) {
- return collection;
- }
- if (!isArrayLike(collection)) {
- return eachFunc(collection, iteratee);
- }
- var length = collection.length,
- index = fromRight ? length : -1,
- iterable = Object(collection);
-
- while ((fromRight ? index-- : ++index < length)) {
- if (iteratee(iterable[index], index, iterable) === false) {
- break;
+ function timeoutCallback() {
+ var name = asyncFn.name || 'anonymous';
+ var error = new Error('Callback function "' + name + '" timed out.');
+ error.code = 'ETIMEDOUT';
+ if (info) {
+ error.info = info;
}
- }
- return collection;
- };
- }
-
- /**
- * The base implementation of `_.forEach` without support for iteratee shorthands.
- *
- * @private
- * @param {Array|Object} collection The collection to iterate over.
- * @param {Function} iteratee The function invoked per iteration.
- * @returns {Array|Object} Returns `collection`.
- */
- var baseEach = createBaseEach(baseForOwn);
-
- /**
- * Iterates over elements of `collection` and invokes `iteratee` for each element.
- * The iteratee is invoked with three arguments: (value, index|key, collection).
- * Iteratee functions may exit iteration early by explicitly returning `false`.
- *
- * **Note:** As with other "Collections" methods, objects with a "length"
- * property are iterated like arrays. To avoid this behavior use `_.forIn`
- * or `_.forOwn` for object iteration.
- *
- * @static
- * @memberOf _
- * @since 0.1.0
- * @alias each
- * @category Collection
- * @param {Array|Object} collection The collection to iterate over.
- * @param {Function} [iteratee=_.identity] The function invoked per iteration.
- * @returns {Array|Object} Returns `collection`.
- * @see _.forEachRight
- * @example
- *
- * _([1, 2]).forEach(function(value) {
- * console.log(value);
- * });
- * // => Logs `1` then `2`.
- *
- * _.forEach({ 'a': 1, 'b': 2 }, function(value, key) {
- * console.log(key);
- * });
- * // => Logs 'a' then 'b' (iteration order is not guaranteed).
- */
- function forEach(collection, iteratee) {
- var func = isArray(collection) ? arrayEach : baseEach;
- return func(collection, baseIteratee(iteratee, 3));
- }
-
- /**
- * Runs the `tasks` array of functions in parallel, without waiting until the
- * previous function has completed. Once any the `tasks` completed or pass an
- * error to its callback, the main `callback` is immediately called. It's
- * equivalent to `Promise.race()`.
- *
- * @name race
- * @static
- * @memberOf async
- * @category Control Flow
- * @param {Array} tasks - An array containing functions to run. Each function
- * is passed a `callback(err, result)` which it must call on completion with an
- * error `err` (which can be `null`) and an optional `result` value.
- * @param {Function} callback - A callback to run once any of the functions have
- * completed. This function gets an error or result from the first function that
- * completed. Invoked with (err, result).
- * @example
- *
- * async.race([
- * function(callback) {
- * setTimeout(function() {
- * callback(null, 'one');
- * }, 200);
- * },
- * function(callback) {
- * setTimeout(function() {
- * callback(null, 'two');
- * }, 100);
- * }
- * ],
- * // main callback
- * function(err, result) {
- * // the result will be equal to 'two' as it finishes earlier
- * });
- */
- function race(tasks, cb) {
- cb = once(cb || noop);
- if (!isArray(tasks)) return cb(new TypeError('First argument to race must be an array of functions'));
- if (!tasks.length) return cb();
- forEach(tasks, function (task) {
- task(cb);
- });
- }
-
- var slice = Array.prototype.slice;
-
- /**
- * Same as `reduce`, only operates on `coll` in reverse order.
- *
- * @name reduceRight
- * @static
- * @memberOf async
- * @see async.reduce
- * @alias foldr
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {*} memo - The initial state of the reduction.
- * @param {Function} iteratee - A function applied to each item in the
- * array to produce the next step in the reduction. The `iteratee` is passed a
- * `callback(err, reduction)` which accepts an optional error as its first
- * argument, and the state of the reduction as the second. If an error is
- * passed to the callback, the reduction is stopped and the main `callback` is
- * immediately called with the error. Invoked with (memo, item, callback).
- * @param {Function} [callback] - A callback which is called after all the
- * `iteratee` functions have finished. Result is the reduced value. Invoked with
- * (err, result).
- */
- function reduceRight(arr, memo, iteratee, cb) {
- var reversed = slice.call(arr).reverse();
- reduce(reversed, memo, iteratee, cb);
- }
-
- /**
- * Wraps the function in another function that always returns data even when it
- * errors.
- *
- * The object returned has either the property `error` or `value`.
- *
- * @name reflect
- * @static
- * @memberOf async
- * @category Util
- * @param {Function} function - The function you want to wrap
- * @returns {Function} - A function that always passes null to it's callback as
- * the error. The second argument to the callback will be an `object` with
- * either an `error` or a `value` property.
- * @example
- *
- * async.parallel([
- * async.reflect(function(callback) {
- * // do some stuff ...
- * callback(null, 'one');
- * }),
- * async.reflect(function(callback) {
- * // do some more stuff but error ...
- * callback('bad stuff happened');
- * }),
- * async.reflect(function(callback) {
- * // do some more stuff ...
- * callback(null, 'two');
- * })
- * ],
- * // optional callback
- * function(err, results) {
- * // values
- * // results[0].value = 'one'
- * // results[1].error = 'bad stuff happened'
- * // results[2].value = 'two'
- * });
- */
- function reflect(fn) {
- return initialParams(function reflectOn(args, reflectCallback) {
- args.push(rest(function callback(err, cbArgs) {
- if (err) {
- reflectCallback(null, {
- error: err
- });
- } else {
- var value = null;
- if (cbArgs.length === 1) {
- value = cbArgs[0];
- } else if (cbArgs.length > 1) {
- value = cbArgs;
- }
- reflectCallback(null, {
- value: value
- });
- }
- }));
-
- return fn.apply(this, args);
- });
- }
-
- function reject$1(eachfn, arr, iteratee, callback) {
- _filter(eachfn, arr, function (value, cb) {
- iteratee(value, function (err, v) {
- if (err) {
- cb(err);
- } else {
- cb(null, !v);
- }
- });
- }, callback);
- }
-
- /**
- * The same as `reject` but runs a maximum of `limit` async operations at a
- * time.
- *
- * @name rejectLimit
- * @static
- * @memberOf async
- * @see async.reject
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {number} limit - The maximum number of async operations at a time.
- * @param {Function} iteratee - A truth test to apply to each item in `coll`.
- * The `iteratee` is passed a `callback(err, truthValue)`, which must be called
- * with a boolean argument once it has completed. Invoked with (item, callback).
- * @param {Function} [callback] - A callback which is called after all the
- * `iteratee` functions have finished. Invoked with (err, results).
- */
- var rejectLimit = doParallelLimit(reject$1);
-
- /**
- * The opposite of `filter`. Removes values that pass an `async` truth test.
- *
- * @name reject
- * @static
- * @memberOf async
- * @see async.filter
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A truth test to apply to each item in `coll`.
- * The `iteratee` is passed a `callback(err, truthValue)`, which must be called
- * with a boolean argument once it has completed. Invoked with (item, callback).
- * @param {Function} [callback] - A callback which is called after all the
- * `iteratee` functions have finished. Invoked with (err, results).
- * @example
- *
- * async.reject(['file1','file2','file3'], function(filePath, callback) {
- * fs.access(filePath, function(err) {
- * callback(null, !err)
- * });
- * }, function(err, results) {
- * // results now equals an array of missing files
- * createFiles(results);
- * });
- */
- var reject = doLimit(rejectLimit, Infinity);
-
- /**
- * A helper function that wraps an array of functions with reflect.
- *
- * @name reflectAll
- * @static
- * @memberOf async
- * @see async.reflect
- * @category Util
- * @param {Array} tasks - The array of functions to wrap in `async.reflect`.
- * @returns {Array} Returns an array of functions, each function wrapped in
- * `async.reflect`
- * @example
- *
- * let tasks = [
- * function(callback) {
- * setTimeout(function() {
- * callback(null, 'one');
- * }, 200);
- * },
- * function(callback) {
- * // do some more stuff but error ...
- * callback(new Error('bad stuff happened'));
- * },
- * function(callback) {
- * setTimeout(function() {
- * callback(null, 'two');
- * }, 100);
- * }
- * ];
- *
- * async.parallel(async.reflectAll(tasks),
- * // optional callback
- * function(err, results) {
- * // values
- * // results[0].value = 'one'
- * // results[1].error = Error('bad stuff happened')
- * // results[2].value = 'two'
- * });
- */
- function reflectAll(tasks) {
- return tasks.map(reflect);
- }
+ timedOut = true;
+ originalCallback(error);
+ }
- /**
- * The same as `reject` but runs only a single async operation at a time.
- *
- * @name rejectSeries
- * @static
- * @memberOf async
- * @see async.reject
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A truth test to apply to each item in `coll`.
- * The `iteratee` is passed a `callback(err, truthValue)`, which must be called
- * with a boolean argument once it has completed. Invoked with (item, callback).
- * @param {Function} [callback] - A callback which is called after all the
- * `iteratee` functions have finished. Invoked with (err, results).
- */
- var rejectSeries = doLimit(rejectLimit, 1);
-
- /**
- * Run the functions in the `tasks` collection in series, each one running once
- * the previous function has completed. If any functions in the series pass an
- * error to its callback, no more functions are run, and `callback` is
- * immediately called with the value of the error. Otherwise, `callback`
- * receives an array of results when `tasks` have completed.
- *
- * It is also possible to use an object instead of an array. Each property will
- * be run as a function, and the results will be passed to the final `callback`
- * as an object instead of an array. This can be a more readable way of handling
- * results from {@link async.series}.
- *
- * **Note** that while many implementations preserve the order of object
- * properties, the [ECMAScript Language Specification](http://www.ecma-international.org/ecma-262/5.1/#sec-8.6)
- * explicitly states that
- *
- * > The mechanics and order of enumerating the properties is not specified.
- *
- * So if you rely on the order in which your series of functions are executed,
- * and want this to work on all platforms, consider using an array.
- *
- * @name series
- * @static
- * @memberOf async
- * @category Control Flow
- * @param {Array|Object} tasks - A collection containing functions to run, each
- * function is passed a `callback(err, result)` it must call on completion with
- * an error `err` (which can be `null`) and an optional `result` value.
- * @param {Function} [callback] - An optional callback to run once all the
- * functions have completed. This function gets a results array (or object)
- * containing all the result arguments passed to the `task` callbacks. Invoked
- * with (err, result).
- * @example
- * async.series([
- * function(callback) {
- * // do some stuff ...
- * callback(null, 'one');
- * },
- * function(callback) {
- * // do some more stuff ...
- * callback(null, 'two');
- * }
- * ],
- * // optional callback
- * function(err, results) {
- * // results is now equal to ['one', 'two']
- * });
- *
- * async.series({
- * one: function(callback) {
- * setTimeout(function() {
- * callback(null, 1);
- * }, 200);
- * },
- * two: function(callback){
- * setTimeout(function() {
- * callback(null, 2);
- * }, 100);
- * }
- * }, function(err, results) {
- * // results is now equal to: {one: 1, two: 2}
- * });
- */
- function series(tasks, cb) {
- return _parallel(eachOfSeries, tasks, cb);
- }
+ return initialParams(function (args, origCallback) {
+ originalCallback = origCallback;
+ // setup timer and call original function
+ timer = setTimeout(timeoutCallback, milliseconds);
+ asyncFn.apply(null, args.concat(injectedCallback));
+ });
+ }
+
+ /* Built-in method references for those with the same name as other `lodash` methods. */
+ var nativeCeil = Math.ceil;
+ var nativeMax$1 = Math.max;
+ /**
+ * The base implementation of `_.range` and `_.rangeRight` which doesn't
+ * coerce arguments to numbers.
+ *
+ * @private
+ * @param {number} start The start of the range.
+ * @param {number} end The end of the range.
+ * @param {number} step The value to increment or decrement by.
+ * @param {boolean} [fromRight] Specify iterating from right to left.
+ * @returns {Array} Returns the range of numbers.
+ */
+ function baseRange(start, end, step, fromRight) {
+ var index = -1,
+ length = nativeMax$1(nativeCeil((end - start) / (step || 1)), 0),
+ result = Array(length);
+
+ while (length--) {
+ result[fromRight ? length : ++index] = start;
+ start += step;
+ }
+ return result;
+ }
+
+ /**
+ * The same as [times]{@link module:ControlFlow.times} but runs a maximum of `limit` async operations at a
+ * time.
+ *
+ * @name timesLimit
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @see [async.times]{@link module:ControlFlow.times}
+ * @category Control Flow
+ * @param {number} count - The number of times to run the function.
+ * @param {number} limit - The maximum number of async operations at a time.
+ * @param {Function} iteratee - The function to call `n` times. Invoked with the
+ * iteration index and a callback (n, next).
+ * @param {Function} callback - see [async.map]{@link module:Collections.map}.
+ */
+ function timeLimit(count, limit, iteratee, callback) {
+ mapLimit(baseRange(0, count, 1), limit, iteratee, callback);
+ }
+
+ /**
+ * Calls the `iteratee` function `n` times, and accumulates results in the same
+ * manner you would use with [map]{@link module:Collections.map}.
+ *
+ * @name times
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @see [async.map]{@link module:Collections.map}
+ * @category Control Flow
+ * @param {number} n - The number of times to run the function.
+ * @param {Function} iteratee - The function to call `n` times. Invoked with the
+ * iteration index and a callback (n, next).
+ * @param {Function} callback - see {@link module:Collections.map}.
+ * @example
+ *
+ * // Pretend this is some complicated async factory
+ * var createUser = function(id, callback) {
+ * callback(null, {
+ * id: 'user' + id
+ * });
+ * };
+ *
+ * // generate 5 users
+ * async.times(5, function(n, next) {
+ * createUser(n, function(err, user) {
+ * next(err, user);
+ * });
+ * }, function(err, users) {
+ * // we should now have 5 users
+ * });
+ */
+ var times = doLimit(timeLimit, Infinity);
+
+ /**
+ * The same as [times]{@link module:ControlFlow.times} but runs only a single async operation at a time.
+ *
+ * @name timesSeries
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @see [async.times]{@link module:ControlFlow.times}
+ * @category Control Flow
+ * @param {number} n - The number of times to run the function.
+ * @param {Function} iteratee - The function to call `n` times. Invoked with the
+ * iteration index and a callback (n, next).
+ * @param {Function} callback - see {@link module:Collections.map}.
+ */
+ var timesSeries = doLimit(timeLimit, 1);
+
+ /**
+ * A relative of `reduce`. Takes an Object or Array, and iterates over each
+ * element in series, each step potentially mutating an `accumulator` value.
+ * The type of the accumulator defaults to the type of collection passed in.
+ *
+ * @name transform
+ * @static
+ * @memberOf module:Collections
+ * @method
+ * @category Collection
+ * @param {Array|Object} coll - A collection to iterate over.
+ * @param {*} [accumulator] - The initial state of the transform. If omitted,
+ * it will default to an empty Object or Array, depending on the type of `coll`
+ * @param {Function} iteratee - A function applied to each item in the
+ * collection that potentially modifies the accumulator. The `iteratee` is
+ * passed a `callback(err)` which accepts an optional error as its first
+ * argument. If an error is passed to the callback, the transform is stopped
+ * and the main `callback` is immediately called with the error.
+ * Invoked with (accumulator, item, key, callback).
+ * @param {Function} [callback] - A callback which is called after all the
+ * `iteratee` functions have finished. Result is the transformed accumulator.
+ * Invoked with (err, result).
+ * @example
+ *
+ * async.transform([1,2,3], function(acc, item, index, callback) {
+ * // pointless async:
+ * process.nextTick(function() {
+ * acc.push(item * 2)
+ * callback(null)
+ * });
+ * }, function(err, result) {
+ * // result is now equal to [2, 4, 6]
+ * });
+ *
+ * @example
+ *
+ * async.transform({a: 1, b: 2, c: 3}, function (obj, val, key, callback) {
+ * setImmediate(function () {
+ * obj[key] = val * 2;
+ * callback();
+ * })
+ * }, function (err, result) {
+ * // result is equal to {a: 2, b: 4, c: 6}
+ * })
+ */
+ function transform(coll, accumulator, iteratee, callback) {
+ if (arguments.length === 3) {
+ callback = iteratee;
+ iteratee = accumulator;
+ accumulator = isArray(coll) ? [] : {};
+ }
- /**
- * Creates a function that returns `value`.
- *
- * @static
- * @memberOf _
- * @since 2.4.0
- * @category Util
- * @param {*} value The value to return from the new function.
- * @returns {Function} Returns the new constant function.
- * @example
- *
- * var objects = _.times(2, _.constant({ 'a': 1 }));
- *
- * console.log(objects);
- * // => [{ 'a': 1 }, { 'a': 1 }]
- *
- * console.log(objects[0] === objects[1]);
- * // => true
- */
- function constant$1(value) {
- return function() {
- return value;
+ eachOf(coll, function (v, k, cb) {
+ iteratee(accumulator, v, k, cb);
+ }, function (err) {
+ callback(err, accumulator);
+ });
+ }
+
+ /**
+ * Undoes a [memoize]{@link module:Utils.memoize}d function, reverting it to the original,
+ * unmemoized form. Handy for testing.
+ *
+ * @name unmemoize
+ * @static
+ * @memberOf module:Utils
+ * @method
+ * @see [async.memoize]{@link module:Utils.memoize}
+ * @category Util
+ * @param {Function} fn - the memoized function
+ * @returns {Function} a function that calls the original unmemoized function
+ */
+ function unmemoize(fn) {
+ return function () {
+ return (fn.unmemoized || fn).apply(null, arguments);
};
- }
-
- /**
- * Attempts to get a successful response from `task` no more than `times` times
- * before returning an error. If the task is successful, the `callback` will be
- * passed the result of the successful task. If all attempts fail, the callback
- * will be passed the error and result (if any) of the final attempt.
- *
- * @name retry
- * @static
- * @memberOf async
- * @category Control Flow
- * @param {Object|number} [opts = {times: 5, interval: 0}| 5] - Can be either an
- * object with `times` and `interval` or a number.
- * * `times` - The number of attempts to make before giving up. The default
- * is `5`.
- * * `interval` - The time to wait between retries, in milliseconds. The
- * default is `0`. The interval may also be specified as a function of the
- * retry count (see example).
- * * If `opts` is a number, the number specifies the number of times to retry,
- * with the default interval of `0`.
- * @param {Function} task - A function which receives two arguments: (1) a
- * `callback(err, result)` which must be called when finished, passing `err`
- * (which can be `null`) and the `result` of the function's execution, and (2)
- * a `results` object, containing the results of the previously executed
- * functions (if nested inside another control flow). Invoked with
- * (callback, results).
- * @param {Function} [callback] - An optional callback which is called when the
- * task has succeeded, or after the final failed attempt. It receives the `err`
- * and `result` arguments of the last attempt at completing the `task`. Invoked
- * with (err, results).
- * @example
- *
- * // The `retry` function can be used as a stand-alone control flow by passing
- * // a callback, as shown below:
- *
- * // try calling apiMethod 3 times
- * async.retry(3, apiMethod, function(err, result) {
- * // do something with the result
- * });
- *
- * // try calling apiMethod 3 times, waiting 200 ms between each retry
- * async.retry({times: 3, interval: 200}, apiMethod, function(err, result) {
- * // do something with the result
- * });
- *
- * // try calling apiMethod 10 times with exponential backoff
- * // (i.e. intervals of 100, 200, 400, 800, 1600, ... milliseconds)
- * async.retry({
- * times: 10,
- * interval: function(retryCount) {
- * return 50 * Math.pow(2, retryCount);
- * }
- * }, apiMethod, function(err, result) {
- * // do something with the result
- * });
- *
- * // try calling apiMethod the default 5 times no delay between each retry
- * async.retry(apiMethod, function(err, result) {
- * // do something with the result
- * });
- *
- * // It can also be embedded within other control flow functions to retry
- * // individual methods that are not as reliable, like this:
- * async.auto({
- * users: api.getUsers.bind(api),
- * payments: async.retry(3, api.getPayments.bind(api))
- * }, function(err, results) {
- * // do something with the results
- * });
- */
- function retry(times, task, callback) {
- var DEFAULT_TIMES = 5;
- var DEFAULT_INTERVAL = 0;
-
- var opts = {
- times: DEFAULT_TIMES,
- intervalFunc: constant$1(DEFAULT_INTERVAL)
- };
-
- function parseTimes(acc, t) {
- if (typeof t === 'object') {
- acc.times = +t.times || DEFAULT_TIMES;
-
- acc.intervalFunc = typeof t.interval === 'function' ? t.interval : constant$1(+t.interval || DEFAULT_INTERVAL);
- } else if (typeof t === 'number' || typeof t === 'string') {
- acc.times = +t || DEFAULT_TIMES;
- } else {
- throw new Error("Invalid arguments for async.retry");
- }
- }
-
- if (arguments.length < 3 && typeof times === 'function') {
- callback = task || noop;
- task = times;
- } else {
- parseTimes(opts, times);
- callback = callback || noop;
- }
-
- if (typeof task !== 'function') {
- throw new Error("Invalid arguments for async.retry");
- }
-
- var attempts = [];
- for (var i = 1; i < opts.times + 1; i++) {
- var isFinalAttempt = i == opts.times;
- attempts.push(retryAttempt(isFinalAttempt));
- var interval = opts.intervalFunc(i);
- if (!isFinalAttempt && interval > 0) {
- attempts.push(retryInterval(interval));
- }
- }
-
- series(attempts, function (done, data) {
- data = data[data.length - 1];
- callback(data.err, data.result);
- });
-
- function retryAttempt(isFinalAttempt) {
- return function (seriesCallback) {
- task(function (err, result) {
- seriesCallback(!err || isFinalAttempt, {
- err: err,
- result: result
- });
- });
- };
- }
-
- function retryInterval(interval) {
- return function (seriesCallback) {
- setTimeout(function () {
- seriesCallback(null);
- }, interval);
- };
- }
- }
-
- /**
- * A close relative of `retry`. This method wraps a task and makes it
- * retryable, rather than immediately calling it with retries.
- *
- * @name retryable
- * @static
- * @memberOf async
- * @see async.retry
- * @category Control Flow
- * @param {Object|number} [opts = {times: 5, interval: 0}| 5] - optional
- * options, exactly the same as from `retry`
- * @param {Function} task - the asynchronous function to wrap
- * @returns {Functions} The wrapped function, which when invoked, will retry on
- * an error, based on the parameters specified in `opts`.
- * @example
- *
- * async.auto({
- * dep1: async.retryable(3, getFromFlakyService),
- * process: ["dep1", async.retryable(3, function (results, cb) {
- * maybeProcessData(results.dep1, cb);
- * })]
- * }, callback);
- */
- function retryable (opts, task) {
- if (!task) {
- task = opts;
- opts = null;
- }
- return initialParams(function (args, callback) {
- function taskFn(cb) {
- task.apply(null, args.concat([cb]));
- }
-
- if (opts) retry(opts, taskFn, callback);else retry(taskFn, callback);
- });
- }
-
- /**
- * The same as `some` but runs a maximum of `limit` async operations at a time.
- *
- * @name someLimit
- * @static
- * @memberOf async
- * @see async.some
- * @alias anyLimit
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {number} limit - The maximum number of async operations at a time.
- * @param {Function} iteratee - A truth test to apply to each item in the array
- * in parallel. The iteratee is passed a `callback(err, truthValue)` which must
- * be called with a boolean argument once it has completed. Invoked with
- * (item, callback).
- * @param {Function} [callback] - A callback which is called as soon as any
- * iteratee returns `true`, or after all the iteratee functions have finished.
- * Result will be either `true` or `false` depending on the values of the async
- * tests. Invoked with (err, result).
- */
- var someLimit = _createTester(eachOfLimit, Boolean, identity);
-
- /**
- * Returns `true` if at least one element in the `coll` satisfies an async test.
- * If any iteratee call returns `true`, the main `callback` is immediately
- * called.
- *
- * @name some
- * @static
- * @memberOf async
- * @alias any
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A truth test to apply to each item in the array
- * in parallel. The iteratee is passed a `callback(err, truthValue)` which must
- * be called with a boolean argument once it has completed. Invoked with
- * (item, callback).
- * @param {Function} [callback] - A callback which is called as soon as any
- * iteratee returns `true`, or after all the iteratee functions have finished.
- * Result will be either `true` or `false` depending on the values of the async
- * tests. Invoked with (err, result).
- * @example
- *
- * async.some(['file1','file2','file3'], function(filePath, callback) {
- * fs.access(filePath, function(err) {
- * callback(null, !err)
- * });
- * }, function(err, result) {
- * // if result is true then at least one of the files exists
- * });
- */
- var some = doLimit(someLimit, Infinity);
-
- /**
- * The same as `some` but runs only a single async operation at a time.
- *
- * @name someSeries
- * @static
- * @memberOf async
- * @see async.some
- * @alias anySeries
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A truth test to apply to each item in the array
- * in parallel. The iteratee is passed a `callback(err, truthValue)` which must
- * be called with a boolean argument once it has completed. Invoked with
- * (item, callback).
- * @param {Function} [callback] - A callback which is called as soon as any
- * iteratee returns `true`, or after all the iteratee functions have finished.
- * Result will be either `true` or `false` depending on the values of the async
- * tests. Invoked with (err, result).
- */
- var someSeries = doLimit(someLimit, 1);
-
- /**
- * Sorts a list by the results of running each `coll` value through an async
- * `iteratee`.
- *
- * @name sortBy
- * @static
- * @memberOf async
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {Function} iteratee - A function to apply to each item in `coll`.
- * The iteratee is passed a `callback(err, sortValue)` which must be called once
- * it has completed with an error (which can be `null`) and a value to use as
- * the sort criteria. Invoked with (item, callback).
- * @param {Function} [callback] - A callback which is called after all the
- * `iteratee` functions have finished, or an error occurs. Results is the items
- * from the original `coll` sorted by the values returned by the `iteratee`
- * calls. Invoked with (err, results).
- * @example
- *
- * async.sortBy(['file1','file2','file3'], function(file, callback) {
- * fs.stat(file, function(err, stats) {
- * callback(err, stats.mtime);
- * });
- * }, function(err, results) {
- * // results is now the original array of files sorted by
- * // modified date
- * });
- *
- * // By modifying the callback parameter the
- * // sorting order can be influenced:
- *
- * // ascending order
- * async.sortBy([1,9,3,5], function(x, callback) {
- * callback(null, x);
- * }, function(err,result) {
- * // result callback
- * });
- *
- * // descending order
- * async.sortBy([1,9,3,5], function(x, callback) {
- * callback(null, x*-1); //<- x*-1 instead of x, turns the order around
- * }, function(err,result) {
- * // result callback
- * });
- */
- function sortBy(arr, iteratee, cb) {
- map(arr, function (x, cb) {
- iteratee(x, function (err, criteria) {
- if (err) return cb(err);
- cb(null, { value: x, criteria: criteria });
- });
- }, function (err, results) {
- if (err) return cb(err);
- cb(null, arrayMap(results.sort(comparator), baseProperty('value')));
- });
-
- function comparator(left, right) {
- var a = left.criteria,
- b = right.criteria;
- return a < b ? -1 : a > b ? 1 : 0;
- }
- }
-
- /**
- * Sets a time limit on an asynchronous function. If the function does not call
- * its callback within the specified miliseconds, it will be called with a
- * timeout error. The code property for the error object will be `'ETIMEDOUT'`.
- *
- * @name timeout
- * @static
- * @memberOf async
- * @category Util
- * @param {Function} function - The asynchronous function you want to set the
- * time limit.
- * @param {number} miliseconds - The specified time limit.
- * @param {*} [info] - Any variable you want attached (`string`, `object`, etc)
- * to timeout Error for more information..
- * @returns {Function} Returns a wrapped function that can be used with any of
- * the control flow functions.
- * @example
- *
- * async.timeout(function(callback) {
- * doAsyncTask(callback);
- * }, 1000);
- */
- function timeout(asyncFn, miliseconds, info) {
- var originalCallback, timer;
- var timedOut = false;
-
- function injectedCallback() {
- if (!timedOut) {
- originalCallback.apply(null, arguments);
- clearTimeout(timer);
- }
- }
-
- function timeoutCallback() {
- var name = asyncFn.name || 'anonymous';
- var error = new Error('Callback function "' + name + '" timed out.');
- error.code = 'ETIMEDOUT';
- if (info) {
- error.info = info;
- }
- timedOut = true;
- originalCallback(error);
- }
+ }
+
+ /**
+ * Repeatedly call `fn` until `test` returns `true`. Calls `callback` when
+ * stopped, or an error occurs. `callback` will be passed an error and any
+ * arguments passed to the final `fn`'s callback.
+ *
+ * The inverse of [whilst]{@link module:ControlFlow.whilst}.
+ *
+ * @name until
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @see [async.whilst]{@link module:ControlFlow.whilst}
+ * @category Control Flow
+ * @param {Function} test - synchronous truth test to perform before each
+ * execution of `fn`. Invoked with ().
+ * @param {Function} fn - A function which is called each time `test` fails.
+ * The function is passed a `callback(err)`, which must be called once it has
+ * completed with an optional `err` argument. Invoked with (callback).
+ * @param {Function} [callback] - A callback which is called after the test
+ * function has passed and repeated execution of `fn` has stopped. `callback`
+ * will be passed an error and any arguments passed to the final `fn`'s
+ * callback. Invoked with (err, [results]);
+ */
+ function until(test, fn, callback) {
+ whilst(function () {
+ return !test.apply(this, arguments);
+ }, fn, callback);
+ }
+
+ /**
+ * Runs the `tasks` array of functions in series, each passing their results to
+ * the next in the array. However, if any of the `tasks` pass an error to their
+ * own callback, the next function is not executed, and the main `callback` is
+ * immediately called with the error.
+ *
+ * @name waterfall
+ * @static
+ * @memberOf module:ControlFlow
+ * @method
+ * @category Control Flow
+ * @param {Array} tasks - An array of functions to run, each function is passed
+ * a `callback(err, result1, result2, ...)` it must call on completion. The
+ * first argument is an error (which can be `null`) and any further arguments
+ * will be passed as arguments in order to the next task.
+ * @param {Function} [callback] - An optional callback to run once all the
+ * functions have completed. This will be passed the results of the last task's
+ * callback. Invoked with (err, [results]).
+ * @returns undefined
+ * @example
+ *
+ * async.waterfall([
+ * function(callback) {
+ * callback(null, 'one', 'two');
+ * },
+ * function(arg1, arg2, callback) {
+ * // arg1 now equals 'one' and arg2 now equals 'two'
+ * callback(null, 'three');
+ * },
+ * function(arg1, callback) {
+ * // arg1 now equals 'three'
+ * callback(null, 'done');
+ * }
+ * ], function (err, result) {
+ * // result now equals 'done'
+ * });
+ *
+ * // Or, with named functions:
+ * async.waterfall([
+ * myFirstFunction,
+ * mySecondFunction,
+ * myLastFunction,
+ * ], function (err, result) {
+ * // result now equals 'done'
+ * });
+ * function myFirstFunction(callback) {
+ * callback(null, 'one', 'two');
+ * }
+ * function mySecondFunction(arg1, arg2, callback) {
+ * // arg1 now equals 'one' and arg2 now equals 'two'
+ * callback(null, 'three');
+ * }
+ * function myLastFunction(arg1, callback) {
+ * // arg1 now equals 'three'
+ * callback(null, 'done');
+ * }
+ */
+ function waterfall (tasks, callback) {
+ callback = once(callback || noop);
+ if (!isArray(tasks)) return callback(new Error('First argument to waterfall must be an array of functions'));
+ if (!tasks.length) return callback();
+ var taskIndex = 0;
+
+ function nextTask(args) {
+ if (taskIndex === tasks.length) {
+ return callback.apply(null, [null].concat(args));
+ }
- return initialParams(function (args, origCallback) {
- originalCallback = origCallback;
- // setup timer and call original function
- timer = setTimeout(timeoutCallback, miliseconds);
- asyncFn.apply(null, args.concat(injectedCallback));
- });
- }
+ var taskCallback = onlyOnce(rest(function (err, args) {
+ if (err) {
+ return callback.apply(null, [err].concat(args));
+ }
+ nextTask(args);
+ }));
- /* Built-in method references for those with the same name as other `lodash` methods. */
- var nativeCeil = Math.ceil;
- var nativeMax$1 = Math.max;
- /**
- * The base implementation of `_.range` and `_.rangeRight` which doesn't
- * coerce arguments to numbers.
- *
- * @private
- * @param {number} start The start of the range.
- * @param {number} end The end of the range.
- * @param {number} step The value to increment or decrement by.
- * @param {boolean} [fromRight] Specify iterating from right to left.
- * @returns {Array} Returns the range of numbers.
- */
- function baseRange(start, end, step, fromRight) {
- var index = -1,
- length = nativeMax$1(nativeCeil((end - start) / (step || 1)), 0),
- result = Array(length);
+ args.push(taskCallback);
- while (length--) {
- result[fromRight ? length : ++index] = start;
- start += step;
+ var task = tasks[taskIndex++];
+ task.apply(null, args);
}
- return result;
- }
-
- /**
- * The same as {@link times} but runs a maximum of `limit` async operations at a
- * time.
- *
- * @name timesLimit
- * @static
- * @memberOf async
- * @see async.times
- * @category Control Flow
- * @param {number} n - The number of times to run the function.
- * @param {number} limit - The maximum number of async operations at a time.
- * @param {Function} iteratee - The function to call `n` times. Invoked with the
- * iteration index and a callback (n, next).
- * @param {Function} callback - see {@link async.map}.
- */
- function timeLimit(count, limit, iteratee, cb) {
- return mapLimit(baseRange(0, count, 1), limit, iteratee, cb);
- }
-
- /**
- * Calls the `iteratee` function `n` times, and accumulates results in the same
- * manner you would use with {@link async.map}.
- *
- * @name times
- * @static
- * @memberOf async
- * @see async.map
- * @category Control Flow
- * @param {number} n - The number of times to run the function.
- * @param {Function} iteratee - The function to call `n` times. Invoked with the
- * iteration index and a callback (n, next).
- * @param {Function} callback - see {@link async.map}.
- * @example
- *
- * // Pretend this is some complicated async factory
- * var createUser = function(id, callback) {
- * callback(null, {
- * id: 'user' + id
- * });
- * };
- *
- * // generate 5 users
- * async.times(5, function(n, next) {
- * createUser(n, function(err, user) {
- * next(err, user);
- * });
- * }, function(err, users) {
- * // we should now have 5 users
- * });
- */
- var times = doLimit(timeLimit, Infinity);
-
- /**
- * The same as {@link async.times} but runs only a single async operation at a time.
- *
- * @name timesSeries
- * @static
- * @memberOf async
- * @see async.times
- * @category Control Flow
- * @param {number} n - The number of times to run the function.
- * @param {Function} iteratee - The function to call `n` times. Invoked with the
- * iteration index and a callback (n, next).
- * @param {Function} callback - see {@link async.map}.
- */
- var timesSeries = doLimit(timeLimit, 1);
-
- /**
- * A relative of `reduce`. Takes an Object or Array, and iterates over each
- * element in series, each step potentially mutating an `accumulator` value.
- * The type of the accumulator defaults to the type of collection passed in.
- *
- * @name transform
- * @static
- * @memberOf async
- * @category Collection
- * @param {Array|Object} coll - A collection to iterate over.
- * @param {*} [accumulator] - The initial state of the transform. If omitted,
- * it will default to an empty Object or Array, depending on the type of `coll`
- * @param {Function} iteratee - A function applied to each item in the
- * collection that potentially modifies the accumulator. The `iteratee` is
- * passed a `callback(err)` which accepts an optional error as its first
- * argument. If an error is passed to the callback, the transform is stopped
- * and the main `callback` is immediately called with the error.
- * Invoked with (accumulator, item, key, callback).
- * @param {Function} [callback] - A callback which is called after all the
- * `iteratee` functions have finished. Result is the transformed accumulator.
- * Invoked with (err, result).
- * @example
- *
- * async.transform([1,2,3], function(acc, item, index, callback) {
- * // pointless async:
- * process.nextTick(function() {
- * acc.push(item * 2)
- * callback(null)
- * });
- * }, function(err, result) {
- * // result is now equal to [2, 4, 6]
- * });
- *
- * @example
- *
- * async.transform({a: 1, b: 2, c: 3}, function (obj, val, key, callback) {
- * setImmediate(function () {
- * obj[key] = val * 2;
- * callback();
- * })
- * }, function (err, result) {
- * // result is equal to {a: 2, b: 4, c: 6}
- * })
- */
- function transform(arr, acc, iteratee, callback) {
- if (arguments.length === 3) {
- callback = iteratee;
- iteratee = acc;
- acc = isArray(arr) ? [] : {};
- }
-
- eachOf(arr, function (v, k, cb) {
- iteratee(acc, v, k, cb);
- }, function (err) {
- callback(err, acc);
- });
- }
-
- /**
- * Undoes a {@link async.memoize}d function, reverting it to the original,
- * unmemoized form. Handy for testing.
- *
- * @name unmemoize
- * @static
- * @memberOf async
- * @see async.memoize
- * @category Util
- * @param {Function} fn - the memoized function
- */
- function unmemoize(fn) {
- return function () {
- return (fn.unmemoized || fn).apply(null, arguments);
- };
- }
-
- /**
- * Repeatedly call `fn` until `test` returns `true`. Calls `callback` when
- * stopped, or an error occurs. `callback` will be passed an error and any
- * arguments passed to the final `fn`'s callback.
- *
- * The inverse of {@link async.whilst}.
- *
- * @name until
- * @static
- * @memberOf async
- * @see async.whilst
- * @category Control Flow
- * @param {Function} test - synchronous truth test to perform before each
- * execution of `fn`. Invoked with ().
- * @param {Function} fn - A function which is called each time `test` fails.
- * The function is passed a `callback(err)`, which must be called once it has
- * completed with an optional `err` argument. Invoked with (callback).
- * @param {Function} [callback] - A callback which is called after the test
- * function has passed and repeated execution of `fn` has stopped. `callback`
- * will be passed an error and any arguments passed to the final `fn`'s
- * callback. Invoked with (err, [results]);
- */
- function until(test, iteratee, cb) {
- return whilst(function () {
- return !test.apply(this, arguments);
- }, iteratee, cb);
- }
-
- /**
- * Runs the `tasks` array of functions in series, each passing their results to
- * the next in the array. However, if any of the `tasks` pass an error to their
- * own callback, the next function is not executed, and the main `callback` is
- * immediately called with the error.
- *
- * @name waterfall
- * @static
- * @memberOf async
- * @category Control Flow
- * @param {Array} tasks - An array of functions to run, each function is passed
- * a `callback(err, result1, result2, ...)` it must call on completion. The
- * first argument is an error (which can be `null`) and any further arguments
- * will be passed as arguments in order to the next task.
- * @param {Function} [callback] - An optional callback to run once all the
- * functions have completed. This will be passed the results of the last task's
- * callback. Invoked with (err, [results]).
- * @example
- *
- * async.waterfall([
- * function(callback) {
- * callback(null, 'one', 'two');
- * },
- * function(arg1, arg2, callback) {
- * // arg1 now equals 'one' and arg2 now equals 'two'
- * callback(null, 'three');
- * },
- * function(arg1, callback) {
- * // arg1 now equals 'three'
- * callback(null, 'done');
- * }
- * ], function (err, result) {
- * // result now equals 'done'
- * });
- *
- * // Or, with named functions:
- * async.waterfall([
- * myFirstFunction,
- * mySecondFunction,
- * myLastFunction,
- * ], function (err, result) {
- * // result now equals 'done'
- * });
- * function myFirstFunction(callback) {
- * callback(null, 'one', 'two');
- * }
- * function mySecondFunction(arg1, arg2, callback) {
- * // arg1 now equals 'one' and arg2 now equals 'two'
- * callback(null, 'three');
- * }
- * function myLastFunction(arg1, callback) {
- * // arg1 now equals 'three'
- * callback(null, 'done');
- * }
- */
- function waterfall (tasks, cb) {
- cb = once(cb || noop);
- if (!isArray(tasks)) return cb(new Error('First argument to waterfall must be an array of functions'));
- if (!tasks.length) return cb();
- var taskIndex = 0;
-
- function nextTask(args) {
- if (taskIndex === tasks.length) {
- return cb.apply(null, [null].concat(args));
- }
-
- var taskCallback = onlyOnce(rest(function (err, args) {
- if (err) {
- return cb.apply(null, [err].concat(args));
- }
- nextTask(args);
- }));
-
- args.push(taskCallback);
-
- var task = tasks[taskIndex++];
- task.apply(null, args);
- }
-
- nextTask([]);
- }
-
- var index = {
- applyEach: applyEach,
- applyEachSeries: applyEachSeries,
- apply: apply$1,
- asyncify: asyncify,
- auto: auto,
- autoInject: autoInject,
- cargo: cargo,
- compose: compose,
- concat: concat,
- concatSeries: concatSeries,
- constant: constant,
- detect: detect,
- detectLimit: detectLimit,
- detectSeries: detectSeries,
- dir: dir,
- doDuring: doDuring,
- doUntil: doUntil,
- doWhilst: doWhilst,
- during: during,
- each: each,
- eachLimit: eachLimit,
- eachOf: eachOf,
- eachOfLimit: eachOfLimit,
- eachOfSeries: eachOfSeries,
- eachSeries: eachSeries,
- ensureAsync: ensureAsync,
- every: every,
- everyLimit: everyLimit,
- everySeries: everySeries,
- filter: filter,
- filterLimit: filterLimit,
- filterSeries: filterSeries,
- forever: forever,
- iterator: iterator$1,
- log: log,
- map: map,
- mapLimit: mapLimit,
- mapSeries: mapSeries,
- mapValues: mapValues,
- mapValuesLimit: mapValuesLimit,
- mapValuesSeries: mapValuesSeries,
- memoize: memoize$1,
- nextTick: nextTick,
- parallel: parallel,
- parallelLimit: parallelLimit,
- priorityQueue: priorityQueue,
- queue: queue$1,
- race: race,
- reduce: reduce,
- reduceRight: reduceRight,
- reflect: reflect,
- reflectAll: reflectAll,
- reject: reject,
- rejectLimit: rejectLimit,
- rejectSeries: rejectSeries,
- retry: retry,
- retryable: retryable,
- seq: seq,
- series: series,
- setImmediate: setImmediate$1,
- some: some,
- someLimit: someLimit,
- someSeries: someSeries,
- sortBy: sortBy,
- timeout: timeout,
- times: times,
- timesLimit: timeLimit,
- timesSeries: timesSeries,
- transform: transform,
- unmemoize: unmemoize,
- until: until,
- waterfall: waterfall,
- whilst: whilst,
-
- // aliases
- all: every,
- any: some,
- forEach: each,
- forEachSeries: eachSeries,
- forEachLimit: eachLimit,
- forEachOf: eachOf,
- forEachOfSeries: eachOfSeries,
- forEachOfLimit: eachOfLimit,
- inject: reduce,
- foldl: reduce,
- foldr: reduceRight,
- select: filter,
- selectLimit: filterLimit,
- selectSeries: filterSeries,
- wrapSync: asyncify
- };
- exports['default'] = index;
- exports.applyEach = applyEach;
- exports.applyEachSeries = applyEachSeries;
- exports.apply = apply$1;
- exports.asyncify = asyncify;
- exports.auto = auto;
- exports.autoInject = autoInject;
- exports.cargo = cargo;
- exports.compose = compose;
- exports.concat = concat;
- exports.concatSeries = concatSeries;
- exports.constant = constant;
- exports.detect = detect;
- exports.detectLimit = detectLimit;
- exports.detectSeries = detectSeries;
- exports.dir = dir;
- exports.doDuring = doDuring;
- exports.doUntil = doUntil;
- exports.doWhilst = doWhilst;
- exports.during = during;
- exports.each = each;
- exports.eachLimit = eachLimit;
- exports.eachOf = eachOf;
- exports.eachOfLimit = eachOfLimit;
- exports.eachOfSeries = eachOfSeries;
- exports.eachSeries = eachSeries;
- exports.ensureAsync = ensureAsync;
- exports.every = every;
- exports.everyLimit = everyLimit;
- exports.everySeries = everySeries;
- exports.filter = filter;
- exports.filterLimit = filterLimit;
- exports.filterSeries = filterSeries;
- exports.forever = forever;
- exports.iterator = iterator$1;
- exports.log = log;
- exports.map = map;
- exports.mapLimit = mapLimit;
- exports.mapSeries = mapSeries;
- exports.mapValues = mapValues;
- exports.mapValuesLimit = mapValuesLimit;
- exports.mapValuesSeries = mapValuesSeries;
- exports.memoize = memoize$1;
- exports.nextTick = nextTick;
- exports.parallel = parallel;
- exports.parallelLimit = parallelLimit;
- exports.priorityQueue = priorityQueue;
- exports.queue = queue$1;
- exports.race = race;
- exports.reduce = reduce;
- exports.reduceRight = reduceRight;
- exports.reflect = reflect;
- exports.reflectAll = reflectAll;
- exports.reject = reject;
- exports.rejectLimit = rejectLimit;
- exports.rejectSeries = rejectSeries;
- exports.retry = retry;
- exports.retryable = retryable;
- exports.seq = seq;
- exports.series = series;
- exports.setImmediate = setImmediate$1;
- exports.some = some;
- exports.someLimit = someLimit;
- exports.someSeries = someSeries;
- exports.sortBy = sortBy;
- exports.timeout = timeout;
- exports.times = times;
- exports.timesLimit = timeLimit;
- exports.timesSeries = timesSeries;
- exports.transform = transform;
- exports.unmemoize = unmemoize;
- exports.until = until;
- exports.waterfall = waterfall;
- exports.whilst = whilst;
- exports.all = every;
- exports.allLimit = everyLimit;
- exports.allSeries = everySeries;
- exports.any = some;
- exports.anyLimit = someLimit;
- exports.anySeries = someSeries;
- exports.find = detect;
- exports.findLimit = detectLimit;
- exports.findSeries = detectSeries;
- exports.forEach = each;
- exports.forEachSeries = eachSeries;
- exports.forEachLimit = eachLimit;
- exports.forEachOf = eachOf;
- exports.forEachOfSeries = eachOfSeries;
- exports.forEachOfLimit = eachOfLimit;
- exports.inject = reduce;
- exports.foldl = reduce;
- exports.foldr = reduceRight;
- exports.select = filter;
- exports.selectLimit = filterLimit;
- exports.selectSeries = filterSeries;
- exports.wrapSync = asyncify;
+ nextTask([]);
+ }
+
+ var index = {
+ applyEach: applyEach,
+ applyEachSeries: applyEachSeries,
+ apply: apply$1,
+ asyncify: asyncify,
+ auto: auto,
+ autoInject: autoInject,
+ cargo: cargo,
+ compose: compose,
+ concat: concat,
+ concatSeries: concatSeries,
+ constant: constant,
+ detect: detect,
+ detectLimit: detectLimit,
+ detectSeries: detectSeries,
+ dir: dir,
+ doDuring: doDuring,
+ doUntil: doUntil,
+ doWhilst: doWhilst,
+ during: during,
+ each: each,
+ eachLimit: eachLimit,
+ eachOf: eachOf,
+ eachOfLimit: eachOfLimit,
+ eachOfSeries: eachOfSeries,
+ eachSeries: eachSeries,
+ ensureAsync: ensureAsync,
+ every: every,
+ everyLimit: everyLimit,
+ everySeries: everySeries,
+ filter: filter,
+ filterLimit: filterLimit,
+ filterSeries: filterSeries,
+ forever: forever,
+ iterator: iterator$1,
+ log: log,
+ map: map,
+ mapLimit: mapLimit,
+ mapSeries: mapSeries,
+ mapValues: mapValues,
+ mapValuesLimit: mapValuesLimit,
+ mapValuesSeries: mapValuesSeries,
+ memoize: memoize,
+ nextTick: nextTick,
+ parallel: parallel,
+ parallelLimit: parallelLimit,
+ priorityQueue: priorityQueue,
+ queue: queue$1,
+ race: race,
+ reduce: reduce,
+ reduceRight: reduceRight,
+ reflect: reflect,
+ reflectAll: reflectAll,
+ reject: reject,
+ rejectLimit: rejectLimit,
+ rejectSeries: rejectSeries,
+ retry: retry,
+ retryable: retryable,
+ seq: seq,
+ series: series,
+ setImmediate: setImmediate$1,
+ some: some,
+ someLimit: someLimit,
+ someSeries: someSeries,
+ sortBy: sortBy,
+ timeout: timeout,
+ times: times,
+ timesLimit: timeLimit,
+ timesSeries: timesSeries,
+ transform: transform,
+ unmemoize: unmemoize,
+ until: until,
+ waterfall: waterfall,
+ whilst: whilst,
+
+ // aliases
+ all: every,
+ any: some,
+ forEach: each,
+ forEachSeries: eachSeries,
+ forEachLimit: eachLimit,
+ forEachOf: eachOf,
+ forEachOfSeries: eachOfSeries,
+ forEachOfLimit: eachOfLimit,
+ inject: reduce,
+ foldl: reduce,
+ foldr: reduceRight,
+ select: filter,
+ selectLimit: filterLimit,
+ selectSeries: filterSeries,
+ wrapSync: asyncify
+ };
+
+ exports['default'] = index;
+ exports.applyEach = applyEach;
+ exports.applyEachSeries = applyEachSeries;
+ exports.apply = apply$1;
+ exports.asyncify = asyncify;
+ exports.auto = auto;
+ exports.autoInject = autoInject;
+ exports.cargo = cargo;
+ exports.compose = compose;
+ exports.concat = concat;
+ exports.concatSeries = concatSeries;
+ exports.constant = constant;
+ exports.detect = detect;
+ exports.detectLimit = detectLimit;
+ exports.detectSeries = detectSeries;
+ exports.dir = dir;
+ exports.doDuring = doDuring;
+ exports.doUntil = doUntil;
+ exports.doWhilst = doWhilst;
+ exports.during = during;
+ exports.each = each;
+ exports.eachLimit = eachLimit;
+ exports.eachOf = eachOf;
+ exports.eachOfLimit = eachOfLimit;
+ exports.eachOfSeries = eachOfSeries;
+ exports.eachSeries = eachSeries;
+ exports.ensureAsync = ensureAsync;
+ exports.every = every;
+ exports.everyLimit = everyLimit;
+ exports.everySeries = everySeries;
+ exports.filter = filter;
+ exports.filterLimit = filterLimit;
+ exports.filterSeries = filterSeries;
+ exports.forever = forever;
+ exports.iterator = iterator$1;
+ exports.log = log;
+ exports.map = map;
+ exports.mapLimit = mapLimit;
+ exports.mapSeries = mapSeries;
+ exports.mapValues = mapValues;
+ exports.mapValuesLimit = mapValuesLimit;
+ exports.mapValuesSeries = mapValuesSeries;
+ exports.memoize = memoize;
+ exports.nextTick = nextTick;
+ exports.parallel = parallel;
+ exports.parallelLimit = parallelLimit;
+ exports.priorityQueue = priorityQueue;
+ exports.queue = queue$1;
+ exports.race = race;
+ exports.reduce = reduce;
+ exports.reduceRight = reduceRight;
+ exports.reflect = reflect;
+ exports.reflectAll = reflectAll;
+ exports.reject = reject;
+ exports.rejectLimit = rejectLimit;
+ exports.rejectSeries = rejectSeries;
+ exports.retry = retry;
+ exports.retryable = retryable;
+ exports.seq = seq;
+ exports.series = series;
+ exports.setImmediate = setImmediate$1;
+ exports.some = some;
+ exports.someLimit = someLimit;
+ exports.someSeries = someSeries;
+ exports.sortBy = sortBy;
+ exports.timeout = timeout;
+ exports.times = times;
+ exports.timesLimit = timeLimit;
+ exports.timesSeries = timesSeries;
+ exports.transform = transform;
+ exports.unmemoize = unmemoize;
+ exports.until = until;
+ exports.waterfall = waterfall;
+ exports.whilst = whilst;
+ exports.all = every;
+ exports.allLimit = everyLimit;
+ exports.allSeries = everySeries;
+ exports.any = some;
+ exports.anyLimit = someLimit;
+ exports.anySeries = someSeries;
+ exports.find = detect;
+ exports.findLimit = detectLimit;
+ exports.findSeries = detectSeries;
+ exports.forEach = each;
+ exports.forEachSeries = eachSeries;
+ exports.forEachLimit = eachLimit;
+ exports.forEachOf = eachOf;
+ exports.forEachOfSeries = eachOfSeries;
+ exports.forEachOfLimit = eachOfLimit;
+ exports.inject = reduce;
+ exports.foldl = reduce;
+ exports.foldr = reduceRight;
+ exports.select = filter;
+ exports.selectLimit = filterLimit;
+ exports.selectSeries = filterSeries;
+ exports.wrapSync = asyncify;
})); \ No newline at end of file
diff --git a/dist/async.min.js b/dist/async.min.js
index f0e1200..f840eb0 100644
--- a/dist/async.min.js
+++ b/dist/async.min.js
@@ -1,2 +1,2 @@
-!function(t,n){"object"==typeof exports&&"undefined"!=typeof module?n(exports):"function"==typeof define&&define.amd?define(["exports"],n):n(t.async=t.async||{})}(this,function(t){"use strict";function n(t,n,r){var e=r.length;switch(e){case 0:return t.call(n);case 1:return t.call(n,r[0]);case 2:return t.call(n,r[0],r[1]);case 3:return t.call(n,r[0],r[1],r[2])}return t.apply(n,r)}function r(t){var n=typeof t;return!!t&&("object"==n||"function"==n)}function e(t){var n=r(t)?dr.call(t):"";return n==hr||n==vr}function u(t){return!!t&&"object"==typeof t}function o(t){return"symbol"==typeof t||u(t)&&br.call(t)==mr}function i(t){if("number"==typeof t)return t;if(o(t))return _r;if(r(t)){var n=e(t.valueOf)?t.valueOf():t;t=r(n)?n+"":n}if("string"!=typeof t)return 0===t?t:+t;t=t.replace(jr,"");var u=Sr.test(t);return u||Or.test(t)?kr(t.slice(2),u?2:8):wr.test(t)?_r:+t}function c(t){if(!t)return 0===t?t:0;if(t=i(t),t===Er||t===-Er){var n=0>t?-1:1;return n*Ar}return t===t?t:0}function a(t){var n=c(t),r=n%1;return n===n?r?n-r:n:0}function f(t,r){if("function"!=typeof t)throw new TypeError(Lr);return r=xr(void 0===r?t.length-1:a(r),0),function(){for(var e=arguments,u=-1,o=xr(e.length-r,0),i=Array(o);++u<o;)i[u]=e[r+u];switch(r){case 0:return t.call(this,i);case 1:return t.call(this,e[0],i);case 2:return t.call(this,e[0],e[1],i)}var c=Array(r+1);for(u=-1;++u<r;)c[u]=e[u];return c[r]=i,n(t,this,c)}}function l(t){return f(function(n){var r=n.pop();t.call(this,n,r)})}function s(t){return f(function(n,r){var e=l(function(r,e){var u=this;return t(n,function(t,n){t.apply(u,r.concat([n]))},e)});return r.length?e.apply(this,r):e})}function p(){}function h(t){return function(){if(null!==t){var n=t;t=null,n.apply(this,arguments)}}}function v(t){return function(n){return null==n?void 0:n[t]}}function y(t){return"number"==typeof t&&t>-1&&t%1==0&&Tr>=t}function d(t){return null!=t&&y(Ir(t))&&!e(t)}function m(t){return $r&&t[$r]&&t[$r]()}function g(t){return Fr(Object(t))}function b(t,n){return null!=t&&(zr.call(t,n)||"object"==typeof t&&n in t&&null===g(t))}function _(t){return Pr(Object(t))}function j(t,n){for(var r=-1,e=Array(t);++r<t;)e[r]=n(r);return e}function w(t){return u(t)&&d(t)}function S(t){return w(t)&&Br.call(t,"callee")&&(!Cr.call(t,"callee")||Ur.call(t)==Vr)}function O(t){return"string"==typeof t||!Rr(t)&&u(t)&&Nr.call(t)==qr}function k(t){var n=t?t.length:void 0;return y(n)&&(Rr(t)||O(t)||S(t))?j(n,String):null}function E(t,n){return n=null==n?Qr:n,!!n&&("number"==typeof t||Gr.test(t))&&t>-1&&t%1==0&&n>t}function A(t){var n=t&&t.constructor,r="function"==typeof n&&n.prototype||Hr;return t===r}function L(t){var n=A(t);if(!n&&!d(t))return _(t);var r=k(t),e=!!r,u=r||[],o=u.length;for(var i in t)!b(t,i)||e&&("length"==i||E(i,o))||n&&"constructor"==i||u.push(i);return u}function x(t){var n,r=-1;if(d(t))return n=t.length,function(){return r++,n>r?{value:t[r],key:r}:null};var e=m(t);if(e)return function(){var t=e.next();return t.done?null:(r++,{value:t.value,key:r})};var u=L(t);return n=u.length,function(){r++;var e=u[r];return n>r?{value:t[e],key:e}:null}}function I(t){return function(){if(null===t)throw new Error("Callback was already called.");var n=t;t=null,n.apply(this,arguments)}}function T(t){return function(n,r,e){e=h(e||p),n=n||[];var u=x(n);if(0>=t)return e(null);var o=!1,i=0,c=!1;!function a(){if(o&&0>=i)return e(null);for(;t>i&&!c;){var n=u();if(null===n)return o=!0,void(0>=i&&e(null));i+=1,r(n.value,n.key,I(function(t){i-=1,t?(e(t),c=!0):a()}))}}()}}function $(t){return function(n,r,e,u){return t(T(r),n,e,u)}}function F(t,n,r,e){e=h(e||p),n=n||[];var u=[],o=0;t(n,function(t,n,e){var i=o++;r(t,function(t,n){u[i]=n,e(t)})},function(t){e(t,u)})}function M(t,n){return function(r,e,u){return t(r,n,e,u)}}function z(t){return l(function(n,e){var u;try{u=t.apply(this,n)}catch(o){return e(o)}r(u)&&"function"==typeof u.then?u.then(function(t){e(null,t)})["catch"](function(t){e(t.message?t:new Error(t))}):e(null,u)})}function P(t,n){for(var r=-1,e=t?t.length:0;++r<e&&n(t[r],r,t)!==!1;);return t}function V(t){return function(n,r,e){for(var u=-1,o=Object(n),i=e(n),c=i.length;c--;){var a=i[t?c:++u];if(r(o[a],a,o)===!1)break}return n}}function D(t,n){return t&&ne(t,n,L)}function B(){this.__data__=[]}function U(t,n){return t===n||t!==t&&n!==n}function C(t,n){for(var r=t.length;r--;)if(U(t[r][0],n))return r;return-1}function R(t){var n=this.__data__,r=C(n,t);if(0>r)return!1;var e=n.length-1;return r==e?n.pop():ee.call(n,r,1),!0}function q(t){var n=this.__data__,r=C(n,t);return 0>r?void 0:n[r][1]}function W(t){return C(this.__data__,t)>-1}function N(t,n){var r=this.__data__,e=C(r,t);return 0>e?r.push([t,n]):r[e][1]=n,this}function Q(t){var n=-1,r=t?t.length:0;for(this.clear();++n<r;){var e=t[n];this.set(e[0],e[1])}}function G(){this.__data__=new Q}function H(t){return this.__data__["delete"](t)}function J(t){return this.__data__.get(t)}function K(t){return this.__data__.has(t)}function X(t){var n=!1;if(null!=t&&"function"!=typeof t.toString)try{n=!!(t+"")}catch(r){}return n}function Y(t){return t&&t.Object===Object?t:null}function Z(t){return!!fe&&fe in t}function tt(t){if(null!=t){try{return le.call(t)}catch(n){}try{return t+""}catch(n){}}return""}function nt(t){if(!r(t)||Z(t))return!1;var n=e(t)||X(t)?de:pe;return n.test(tt(t))}function rt(t,n){return null==t?void 0:t[n]}function et(t,n){var r=rt(t,n);return nt(r)?r:void 0}function ut(){this.__data__=me?me(null):{}}function ot(t){return this.has(t)&&delete this.__data__[t]}function it(t){var n=this.__data__;if(me){var r=n[t];return r===ge?void 0:r}return _e.call(n,t)?n[t]:void 0}function ct(t){var n=this.__data__;return me?void 0!==n[t]:we.call(n,t)}function at(t,n){var r=this.__data__;return r[t]=me&&void 0===n?Se:n,this}function ft(t){var n=-1,r=t?t.length:0;for(this.clear();++n<r;){var e=t[n];this.set(e[0],e[1])}}function lt(){this.__data__={hash:new ft,map:new(Oe||Q),string:new ft}}function st(t){var n=typeof t;return"string"==n||"number"==n||"symbol"==n||"boolean"==n?"__proto__"!==t:null===t}function pt(t,n){var r=t.__data__;return st(n)?r["string"==typeof n?"string":"hash"]:r.map}function ht(t){return pt(this,t)["delete"](t)}function vt(t){return pt(this,t).get(t)}function yt(t){return pt(this,t).has(t)}function dt(t,n){return pt(this,t).set(t,n),this}function mt(t){var n=-1,r=t?t.length:0;for(this.clear();++n<r;){var e=t[n];this.set(e[0],e[1])}}function gt(t,n){var r=this.__data__;return r instanceof Q&&r.__data__.length==ke&&(r=this.__data__=new mt(r.__data__)),r.set(t,n),this}function bt(t){this.__data__=new Q(t)}function _t(t){return this.__data__.set(t,Ee),this}function jt(t){return this.__data__.has(t)}function wt(t){var n=-1,r=t?t.length:0;for(this.__data__=new mt;++n<r;)this.add(t[n])}function St(t,n){for(var r=-1,e=t?t.length:0;++r<e;)if(n(t[r],r,t))return!0;return!1}function Ot(t,n,r,e,u,o){var i=u&Le,c=t.length,a=n.length;if(c!=a&&!(i&&a>c))return!1;var f=o.get(t);if(f)return f==n;var l=-1,s=!0,p=u&Ae?new wt:void 0;for(o.set(t,n);++l<c;){var h=t[l],v=n[l];if(e)var y=i?e(v,h,l,n,t,o):e(h,v,l,t,n,o);if(void 0!==y){if(y)continue;s=!1;break}if(p){if(!St(n,function(t,n){return p.has(n)||h!==t&&!r(h,t,e,u,o)?void 0:p.add(n)})){s=!1;break}}else if(h!==v&&!r(h,v,e,u,o)){s=!1;break}}return o["delete"](t),s}function kt(t){var n=-1,r=Array(t.size);return t.forEach(function(t,e){r[++n]=[e,t]}),r}function Et(t){var n=-1,r=Array(t.size);return t.forEach(function(t){r[++n]=t}),r}function At(t,n,r,e,u,o,i){switch(r){case qe:if(t.byteLength!=n.byteLength||t.byteOffset!=n.byteOffset)return!1;t=t.buffer,n=n.buffer;case Re:return t.byteLength==n.byteLength&&e(new Ie(t),new Ie(n))?!0:!1;case Fe:case Me:return+t==+n;case ze:return t.name==n.name&&t.message==n.message;case Ve:return t!=+t?n!=+n:t==+n;case De:case Ue:return t==n+"";case Pe:var c=kt;case Be:var a=o&$e;if(c||(c=Et),t.size!=n.size&&!a)return!1;var f=i.get(t);return f?f==n:(o|=Te,i.set(t,n),Ot(c(t),c(n),e,u,o,i));case Ce:if(Ne)return Ne.call(t)==Ne.call(n)}return!1}function Lt(t,n,r,e,u,o){var i=u&Qe,c=L(t),a=c.length,f=L(n),l=f.length;if(a!=l&&!i)return!1;for(var s=a;s--;){var p=c[s];if(!(i?p in n:b(n,p)))return!1}var h=o.get(t);if(h)return h==n;var v=!0;o.set(t,n);for(var y=i;++s<a;){p=c[s];var d=t[p],m=n[p];if(e)var g=i?e(m,d,p,n,t,o):e(d,m,p,t,n,o);if(!(void 0===g?d===m||r(d,m,e,u,o):g)){v=!1;break}y||(y="constructor"==p)}if(v&&!y){var _=t.constructor,j=n.constructor;_!=j&&"constructor"in t&&"constructor"in n&&!("function"==typeof _&&_ instanceof _&&"function"==typeof j&&j instanceof j)&&(v=!1)}return o["delete"](t),v}function xt(t){return uu.call(t)}function It(t){return u(t)&&y(t.length)&&!!zu[Vu.call(t)]}function Tt(t,n,r,e,u,o){var i=Rr(t),c=Rr(n),a=Uu,f=Uu;i||(a=lu(t),a=a==Bu?Cu:a),c||(f=lu(n),f=f==Bu?Cu:f);var l=a==Cu&&!X(t),s=f==Cu&&!X(n),p=a==f;if(p&&!l)return o||(o=new bt),i||It(t)?Ot(t,n,r,e,u,o):At(t,n,a,r,e,u,o);if(!(u&Du)){var h=l&&qu.call(t,"__wrapped__"),v=s&&qu.call(n,"__wrapped__");if(h||v){var y=h?t.value():t,d=v?n.value():n;return o||(o=new bt),r(y,d,e,u,o)}}return p?(o||(o=new bt),Lt(t,n,r,e,u,o)):!1}function $t(t,n,e,o,i){return t===n?!0:null==t||null==n||!r(t)&&!u(n)?t!==t&&n!==n:Tt(t,n,$t,e,o,i)}function Ft(t,n,r,e){var u=r.length,o=u,i=!e;if(null==t)return!o;for(t=Object(t);u--;){var c=r[u];if(i&&c[2]?c[1]!==t[c[0]]:!(c[0]in t))return!1}for(;++u<o;){c=r[u];var a=c[0],f=t[a],l=c[1];if(i&&c[2]){if(void 0===f&&!(a in t))return!1}else{var s=new bt;if(e)var p=e(f,l,a,t,n,s);if(!(void 0===p?$t(l,f,e,Wu|Nu,s):p))return!1}}return!0}function Mt(t){return t===t&&!r(t)}function zt(t){for(var n=L(t),r=n.length;r--;){var e=n[r],u=t[e];n[r]=[e,u,Mt(u)]}return n}function Pt(t,n){return function(r){return null==r?!1:r[t]===n&&(void 0!==n||t in Object(r))}}function Vt(t){var n=zt(t);return 1==n.length&&n[0][2]?Pt(n[0][0],n[0][1]):function(r){return r===t||Ft(r,t,n)}}function Dt(t,n){if("function"!=typeof t||n&&"function"!=typeof n)throw new TypeError(Qu);var r=function(){var e=arguments,u=n?n.apply(this,e):e[0],o=r.cache;if(o.has(u))return o.get(u);var i=t.apply(this,e);return r.cache=o.set(u,i),i};return r.cache=new(Dt.Cache||mt),r}function Bt(t){if("string"==typeof t)return t;if(o(t))return Ku?Ku.call(t):"";var n=t+"";return"0"==n&&1/t==-Hu?"-0":n}function Ut(t){return null==t?"":Bt(t)}function Ct(t){return Rr(t)?t:Zu(t)}function Rt(t,n){if(Rr(t))return!1;var r=typeof t;return"number"==r||"symbol"==r||"boolean"==r||null==t||o(t)?!0:no.test(t)||!to.test(t)||null!=n&&t in Object(n)}function qt(t){if("string"==typeof t||o(t))return t;var n=t+"";return"0"==n&&1/t==-ro?"-0":n}function Wt(t,n){n=Rt(n,t)?[n]:Ct(n);for(var r=0,e=n.length;null!=t&&e>r;)t=t[qt(n[r++])];return r&&r==e?t:void 0}function Nt(t,n,r){var e=null==t?void 0:Wt(t,n);return void 0===e?r:e}function Qt(t,n){return null!=t&&n in Object(t)}function Gt(t,n,r){n=Rt(n,t)?[n]:Ct(n);for(var e,u=-1,o=n.length;++u<o;){var i=qt(n[u]);if(!(e=null!=t&&r(t,i)))break;t=t[i]}if(e)return e;var o=t?t.length:0;return!!o&&y(o)&&E(i,o)&&(Rr(t)||O(t)||S(t))}function Ht(t,n){return null!=t&&Gt(t,n,Qt)}function Jt(t,n){return Rt(t)&&Mt(n)?Pt(qt(t),n):function(r){var e=Nt(r,t);return void 0===e&&e===n?Ht(r,t):$t(n,e,void 0,eo|uo)}}function Kt(t){return t}function Xt(t){return function(n){return Wt(n,t)}}function Yt(t){return Rt(t)?v(qt(t)):Xt(t)}function Zt(t){return"function"==typeof t?t:null==t?Kt:"object"==typeof t?Rr(t)?Jt(t[0],t[1]):Vt(t):Yt(t)}function tn(t,n){return t&&D(t,Zt(n,3))}function nn(t,n,r){for(var e=t.length,u=n+(r?1:-1);r?u--:++u<e;){var o=t[u];if(o!==o)return u}return-1}function rn(t,n,r){if(n!==n)return nn(t,r);for(var e=r-1,u=t.length;++e<u;)if(t[e]===n)return e;return-1}function en(t,n,r){function e(t,n){b.push(function(){c(t,n)})}function u(){if(0===b.length&&0===d)return r(null,y);for(;b.length&&n>d;){var t=b.shift();t()}}function o(t,n){var r=g[t];r||(r=g[t]=[]),r.push(n)}function i(t){var n=g[t]||[];P(n,function(t){t()}),u()}function c(t,n){if(!m){var e=I(f(function(n,e){if(d--,e.length<=1&&(e=e[0]),n){var u={};tn(y,function(t,n){u[n]=t}),u[t]=e,m=!0,g=[],r(n,u)}else y[t]=e,i(t)}));d++;var u=n[n.length-1];n.length>1?u(y,e):u(e)}}function a(){for(var t,n=0;_.length;)t=_.pop(),n++,P(l(t),function(t){--j[t]||_.push(t)});if(n!==v)throw new Error("async.auto cannot execute tasks due to a recursive dependency")}function l(n){var r=[];return tn(t,function(t,e){Rr(t)&&rn(t,n,0)>=0&&r.push(e)}),r}"function"==typeof n&&(r=n,n=null),r=h(r||p);var s=L(t),v=s.length;if(!v)return r(null);n||(n=v);var y={},d=0,m=!1,g={},b=[],_=[],j={};tn(t,function(n,r){if(!Rr(n))return e(r,[n]),void _.push(r);var u=n.slice(0,n.length-1),i=u.length;return 0===i?(e(r,n),void _.push(r)):(j[r]=i,void P(u,function(c){if(!t[c])throw new Error("async.auto task `"+r+"` has a non-existent dependency in "+u.join(", "));o(c,function(){i--,0===i&&e(r,n)})}))}),a(),u()}function un(t,n){for(var r=-1,e=t?t.length:0,u=Array(e);++r<e;)u[r]=n(t[r],r,t);return u}function on(t,n){var r=-1,e=t.length;for(n||(n=Array(e));++r<e;)n[r]=t[r];return n}function cn(t,n,r){var e=-1,u=t.length;0>n&&(n=-n>u?0:u+n),r=r>u?u:r,0>r&&(r+=u),u=n>r?0:r-n>>>0,n>>>=0;for(var o=Array(u);++e<u;)o[e]=t[e+n];return o}function an(t,n,r){var e=t.length;return r=void 0===r?e:r,!n&&r>=e?t:cn(t,n,r)}function fn(t,n){for(var r=t.length;r--&&rn(n,t[r],0)>-1;);return r}function ln(t,n){for(var r=-1,e=t.length;++r<e&&rn(n,t[r],0)>-1;);return r}function sn(t){return t.match(So)}function pn(t,n,r){if(t=Ut(t),t&&(r||void 0===n))return t.replace(Oo,"");if(!t||!(n=Bt(n)))return t;var e=sn(t),u=sn(n),o=ln(e,u),i=fn(e,u)+1;return an(e,o,i).join("")}function hn(t){return pn(t.toString().match(ko)[2]).split(/\s*\,\s*/)}function vn(t,n){var r={};tn(t,function(t,n){function e(n,r){var e=un(u,function(t){return n[t]});e.push(r),t.apply(null,e)}var u;if(Rr(t))u=on(t),t=u.pop(),r[n]=u.concat(u.length>0?e:t);else{if(0===t.length)throw new Error("autoInject task functions require explicit parameters.");1===t.length?r[n]=t:(u=hn(t),u.pop(),r[n]=u.concat(e))}}),en(r,n)}function yn(t){setTimeout(t,0)}function dn(t){return f(function(n,r){t(function(){n.apply(null,r)})})}function mn(t,n,r){function e(t,n,r,e){if(null!=e&&"function"!=typeof e)throw new Error("task callback must be a function");return t.started=!0,Rr(n)||(n=[n]),0===n.length&&t.idle()?xo(function(){t.drain()}):(P(n,function(n){var u={data:n,callback:e||p};r?t.tasks.unshift(u):t.tasks.push(u)}),void xo(t.process))}function u(t,n){return function(){o-=1;var r=!1,e=arguments;P(n,function(n){P(i,function(t,e){t!==n||r||(i.splice(e,1),r=!0)}),n.callback.apply(n,e),null!=e[0]&&t.error(e[0],n.data)}),o<=t.concurrency-t.buffer&&t.unsaturated(),t.tasks.length+o===0&&t.drain(),t.process()}}if(null==n)n=1;else if(0===n)throw new Error("Concurrency must not be zero");var o=0,i=[],c={tasks:[],concurrency:n,payload:r,saturated:p,unsaturated:p,buffer:n/4,empty:p,drain:p,error:p,started:!1,paused:!1,push:function(t,n){e(c,t,!1,n)},kill:function(){c.drain=p,c.tasks=[]},unshift:function(t,n){e(c,t,!0,n)},process:function(){for(;!c.paused&&o<c.concurrency&&c.tasks.length;){var n=c.payload?c.tasks.splice(0,c.payload):c.tasks.splice(0,c.tasks.length),r=un(n,v("data"));0===c.tasks.length&&c.empty(),o+=1,i.push(n[0]),o===c.concurrency&&c.saturated();var e=I(u(c,n));t(r,e)}},length:function(){return c.tasks.length},running:function(){return o},workersList:function(){return i},idle:function(){return c.tasks.length+o===0},pause:function(){c.paused=!0},resume:function(){if(c.paused!==!1){c.paused=!1;for(var t=Math.min(c.concurrency,c.tasks.length),n=1;t>=n;n++)xo(c.process)}}};return c}function gn(t,n){return mn(t,1,n)}function bn(t,n,r,e){T(n)(t,r,e)}function _n(t,n,r,e){Io(t,function(t,e,u){r(n,t,function(t,r){n=r,u(t)})},function(t){e(t,n)})}function jn(){var t=arguments;return f(function(n){var r=this,e=n[n.length-1];"function"==typeof e?n.pop():e=p,_n(t,n,function(t,n,e){n.apply(r,t.concat([f(function(t,n){e(t,n)})]))},function(t,n){e.apply(r,[t].concat(n))})})}function wn(){return jn.apply(null,To.call(arguments))}function Sn(t,n,r,e){var u=[];t(n,function(t,n,e){r(t,function(t,n){u=u.concat(n||[]),e(t)})},function(t){e(t,u)})}function On(t){return function(n,r,e){return t($o,n,r,e)}}function kn(t){return function(n,r,e){return t(Io,n,r,e)}}function En(t,n,r){return function(e,u,o,i){function c(t){i&&(t?i(t):i(null,r(!1)))}function a(t,e,u){return i?void o(t,function(e,c){i&&(e?(i(e),i=o=!1):n(c)&&(i(null,r(!0,t)),i=o=!1)),u()}):u()}arguments.length>3?(i=i||p,t(e,u,a,c)):(i=o,i=i||p,o=u,t(e,a,c))}}function An(t,n){return n}function Ln(t){return f(function(n,r){n.apply(null,r.concat([f(function(n,r){"object"==typeof console&&(n?console.error&&console.error(n):console[t]&&P(r,function(n){console[t](n)}))})]))})}function xn(t,n,r){r=r||p;var e=f(function(n,e){n?r(n):(e.push(u),t.apply(this,e))}),u=function(t,u){return t?r(t):u?void n(e):r(null)};t(u)}function In(t,n,r){var e=0;xn(function(t){return e++<1?t(null,!0):void n.apply(this,arguments)},t,r)}function Tn(t,n,r){if(r=r||p,!t())return r(null);var e=f(function(u,o){return u?r(u):t.apply(this,o)?n(e):void r.apply(null,[null].concat(o))});n(e)}function $n(t,n,r){var e=0;return Tn(function(){return++e<=1||n.apply(this,arguments)},t,r)}function Fn(t,n,r){return $n(t,function(){return!n.apply(this,arguments)},r)}function Mn(t){return function(n,r,e){return t(n,e)}}function zn(t,n,r,e){return T(n)(t,Mn(r),e)}function Pn(t){return l(function(n,r){var e=!0;n.push(function(){var t=arguments;e?xo(function(){r.apply(null,t)}):r.apply(null,t)}),t.apply(this,n),e=!1})}function Vn(t){return!t}function Dn(t,n,r,e){var u=[];t(n,function(t,n,e){r(t,function(r,o){r?e(r):(o&&u.push({index:n,value:t}),e())})},function(t){t?e(t):e(null,un(u.sort(function(t,n){return t.index-n.index}),v("value")))})}function Bn(t,n){function r(t){return t?e(t):void u(r)}var e=I(n||p),u=Pn(t);r()}function Un(t){function n(r){function e(){return t.length&&t[r].apply(null,arguments),e.next()}return e.next=function(){return r<t.length-1?n(r+1):null},e}return n(0)}function Cn(t,n,r,e){var u={};bn(t,n,function(t,n,e){r(t,n,function(t,r){return t?e(t):(u[n]=r,void e())})},function(t){e(t,u)})}function Rn(t,n){return n in t}function qn(t,n){var r=Object.create(null),e=Object.create(null);n=n||Kt;var u=l(function(u,o){var i=n.apply(null,u);Rn(r,i)?xo(function(){o.apply(null,r[i])}):Rn(e,i)?e[i].push(o):(e[i]=[o],t.apply(null,u.concat([f(function(t){r[i]=t;var n=e[i];delete e[i];for(var u=0,o=n.length;o>u;u++)n[u].apply(null,t)})])))});return u.memo=r,u.unmemoized=t,u}function Wn(t,n,r){r=r||p;var e=d(n)?[]:{};t(n,function(t,n,r){t(f(function(t,u){u.length<=1&&(u=u[0]),e[n]=u,r(t)}))},function(t){r(t,e)})}function Nn(t,n,r){return Wn(T(n),t,r)}function Qn(t,n){return mn(function(n,r){t(n[0],r)},n,1)}function Gn(t,n){function r(t,n){return t.priority-n.priority}function e(t,n,r){for(var e=-1,u=t.length-1;u>e;){var o=e+(u-e+1>>>1);r(n,t[o])>=0?e=o:u=o-1}return e}function u(t,n,u,o){if(null!=o&&"function"!=typeof o)throw new Error("task callback must be a function");return t.started=!0,Rr(n)||(n=[n]),0===n.length?xo(function(){t.drain()}):void P(n,function(n){var i={data:n,priority:u,callback:"function"==typeof o?o:p};t.tasks.splice(e(t.tasks,i,r)+1,0,i),xo(t.process)})}var o=Qn(t,n);return o.push=function(t,n,r){u(o,t,n,r)},delete o.unshift,o}function Hn(t,n){return function(r,e){if(null==r)return r;if(!d(r))return t(r,e);for(var u=r.length,o=n?u:-1,i=Object(r);(n?o--:++o<u)&&e(i[o],o,i)!==!1;);return r}}function Jn(t,n){var r=Rr(t)?P:Zo;return r(t,Zt(n,3))}function Kn(t,n){return n=h(n||p),Rr(t)?t.length?void Jn(t,function(t){t(n)}):n():n(new TypeError("First argument to race must be an array of functions"))}function Xn(t,n,r,e){var u=ti.call(t).reverse();_n(u,n,r,e)}function Yn(t){return l(function(n,r){return n.push(f(function(t,n){if(t)r(null,{error:t});else{var e=null;1===n.length?e=n[0]:n.length>1&&(e=n),r(null,{value:e})}})),t.apply(this,n)})}function Zn(t,n,r,e){Dn(t,n,function(t,n){r(t,function(t,r){t?n(t):n(null,!r)})},e)}function tr(t){return t.map(Yn)}function nr(t,n){return Wn(Io,t,n)}function rr(t){return function(){return t}}function er(t,n,r){function e(t,n){if("object"==typeof n)t.times=+n.times||i,t.intervalFunc="function"==typeof n.interval?n.interval:rr(+n.interval||c);else{if("number"!=typeof n&&"string"!=typeof n)throw new Error("Invalid arguments for async.retry");t.times=+n||i}}function u(t){return function(r){n(function(n,e){r(!n||t,{err:n,result:e})})}}function o(t){return function(n){setTimeout(function(){n(null)},t)}}var i=5,c=0,a={times:i,intervalFunc:rr(c)};if(arguments.length<3&&"function"==typeof t?(r=n||p,n=t):(e(a,t),r=r||p),"function"!=typeof n)throw new Error("Invalid arguments for async.retry");for(var f=[],l=1;l<a.times+1;l++){var s=l==a.times;f.push(u(s));var h=a.intervalFunc(l);!s&&h>0&&f.push(o(h))}nr(f,function(t,n){n=n[n.length-1],r(n.err,n.result)})}function ur(t,n){return n||(n=t,t=null),l(function(r,e){function u(t){n.apply(null,r.concat([t]))}t?er(t,u,e):er(u,e)})}function or(t,n,r){function e(t,n){var r=t.criteria,e=n.criteria;return e>r?-1:r>e?1:0}Kr(t,function(t,r){n(t,function(n,e){return n?r(n):void r(null,{value:t,criteria:e})})},function(t,n){return t?r(t):void r(null,un(n.sort(e),v("value")))})}function ir(t,n,r){function e(){c||(o.apply(null,arguments),clearTimeout(i))}function u(){var n=t.name||"anonymous",e=new Error('Callback function "'+n+'" timed out.');e.code="ETIMEDOUT",r&&(e.info=r),c=!0,o(e)}var o,i,c=!1;return l(function(r,c){o=c,i=setTimeout(u,n),t.apply(null,r.concat(e))})}function cr(t,n,r,e){for(var u=-1,o=ai(ci((n-t)/(r||1)),0),i=Array(o);o--;)i[e?o:++u]=t,t+=r;return i}function ar(t,n,r,e){return Jr(cr(0,t,1),n,r,e)}function fr(t,n,r,e){3===arguments.length&&(e=r,r=n,n=Rr(t)?[]:{}),$o(t,function(t,e,u){r(n,t,e,u)},function(t){e(t,n)})}function lr(t){return function(){return(t.unmemoized||t).apply(null,arguments)}}function sr(t,n,r){return Tn(function(){return!t.apply(this,arguments)},n,r)}function pr(t,n){function r(u){if(e===t.length)return n.apply(null,[null].concat(u));var o=I(f(function(t,e){return t?n.apply(null,[t].concat(e)):void r(e)}));u.push(o);var i=t[e++];i.apply(null,u)}if(n=h(n||p),!Rr(t))return n(new Error("First argument to waterfall must be an array of functions"));if(!t.length)return n();var e=0;r([])}var hr="[object Function]",vr="[object GeneratorFunction]",yr=Object.prototype,dr=yr.toString,mr="[object Symbol]",gr=Object.prototype,br=gr.toString,_r=NaN,jr=/^\s+|\s+$/g,wr=/^[-+]0x[0-9a-f]+$/i,Sr=/^0b[01]+$/i,Or=/^0o[0-7]+$/i,kr=parseInt,Er=1/0,Ar=1.7976931348623157e308,Lr="Expected a function",xr=Math.max,Ir=v("length"),Tr=9007199254740991,$r="function"==typeof Symbol&&Symbol.iterator,Fr=Object.getPrototypeOf,Mr=Object.prototype,zr=Mr.hasOwnProperty,Pr=Object.keys,Vr="[object Arguments]",Dr=Object.prototype,Br=Dr.hasOwnProperty,Ur=Dr.toString,Cr=Dr.propertyIsEnumerable,Rr=Array.isArray,qr="[object String]",Wr=Object.prototype,Nr=Wr.toString,Qr=9007199254740991,Gr=/^(?:0|[1-9]\d*)$/,Hr=Object.prototype,Jr=$(F),Kr=M(Jr,1/0),Xr=s(Kr),Yr=M(Jr,1),Zr=s(Yr),te=f(function(t,n){return f(function(r){return t.apply(null,n.concat(r))})}),ne=V(),re=Array.prototype,ee=re.splice;Q.prototype.clear=B,Q.prototype["delete"]=R,Q.prototype.get=q,Q.prototype.has=W,Q.prototype.set=N;var ue=Y("object"==typeof global&&global),oe=Y("object"==typeof self&&self),ie=Y("object"==typeof this&&this),ce=ue||oe||ie||Function("return this")(),ae=ce["__core-js_shared__"],fe=function(){var t=/[^.]+$/.exec(ae&&ae.keys&&ae.keys.IE_PROTO||"");return t?"Symbol(src)_1."+t:""}(),le=Function.prototype.toString,se=/[\\^$.*+?()[\]{}|]/g,pe=/^\[object .+?Constructor\]$/,he=Object.prototype,ve=Function.prototype.toString,ye=he.hasOwnProperty,de=RegExp("^"+ve.call(ye).replace(se,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),me=et(Object,"create"),ge="__lodash_hash_undefined__",be=Object.prototype,_e=be.hasOwnProperty,je=Object.prototype,we=je.hasOwnProperty,Se="__lodash_hash_undefined__";ft.prototype.clear=ut,ft.prototype["delete"]=ot,ft.prototype.get=it,ft.prototype.has=ct,ft.prototype.set=at;var Oe=et(ce,"Map");mt.prototype.clear=lt,mt.prototype["delete"]=ht,mt.prototype.get=vt,mt.prototype.has=yt,mt.prototype.set=dt;var ke=200;bt.prototype.clear=G,bt.prototype["delete"]=H,bt.prototype.get=J,bt.prototype.has=K,bt.prototype.set=gt;var Ee="__lodash_hash_undefined__";wt.prototype.add=wt.prototype.push=_t,wt.prototype.has=jt;var Ae=1,Le=2,xe=ce.Symbol,Ie=ce.Uint8Array,Te=1,$e=2,Fe="[object Boolean]",Me="[object Date]",ze="[object Error]",Pe="[object Map]",Ve="[object Number]",De="[object RegExp]",Be="[object Set]",Ue="[object String]",Ce="[object Symbol]",Re="[object ArrayBuffer]",qe="[object DataView]",We=xe?xe.prototype:void 0,Ne=We?We.valueOf:void 0,Qe=2,Ge=et(ce,"DataView"),He=et(ce,"Promise"),Je=et(ce,"Set"),Ke=et(ce,"WeakMap"),Xe="[object Map]",Ye="[object Object]",Ze="[object Promise]",tu="[object Set]",nu="[object WeakMap]",ru="[object DataView]",eu=Object.prototype,uu=eu.toString,ou=tt(Ge),iu=tt(Oe),cu=tt(He),au=tt(Je),fu=tt(Ke);(Ge&&xt(new Ge(new ArrayBuffer(1)))!=ru||Oe&&xt(new Oe)!=Xe||He&&xt(He.resolve())!=Ze||Je&&xt(new Je)!=tu||Ke&&xt(new Ke)!=nu)&&(xt=function(t){var n=uu.call(t),r=n==Ye?t.constructor:void 0,e=r?tt(r):void 0;if(e)switch(e){case ou:return ru;case iu:return Xe;case cu:return Ze;case au:return tu;case fu:return nu}return n});var lu=xt,su="[object Arguments]",pu="[object Array]",hu="[object Boolean]",vu="[object Date]",yu="[object Error]",du="[object Function]",mu="[object Map]",gu="[object Number]",bu="[object Object]",_u="[object RegExp]",ju="[object Set]",wu="[object String]",Su="[object WeakMap]",Ou="[object ArrayBuffer]",ku="[object DataView]",Eu="[object Float32Array]",Au="[object Float64Array]",Lu="[object Int8Array]",xu="[object Int16Array]",Iu="[object Int32Array]",Tu="[object Uint8Array]",$u="[object Uint8ClampedArray]",Fu="[object Uint16Array]",Mu="[object Uint32Array]",zu={};zu[Eu]=zu[Au]=zu[Lu]=zu[xu]=zu[Iu]=zu[Tu]=zu[$u]=zu[Fu]=zu[Mu]=!0,zu[su]=zu[pu]=zu[Ou]=zu[hu]=zu[ku]=zu[vu]=zu[yu]=zu[du]=zu[mu]=zu[gu]=zu[bu]=zu[_u]=zu[ju]=zu[wu]=zu[Su]=!1;var Pu=Object.prototype,Vu=Pu.toString,Du=2,Bu="[object Arguments]",Uu="[object Array]",Cu="[object Object]",Ru=Object.prototype,qu=Ru.hasOwnProperty,Wu=1,Nu=2,Qu="Expected a function";Dt.Cache=mt;var Gu,Hu=1/0,Ju=xe?xe.prototype:void 0,Ku=Ju?Ju.toString:void 0,Xu=/[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(\.|\[\])(?:\4|$))/g,Yu=/\\(\\)?/g,Zu=Dt(function(t){var n=[];return Ut(t).replace(Xu,function(t,r,e,u){n.push(e?u.replace(Yu,"$1"):r||t)}),n}),to=/\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/,no=/^\w*$/,ro=1/0,eo=1,uo=2,oo="\\ud800-\\udfff",io="\\u0300-\\u036f\\ufe20-\\ufe23",co="\\u20d0-\\u20f0",ao="\\ufe0e\\ufe0f",fo="["+oo+"]",lo="["+io+co+"]",so="\\ud83c[\\udffb-\\udfff]",po="(?:"+lo+"|"+so+")",ho="[^"+oo+"]",vo="(?:\\ud83c[\\udde6-\\uddff]){2}",yo="[\\ud800-\\udbff][\\udc00-\\udfff]",mo="\\u200d",go=po+"?",bo="["+ao+"]?",_o="(?:"+mo+"(?:"+[ho,vo,yo].join("|")+")"+bo+go+")*",jo=bo+go+_o,wo="(?:"+[ho+lo+"?",lo,vo,yo,fo].join("|")+")",So=RegExp(so+"(?="+so+")|"+wo+jo,"g"),Oo=/^\s+|\s+$/g,ko=/^(function[^\(]*)?\(?\s*([^\)=]*)/m,Eo="function"==typeof setImmediate&&setImmediate,Ao="object"==typeof process&&"function"==typeof process.nextTick;Gu=Eo?setImmediate:Ao?process.nextTick:yn;var Lo,xo=dn(Gu),Io=M(bn,1),To=Array.prototype.reverse,$o=M(bn,1/0),Fo=On(Sn),Mo=kn(Sn),zo=f(function(t){var n=[null].concat(t);return l(function(t,r){return r.apply(this,n)})}),Po=En($o,Kt,An),Vo=En(bn,Kt,An),Do=En(Io,Kt,An),Bo=Ln("dir"),Uo=M(zn,1/0),Co=M(zn,1),Ro=En(bn,Vn,Vn),qo=M(Ro,1/0),Wo=M(Ro,1),No=$(Dn),Qo=M(No,1/0),Go=M(No,1),Ho=Ln("log"),Jo=M(Cn,1/0),Ko=M(Cn,1);Lo=Ao?process.nextTick:Eo?setImmediate:yn;var Xo=dn(Lo),Yo=M(Nn,1/0),Zo=Hn(D),ti=Array.prototype.slice,ni=$(Zn),ri=M(ni,1/0),ei=M(ni,1),ui=En(bn,Boolean,Kt),oi=M(ui,1/0),ii=M(ui,1),ci=Math.ceil,ai=Math.max,fi=M(ar,1/0),li=M(ar,1),si={applyEach:Xr,applyEachSeries:Zr,apply:te,asyncify:z,auto:en,autoInject:vn,cargo:gn,compose:wn,concat:Fo,concatSeries:Mo,constant:zo,detect:Po,detectLimit:Vo,detectSeries:Do,dir:Bo,doDuring:In,doUntil:Fn,doWhilst:$n,during:xn,each:Uo,eachLimit:zn,eachOf:$o,eachOfLimit:bn,eachOfSeries:Io,eachSeries:Co,ensureAsync:Pn,every:qo,everyLimit:Ro,everySeries:Wo,filter:Qo,filterLimit:No,filterSeries:Go,forever:Bn,iterator:Un,log:Ho,map:Kr,mapLimit:Jr,mapSeries:Yr,mapValues:Jo,mapValuesLimit:Cn,mapValuesSeries:Ko,memoize:qn,nextTick:Xo,parallel:Yo,parallelLimit:Nn,priorityQueue:Gn,queue:Qn,race:Kn,reduce:_n,reduceRight:Xn,reflect:Yn,reflectAll:tr,reject:ri,rejectLimit:ni,rejectSeries:ei,retry:er,retryable:ur,seq:jn,series:nr,setImmediate:xo,some:oi,someLimit:ui,someSeries:ii,sortBy:or,timeout:ir,times:fi,timesLimit:ar,timesSeries:li,transform:fr,unmemoize:lr,until:sr,waterfall:pr,whilst:Tn,all:qo,any:oi,forEach:Uo,forEachSeries:Co,forEachLimit:zn,forEachOf:$o,forEachOfSeries:Io,forEachOfLimit:bn,inject:_n,foldl:_n,foldr:Xn,select:Qo,selectLimit:No,selectSeries:Go,wrapSync:z};t["default"]=si,t.applyEach=Xr,t.applyEachSeries=Zr,t.apply=te,t.asyncify=z,t.auto=en,t.autoInject=vn,t.cargo=gn,t.compose=wn,t.concat=Fo,t.concatSeries=Mo,t.constant=zo,t.detect=Po,t.detectLimit=Vo,t.detectSeries=Do,t.dir=Bo,t.doDuring=In,t.doUntil=Fn,t.doWhilst=$n,t.during=xn,t.each=Uo,t.eachLimit=zn,t.eachOf=$o,t.eachOfLimit=bn,t.eachOfSeries=Io,t.eachSeries=Co,t.ensureAsync=Pn,t.every=qo,t.everyLimit=Ro,t.everySeries=Wo,t.filter=Qo,t.filterLimit=No,t.filterSeries=Go,t.forever=Bn,t.iterator=Un,t.log=Ho,t.map=Kr,t.mapLimit=Jr,t.mapSeries=Yr,t.mapValues=Jo,t.mapValuesLimit=Cn,t.mapValuesSeries=Ko,t.memoize=qn,t.nextTick=Xo,t.parallel=Yo,t.parallelLimit=Nn,t.priorityQueue=Gn,t.queue=Qn,t.race=Kn,t.reduce=_n,t.reduceRight=Xn,t.reflect=Yn,t.reflectAll=tr,t.reject=ri,t.rejectLimit=ni,t.rejectSeries=ei,t.retry=er,t.retryable=ur,t.seq=jn,t.series=nr,t.setImmediate=xo,t.some=oi,t.someLimit=ui,t.someSeries=ii,t.sortBy=or,t.timeout=ir,t.times=fi,t.timesLimit=ar,t.timesSeries=li,t.transform=fr,t.unmemoize=lr,t.until=sr,t.waterfall=pr,t.whilst=Tn,t.all=qo,t.allLimit=Ro,t.allSeries=Wo,t.any=oi,t.anyLimit=ui,t.anySeries=ii,t.find=Po,t.findLimit=Vo,t.findSeries=Do,t.forEach=Uo,t.forEachSeries=Co,t.forEachLimit=zn,t.forEachOf=$o,t.forEachOfSeries=Io,t.forEachOfLimit=bn,t.inject=_n,t.foldl=_n,t.foldr=Xn,t.select=Qo,t.selectLimit=No,t.selectSeries=Go,t.wrapSync=z});
+!function(n,t){"object"==typeof exports&&"undefined"!=typeof module?t(exports):"function"==typeof define&&define.amd?define(["exports"],t):t(n.async=n.async||{})}(this,function(n){"use strict";function t(n,t,e){var r=e.length;switch(r){case 0:return n.call(t);case 1:return n.call(t,e[0]);case 2:return n.call(t,e[0],e[1]);case 3:return n.call(t,e[0],e[1],e[2])}return n.apply(t,e)}function e(n){var t=typeof n;return!!n&&("object"==t||"function"==t)}function r(n){var t=e(n)?ut.call(n):"";return t==tt||t==et}function u(n){return!!n&&"object"==typeof n}function i(n){return"symbol"==typeof n||u(n)&&ct.call(n)==it}function o(n){if("number"==typeof n)return n;if(i(n))return at;if(e(n)){var t=r(n.valueOf)?n.valueOf():n;n=e(t)?t+"":t}if("string"!=typeof n)return 0===n?n:+n;n=n.replace(ft,"");var u=st.test(n);return u||pt.test(n)?ht(n.slice(2),u?2:8):lt.test(n)?at:+n}function c(n){if(!n)return 0===n?n:0;if(n=o(n),n===yt||n===-yt){var t=0>n?-1:1;return t*vt}return n===n?n:0}function a(n){var t=c(n),e=t%1;return t===t?e?t-e:t:0}function f(n,e){if("function"!=typeof n)throw new TypeError(mt);return e=dt(void 0===e?n.length-1:a(e),0),function(){for(var r=arguments,u=-1,i=dt(r.length-e,0),o=Array(i);++u<i;)o[u]=r[e+u];switch(e){case 0:return n.call(this,o);case 1:return n.call(this,r[0],o);case 2:return n.call(this,r[0],r[1],o)}var c=Array(e+1);for(u=-1;++u<e;)c[u]=r[u];return c[e]=o,t(n,this,c)}}function l(n){return f(function(t){var e=t.pop();n.call(this,t,e)})}function s(n){return f(function(t,e){var r=l(function(e,r){var u=this;return n(t,function(n,t){n.apply(u,e.concat([t]))},r)});return e.length?r.apply(this,e):r})}function p(){}function h(n){return function(){if(null!==n){var t=n;n=null,t.apply(this,arguments)}}}function y(n){return function(t){return null==t?void 0:t[n]}}function v(n){return"number"==typeof n&&n>-1&&n%1==0&&bt>=n}function m(n){return null!=n&&v(gt(n))&&!r(n)}function d(n){return St&&n[St]&&n[St]()}function g(n){return jt(Object(n))}function b(n,t){return null!=n&&(wt.call(n,t)||"object"==typeof n&&t in n&&null===g(n))}function S(n){return xt(Object(n))}function j(n,t){for(var e=-1,r=Array(n);++e<n;)r[e]=t(e);return r}function k(n){return u(n)&&m(n)}function w(n){return k(n)&&Ot.call(n,"callee")&&(!_t.call(n,"callee")||At.call(n)==Et)}function x(n){return"string"==typeof n||!It(n)&&u(n)&&$t.call(n)==Tt}function E(n){var t=n?n.length:void 0;return v(t)&&(It(n)||x(n)||w(n))?j(t,String):null}function L(n,t){return t=null==t?zt:t,!!t&&("number"==typeof n||Bt.test(n))&&n>-1&&n%1==0&&t>n}function O(n){var t=n&&n.constructor,e="function"==typeof t&&t.prototype||Mt;return n===e}function A(n){var t=O(n);if(!t&&!m(n))return S(n);var e=E(n),r=!!e,u=e||[],i=u.length;for(var o in n)!b(n,o)||r&&("length"==o||L(o,i))||t&&"constructor"==o||u.push(o);return u}function _(n){var t,e=-1;if(m(n))return t=n.length,function(){return e++,t>e?{value:n[e],key:e}:null};var r=d(n);if(r)return function(){var n=r.next();return n.done?null:(e++,{value:n.value,key:e})};var u=A(n);return t=u.length,function(){e++;var r=u[e];return t>e?{value:n[r],key:r}:null}}function I(n){return function(){if(null===n)throw new Error("Callback was already called.");var t=n;n=null,t.apply(this,arguments)}}function T(n){return function(t,e,r){r=h(r||p),t=t||[];var u=_(t);if(0>=n)return r(null);var i=!1,o=0,c=!1;!function a(){if(i&&0>=o)return r(null);for(;n>o&&!c;){var t=u();if(null===t)return i=!0,void(0>=o&&r(null));o+=1,e(t.value,t.key,I(function(n){o-=1,n?(r(n),c=!0):a()}))}}()}}function F(n){return function(t,e,r,u){return n(T(e),t,r,u)}}function $(n,t,e,r){r=h(r||p),t=t||[];var u=[],i=0;n(t,function(n,t,r){var o=i++;e(n,function(n,t){u[o]=t,r(n)})},function(n){r(n,u)})}function z(n,t){return function(e,r,u){return n(e,t,r,u)}}function B(n){return l(function(t,r){var u;try{u=n.apply(this,t)}catch(i){return r(i)}e(u)&&"function"==typeof u.then?u.then(function(n){r(null,n)},function(n){r(n.message?n:new Error(n))}):r(null,u)})}function M(n,t){for(var e=-1,r=n?n.length:0;++e<r&&t(n[e],e,n)!==!1;);return n}function V(n){return function(t,e,r){for(var u=-1,i=Object(t),o=r(t),c=o.length;c--;){var a=o[n?c:++u];if(e(i[a],a,i)===!1)break}return t}}function q(n,t){return n&&Ut(n,t,A)}function C(n,t,e){for(var r=n.length,u=t+(e?1:-1);e?u--:++u<r;){var i=n[u];if(i!==i)return u}return-1}function D(n,t,e){if(t!==t)return C(n,e);for(var r=e-1,u=n.length;++r<u;)if(n[r]===t)return r;return-1}function P(n,t,e){function r(n,t){b.push(function(){c(n,t)})}function u(){if(0===b.length&&0===m)return e(null,v);for(;b.length&&t>m;){var n=b.shift();n()}}function i(n,t){var e=g[n];e||(e=g[n]=[]),e.push(t)}function o(n){var t=g[n]||[];M(t,function(n){n()}),u()}function c(n,t){if(!d){var r=I(f(function(t,r){if(m--,r.length<=1&&(r=r[0]),t){var u={};q(v,function(n,t){u[t]=n}),u[n]=r,d=!0,g=[],e(t,u)}else v[n]=r,o(n)}));m++;var u=t[t.length-1];t.length>1?u(v,r):u(r)}}function a(){for(var n,t=0;S.length;)n=S.pop(),t++,M(l(n),function(n){--j[n]||S.push(n)});if(t!==y)throw new Error("async.auto cannot execute tasks due to a recursive dependency")}function l(t){var e=[];return q(n,function(n,r){It(n)&&D(n,t,0)>=0&&e.push(r)}),e}"function"==typeof t&&(e=t,t=null),e=h(e||p);var s=A(n),y=s.length;if(!y)return e(null);t||(t=y);var v={},m=0,d=!1,g={},b=[],S=[],j={};q(n,function(t,e){if(!It(t))return r(e,[t]),void S.push(e);var u=t.slice(0,t.length-1),o=u.length;return 0===o?(r(e,t),void S.push(e)):(j[e]=o,void M(u,function(c){if(!n[c])throw new Error("async.auto task `"+e+"` has a non-existent dependency in "+u.join(", "));i(c,function(){o--,0===o&&r(e,t)})}))}),a(),u()}function R(n,t){for(var e=-1,r=n?n.length:0,u=Array(r);++e<r;)u[e]=t(n[e],e,n);return u}function U(n,t){var e=-1,r=n.length;for(t||(t=Array(r));++e<r;)t[e]=n[e];return t}function N(n){return n&&n.Object===Object?n:null}function Q(n){if("string"==typeof n)return n;if(i(n))return Xt?Xt.call(n):"";var t=n+"";return"0"==t&&1/n==-Jt?"-0":t}function W(n,t,e){var r=-1,u=n.length;0>t&&(t=-t>u?0:u+t),e=e>u?u:e,0>e&&(e+=u),u=t>e?0:e-t>>>0,t>>>=0;for(var i=Array(u);++r<u;)i[r]=n[r+t];return i}function G(n,t,e){var r=n.length;return e=void 0===e?r:e,!t&&e>=r?n:W(n,t,e)}function H(n,t){for(var e=n.length;e--&&D(t,n[e],0)>-1;);return e}function J(n,t){for(var e=-1,r=n.length;++e<r&&D(t,n[e],0)>-1;);return e}function K(n){return n.match(ve)}function X(n){return null==n?"":Q(n)}function Y(n,t,e){if(n=X(n),n&&(e||void 0===t))return n.replace(me,"");if(!n||!(t=Q(t)))return n;var r=K(n),u=K(t),i=J(r,u),o=H(r,u)+1;return G(r,i,o).join("")}function Z(n){return n=n.toString().replace(Se,""),n=n.match(de)[2].replace(" ",""),n=n?n.split(ge):[],n=n.map(function(n){return Y(n.replace(be,""))})}function nn(n,t){var e={};q(n,function(n,t){function r(t,e){var r=R(u,function(n){return t[n]});r.push(e),n.apply(null,r)}var u;if(It(n))u=U(n),n=u.pop(),e[t]=u.concat(u.length>0?r:n);else if(1===n.length)e[t]=n;else{if(u=Z(n),0===n.length&&0===u.length)throw new Error("autoInject task functions require explicit parameters.");u.pop(),e[t]=u.concat(r)}}),P(e,t)}function tn(n){setTimeout(n,0)}function en(n){return f(function(t,e){n(function(){t.apply(null,e)})})}function rn(){this.head=this.tail=null,this.length=0}function un(n,t){n.length=1,n.head=n.tail=t}function on(n,t,e){function r(n,t,e){if(null!=e&&"function"!=typeof e)throw new Error("task callback must be a function");return c.started=!0,It(n)||(n=[n]),0===n.length&&c.idle()?we(function(){c.drain()}):(M(n,function(n){var r={data:n,callback:e||p};t?c._tasks.unshift(r):c._tasks.push(r)}),void we(c.process))}function u(n){return function(){i-=1;var t=!1,e=arguments;M(n,function(n){M(o,function(e,r){e!==n||t||(o.splice(r,1),t=!0)}),n.callback.apply(n,e),null!=e[0]&&c.error(e[0],n.data)}),i<=c.concurrency-c.buffer&&c.unsaturated(),c._tasks.length+i===0&&c.drain(),c.process()}}if(null==t)t=1;else if(0===t)throw new Error("Concurrency must not be zero");var i=0,o=[],c={_tasks:new rn,concurrency:t,payload:e,saturated:p,unsaturated:p,buffer:t/4,empty:p,drain:p,error:p,started:!1,paused:!1,push:function(n,t){r(n,!1,t)},kill:function(){c.drain=p,c._tasks.empty()},unshift:function(n,t){r(n,!0,t)},process:function(){for(;!c.paused&&i<c.concurrency&&c._tasks.length;){var t=[],e=[],r=c._tasks.length;c.payload&&(r=Math.min(r,c.payload));for(var a=0;r>a;a++){var f=c._tasks.shift();t.push(f),e.push(f.data)}0===c._tasks.length&&c.empty(),i+=1,o.push(t[0]),i===c.concurrency&&c.saturated();var l=I(u(t));n(e,l)}},length:function(){return c._tasks.length},running:function(){return i},workersList:function(){return o},idle:function(){return c._tasks.length+i===0},pause:function(){c.paused=!0},resume:function(){if(c.paused!==!1){c.paused=!1;for(var n=Math.min(c.concurrency,c._tasks.length),t=1;n>=t;t++)we(c.process)}}};return c}function cn(n,t){return on(n,1,t)}function an(n,t,e,r){T(t)(n,e,r)}function fn(n,t,e,r){Ee(n,function(n,r,u){e(t,n,function(n,e){t=e,u(n)})},function(n){r(n,t)})}function ln(){return Le.apply(null,Oe.call(arguments))}function sn(n,t,e,r){var u=[];n(t,function(n,t,r){e(n,function(n,t){u=u.concat(t||[]),r(n)})},function(n){r(n,u)})}function pn(n){return function(t,e,r){return n(Ae,t,e,r)}}function hn(n){return function(t,e,r){return n(Ee,t,e,r)}}function yn(n){return n}function vn(n,t,e){return function(r,u,i,o){function c(n){o&&(n?o(n):o(null,e(!1)))}function a(n,r,u){return o?void i(n,function(r,c){o&&(r?(o(r),o=i=!1):t(c)&&(o(null,e(!0,n)),o=i=!1)),u()}):u()}arguments.length>3?(o=o||p,n(r,u,a,c)):(o=i,o=o||p,i=u,n(r,a,c))}}function mn(n,t){return t}function dn(n){return f(function(t,e){t.apply(null,e.concat([f(function(t,e){"object"==typeof console&&(t?console.error&&console.error(t):console[n]&&M(e,function(t){console[n](t)}))})]))})}function gn(n,t,e){e=e||p;var r=f(function(t,r){t?e(t):(r.push(u),n.apply(this,r))}),u=function(n,u){return n?e(n):u?void t(r):e(null)};n(u)}function bn(n,t,e){var r=0;gn(function(n){return r++<1?n(null,!0):void t.apply(this,arguments)},n,e)}function Sn(n,t,e){if(e=e||p,!n())return e(null);var r=f(function(u,i){return u?e(u):n.apply(this,i)?t(r):void e.apply(null,[null].concat(i))});t(r)}function jn(n,t,e){var r=0;Sn(function(){return++r<=1||t.apply(this,arguments)},n,e)}function kn(n,t,e){jn(n,function(){return!t.apply(this,arguments)},e)}function wn(n){return function(t,e,r){return n(t,r)}}function xn(n,t,e,r){T(t)(n,wn(e),r)}function En(n){return l(function(t,e){var r=!0;t.push(function(){var n=arguments;r?we(function(){e.apply(null,n)}):e.apply(null,n)}),n.apply(this,t),r=!1})}function Ln(n){return!n}function On(n,t,e,r){var u=[];n(t,function(n,t,r){e(n,function(e,i){e?r(e):(i&&u.push({index:t,value:n}),r())})},function(n){n?r(n):r(null,R(u.sort(function(n,t){return n.index-t.index}),y("value")))})}function An(n,t){function e(n){return n?r(n):void u(e)}var r=I(t||p),u=En(n);e()}function _n(n){function t(e){function r(){return n.length&&n[e].apply(null,arguments),r.next()}return r.next=function(){return e<n.length-1?t(e+1):null},r}return t(0)}function In(n,t,e,r){var u={};an(n,t,function(n,t,r){e(n,t,function(n,e){return n?r(n):(u[t]=e,void r())})},function(n){r(n,u)})}function Tn(n,t){return t in n}function Fn(n,t){var e=Object.create(null),r=Object.create(null);t=t||yn;var u=l(function(u,i){var o=t.apply(null,u);Tn(e,o)?we(function(){i.apply(null,e[o])}):Tn(r,o)?r[o].push(i):(r[o]=[i],n.apply(null,u.concat([f(function(n){e[o]=n;var t=r[o];delete r[o];for(var u=0,i=t.length;i>u;u++)t[u].apply(null,n)})])))});return u.memo=e,u.unmemoized=n,u}function $n(n,t,e){e=e||p;var r=m(t)?[]:{};n(t,function(n,t,e){n(f(function(n,u){u.length<=1&&(u=u[0]),r[t]=u,e(n)}))},function(n){e(n,r)})}function zn(n,t,e){$n(T(t),n,e)}function Bn(n,t){return on(function(t,e){n(t[0],e)},t,1)}function Mn(n,t){var e=Bn(n,t);return e.push=function(n,t,r){if(null==r&&(r=p),"function"!=typeof r)throw new Error("task callback must be a function");if(e.started=!0,It(n)||(n=[n]),0===n.length)return we(function(){e.drain()});for(var u=e._tasks.head;u&&t>=u.priority;)u=u.next;M(n,function(n){var i={data:n,priority:t,callback:r};u?e._tasks.insertBefore(u,i):e._tasks.push(i)}),we(e.process)},delete e.unshift,e}function Vn(n,t){return t=h(t||p),It(n)?n.length?void M(n,function(n){n(t)}):t():t(new TypeError("First argument to race must be an array of functions"))}function qn(n,t,e,r){var u=Je.call(n).reverse();fn(u,t,e,r)}function Cn(n){return l(function(t,e){return t.push(f(function(n,t){if(n)e(null,{error:n});else{var r=null;1===t.length?r=t[0]:t.length>1&&(r=t),e(null,{value:r})}})),n.apply(this,t)})}function Dn(n,t,e,r){On(n,t,function(n,t){e(n,function(n,e){n?t(n):t(null,!e)})},r)}function Pn(n){var t;return It(n)?t=R(n,Cn):(t={},q(n,function(n,e){t[e]=Cn.call(this,n)})),t}function Rn(n,t){$n(Ee,n,t)}function Un(n){return function(){return n}}function Nn(n,t,e){function r(n,t){if("object"==typeof t)n.times=+t.times||o,n.intervalFunc="function"==typeof t.interval?t.interval:Un(+t.interval||c);else{if("number"!=typeof t&&"string"!=typeof t)throw new Error("Invalid arguments for async.retry");n.times=+t||o}}function u(n){return function(e){t(function(t,r){e(!t||n,{err:t,result:r})})}}function i(n){return function(t){setTimeout(function(){t(null)},n)}}var o=5,c=0,a={times:o,intervalFunc:Un(c)};if(arguments.length<3&&"function"==typeof n?(e=t||p,t=n):(r(a,n),e=e||p),"function"!=typeof t)throw new Error("Invalid arguments for async.retry");for(var f=[],l=1;l<a.times+1;l++){var s=l==a.times;f.push(u(s));var h=a.intervalFunc(l);!s&&h>0&&f.push(i(h))}Rn(f,function(n,t){t=t[t.length-1],e(t.err,t.result)})}function Qn(n,t){return t||(t=n,n=null),l(function(e,r){function u(n){t.apply(null,e.concat([n]))}n?Nn(n,u,r):Nn(u,r)})}function Wn(n,t,e){function r(n,t){var e=n.criteria,r=t.criteria;return r>e?-1:e>r?1:0}qt(n,function(n,e){t(n,function(t,r){return t?e(t):void e(null,{value:n,criteria:r})})},function(n,t){return n?e(n):void e(null,R(t.sort(r),y("value")))})}function Gn(n,t,e){function r(){c||(i.apply(null,arguments),clearTimeout(o))}function u(){var t=n.name||"anonymous",r=new Error('Callback function "'+t+'" timed out.');r.code="ETIMEDOUT",e&&(r.info=e),c=!0,i(r)}var i,o,c=!1;return l(function(e,c){i=c,o=setTimeout(u,t),n.apply(null,e.concat(r))})}function Hn(n,t,e,r){for(var u=-1,i=rr(er((t-n)/(e||1)),0),o=Array(i);i--;)o[r?i:++u]=n,n+=e;return o}function Jn(n,t,e,r){Vt(Hn(0,n,1),t,e,r)}function Kn(n,t,e,r){3===arguments.length&&(r=e,e=t,t=It(n)?[]:{}),Ae(n,function(n,r,u){e(t,n,r,u)},function(n){r(n,t)})}function Xn(n){return function(){return(n.unmemoized||n).apply(null,arguments)}}function Yn(n,t,e){Sn(function(){return!n.apply(this,arguments)},t,e)}function Zn(n,t){function e(u){if(r===n.length)return t.apply(null,[null].concat(u));var i=I(f(function(n,r){return n?t.apply(null,[n].concat(r)):void e(r)}));u.push(i);var o=n[r++];o.apply(null,u)}if(t=h(t||p),!It(n))return t(new Error("First argument to waterfall must be an array of functions"));if(!n.length)return t();var r=0;e([])}var nt,tt="[object Function]",et="[object GeneratorFunction]",rt=Object.prototype,ut=rt.toString,it="[object Symbol]",ot=Object.prototype,ct=ot.toString,at=NaN,ft=/^\s+|\s+$/g,lt=/^[-+]0x[0-9a-f]+$/i,st=/^0b[01]+$/i,pt=/^0o[0-7]+$/i,ht=parseInt,yt=1/0,vt=1.7976931348623157e308,mt="Expected a function",dt=Math.max,gt=y("length"),bt=9007199254740991,St="function"==typeof Symbol&&Symbol.iterator,jt=Object.getPrototypeOf,kt=Object.prototype,wt=kt.hasOwnProperty,xt=Object.keys,Et="[object Arguments]",Lt=Object.prototype,Ot=Lt.hasOwnProperty,At=Lt.toString,_t=Lt.propertyIsEnumerable,It=Array.isArray,Tt="[object String]",Ft=Object.prototype,$t=Ft.toString,zt=9007199254740991,Bt=/^(?:0|[1-9]\d*)$/,Mt=Object.prototype,Vt=F($),qt=z(Vt,1/0),Ct=s(qt),Dt=z(Vt,1),Pt=s(Dt),Rt=f(function(n,t){return f(function(e){return n.apply(null,t.concat(e))})}),Ut=V(),Nt=N("object"==typeof global&&global),Qt=N("object"==typeof self&&self),Wt=N("object"==typeof this&&this),Gt=Nt||Qt||Wt||Function("return this")(),Ht=Gt.Symbol,Jt=1/0,Kt=Ht?Ht.prototype:void 0,Xt=Kt?Kt.toString:void 0,Yt="\\ud800-\\udfff",Zt="\\u0300-\\u036f\\ufe20-\\ufe23",ne="\\u20d0-\\u20f0",te="\\ufe0e\\ufe0f",ee="["+Yt+"]",re="["+Zt+ne+"]",ue="\\ud83c[\\udffb-\\udfff]",ie="(?:"+re+"|"+ue+")",oe="[^"+Yt+"]",ce="(?:\\ud83c[\\udde6-\\uddff]){2}",ae="[\\ud800-\\udbff][\\udc00-\\udfff]",fe="\\u200d",le=ie+"?",se="["+te+"]?",pe="(?:"+fe+"(?:"+[oe,ce,ae].join("|")+")"+se+le+")*",he=se+le+pe,ye="(?:"+[oe+re+"?",re,ce,ae,ee].join("|")+")",ve=RegExp(ue+"(?="+ue+")|"+ye+he,"g"),me=/^\s+|\s+$/g,de=/^(function)?\s*[^\(]*\(\s*([^\)]*)\)/m,ge=/,/,be=/(=.+)?(\s*)$/,Se=/((\/\/.*$)|(\/\*[\s\S]*?\*\/))/gm,je="function"==typeof setImmediate&&setImmediate,ke="object"==typeof process&&"function"==typeof process.nextTick;nt=je?setImmediate:ke?process.nextTick:tn;var we=en(nt);rn.prototype.removeLink=function(n){return n.prev?n.prev.next=n.next:this.head=n.next,n.next?n.next.prev=n.prev:this.tail=n.prev,n.prev=n.next=null,this.length-=1,n},rn.prototype.empty=rn,rn.prototype.insertAfter=function(n,t){t.prev=n,t.next=n.next,n.next?n.next.prev=t:this.tail=t,n.next=t,this.length+=1},rn.prototype.insertBefore=function(n,t){t.prev=n.prev,t.next=n,n.prev?n.prev.next=t:this.head=t,n.prev=t,this.length+=1},rn.prototype.unshift=function(n){this.head?this.insertBefore(this.head,n):un(this,n)},rn.prototype.push=function(n){this.tail?this.insertAfter(this.tail,n):un(this,n)},rn.prototype.shift=function(){return this.head&&this.removeLink(this.head)},rn.prototype.pop=function(){return this.tail&&this.removeLink(this.tail)};var xe,Ee=z(an,1),Le=f(function(n){return f(function(t){var e=this,r=t[t.length-1];"function"==typeof r?t.pop():r=p,fn(n,t,function(n,t,r){t.apply(e,n.concat([f(function(n,t){r(n,t)})]))},function(n,t){r.apply(e,[n].concat(t))})})}),Oe=Array.prototype.reverse,Ae=z(an,1/0),_e=pn(sn),Ie=hn(sn),Te=f(function(n){var t=[null].concat(n);return l(function(n,e){return e.apply(this,t)})}),Fe=vn(Ae,yn,mn),$e=vn(an,yn,mn),ze=vn(Ee,yn,mn),Be=dn("dir"),Me=z(xn,1/0),Ve=z(xn,1),qe=vn(an,Ln,Ln),Ce=z(qe,1/0),De=z(qe,1),Pe=F(On),Re=z(Pe,1/0),Ue=z(Pe,1),Ne=dn("log"),Qe=z(In,1/0),We=z(In,1);xe=ke?process.nextTick:je?setImmediate:tn;var Ge=en(xe),He=z(zn,1/0),Je=Array.prototype.slice,Ke=F(Dn),Xe=z(Ke,1/0),Ye=z(Ke,1),Ze=vn(an,Boolean,yn),nr=z(Ze,1/0),tr=z(Ze,1),er=Math.ceil,rr=Math.max,ur=z(Jn,1/0),ir=z(Jn,1),or={applyEach:Ct,applyEachSeries:Pt,apply:Rt,asyncify:B,auto:P,autoInject:nn,cargo:cn,compose:ln,concat:_e,concatSeries:Ie,constant:Te,detect:Fe,detectLimit:$e,detectSeries:ze,dir:Be,doDuring:bn,doUntil:kn,doWhilst:jn,during:gn,each:Me,eachLimit:xn,eachOf:Ae,eachOfLimit:an,eachOfSeries:Ee,eachSeries:Ve,ensureAsync:En,every:Ce,everyLimit:qe,everySeries:De,filter:Re,filterLimit:Pe,filterSeries:Ue,forever:An,iterator:_n,log:Ne,map:qt,mapLimit:Vt,mapSeries:Dt,mapValues:Qe,mapValuesLimit:In,mapValuesSeries:We,memoize:Fn,nextTick:Ge,parallel:He,parallelLimit:zn,priorityQueue:Mn,queue:Bn,race:Vn,reduce:fn,reduceRight:qn,reflect:Cn,reflectAll:Pn,reject:Xe,rejectLimit:Ke,rejectSeries:Ye,retry:Nn,retryable:Qn,seq:Le,series:Rn,setImmediate:we,some:nr,someLimit:Ze,someSeries:tr,sortBy:Wn,timeout:Gn,times:ur,timesLimit:Jn,timesSeries:ir,transform:Kn,unmemoize:Xn,until:Yn,waterfall:Zn,whilst:Sn,all:Ce,any:nr,forEach:Me,forEachSeries:Ve,forEachLimit:xn,forEachOf:Ae,forEachOfSeries:Ee,forEachOfLimit:an,inject:fn,foldl:fn,foldr:qn,select:Re,selectLimit:Pe,selectSeries:Ue,wrapSync:B};n["default"]=or,n.applyEach=Ct,n.applyEachSeries=Pt,n.apply=Rt,n.asyncify=B,n.auto=P,n.autoInject=nn,n.cargo=cn,n.compose=ln,n.concat=_e,n.concatSeries=Ie,n.constant=Te,n.detect=Fe,n.detectLimit=$e,n.detectSeries=ze,n.dir=Be,n.doDuring=bn,n.doUntil=kn,n.doWhilst=jn,n.during=gn,n.each=Me,n.eachLimit=xn,n.eachOf=Ae,n.eachOfLimit=an,n.eachOfSeries=Ee,n.eachSeries=Ve,n.ensureAsync=En,n.every=Ce,n.everyLimit=qe,n.everySeries=De,n.filter=Re,n.filterLimit=Pe,n.filterSeries=Ue,n.forever=An,n.iterator=_n,n.log=Ne,n.map=qt,n.mapLimit=Vt,n.mapSeries=Dt,n.mapValues=Qe,n.mapValuesLimit=In,n.mapValuesSeries=We,n.memoize=Fn,n.nextTick=Ge,n.parallel=He,n.parallelLimit=zn,n.priorityQueue=Mn,n.queue=Bn,n.race=Vn,n.reduce=fn,n.reduceRight=qn,n.reflect=Cn,n.reflectAll=Pn,n.reject=Xe,n.rejectLimit=Ke,n.rejectSeries=Ye,n.retry=Nn,n.retryable=Qn,n.seq=Le,n.series=Rn,n.setImmediate=we,n.some=nr,n.someLimit=Ze,n.someSeries=tr,n.sortBy=Wn,n.timeout=Gn,n.times=ur,n.timesLimit=Jn,n.timesSeries=ir,n.transform=Kn,n.unmemoize=Xn,n.until=Yn,n.waterfall=Zn,n.whilst=Sn,n.all=Ce,n.allLimit=qe,n.allSeries=De,n.any=nr,n.anyLimit=Ze,n.anySeries=tr,n.find=Fe,n.findLimit=$e,n.findSeries=ze,n.forEach=Me,n.forEachSeries=Ve,n.forEachLimit=xn,n.forEachOf=Ae,n.forEachOfSeries=Ee,n.forEachOfLimit=an,n.inject=fn,n.foldl=fn,n.foldr=qn,n.select=Re,n.selectLimit=Pe,n.selectSeries=Ue,n.wrapSync=B});
//# sourceMappingURL=async.min.map \ No newline at end of file
diff --git a/dist/async.min.map b/dist/async.min.map
index cb0f716..0e9d594 100644
--- a/dist/async.min.map
+++ b/dist/async.min.map
@@ -1 +1 @@
-{"version":3,"file":"build/dist/async.min.js","sources":["build/dist/async.js"],"names":["global","factory","exports","module","define","amd","async","this","apply","func","thisArg","args","length","call","isObject","value","type","isFunction","tag","objectToString","funcTag","genTag","isObjectLike","isSymbol","objectToString$1","symbolTag","toNumber","NAN","other","valueOf","replace","reTrim","isBinary","reIsBinary","test","reIsOctal","freeParseInt","slice","reIsBadHex","toFinite","INFINITY","sign","MAX_INTEGER","toInteger","result","remainder","rest","start","TypeError","FUNC_ERROR_TEXT","nativeMax","undefined","arguments","index","array","Array","otherArgs","initialParams","fn","callback","pop","applyEach$1","eachfn","fns","go","that","cb","concat","noop","once","callFn","baseProperty","key","object","isLength","MAX_SAFE_INTEGER","isArrayLike","getLength","getIterator","coll","iteratorSymbol","getPrototype","nativeGetPrototype","Object","baseHas","hasOwnProperty","baseKeys","nativeKeys","baseTimes","n","iteratee","isArrayLikeObject","isArguments","hasOwnProperty$1","propertyIsEnumerable","objectToString$2","argsTag","isString","isArray","objectToString$3","stringTag","indexKeys","String","isIndex","MAX_SAFE_INTEGER$1","reIsUint","isPrototype","Ctor","constructor","proto","prototype","objectProto$5","keys","isProto","indexes","skipIndexes","push","iterator","len","i","iterate","item","next","done","okeys","onlyOnce","Error","_eachOfLimit","limit","obj","nextElem","running","errored","replenish","elem","err","doParallelLimit","_asyncMap","arr","results","counter","_","v","doLimit","iterable","asyncify","e","then","message","arrayEach","createBaseFor","fromRight","keysFunc","props","baseForOwn","baseFor","listCacheClear","__data__","eq","assocIndexOf","listCacheDelete","data","lastIndex","splice","listCacheGet","listCacheHas","listCacheSet","ListCache","entries","clear","entry","set","stackClear","stackDelete","stackGet","get","stackHas","has","isHostObject","toString","checkGlobal","isMasked","maskSrcKey","toSource","funcToString$1","baseIsNative","pattern","reIsNative","reIsHostCtor","getValue","getNative","hashClear","nativeCreate","hashDelete","hashGet","HASH_UNDEFINED","hasOwnProperty$3","hashHas","hasOwnProperty$4","hashSet","HASH_UNDEFINED$1","Hash","mapCacheClear","hash","map","Map","string","isKeyable","getMapData","mapCacheDelete","mapCacheGet","mapCacheHas","mapCacheSet","MapCache","stackSet","cache","LARGE_ARRAY_SIZE","Stack","setCacheAdd","HASH_UNDEFINED$2","setCacheHas","SetCache","values","add","arraySome","predicate","equalArrays","equalFunc","customizer","bitmask","stack","isPartial","PARTIAL_COMPARE_FLAG$2","arrLength","othLength","stacked","seen","UNORDERED_COMPARE_FLAG$1","arrValue","othValue","compared","othIndex","mapToArray","size","forEach","setToArray","equalByTag","dataViewTag","byteLength","byteOffset","buffer","arrayBufferTag","Uint8Array","boolTag","dateTag","errorTag","name","numberTag","regexpTag","stringTag$1","mapTag","convert","setTag","PARTIAL_COMPARE_FLAG$3","UNORDERED_COMPARE_FLAG$2","symbolTag$1","symbolValueOf","equalObjects","PARTIAL_COMPARE_FLAG$4","objProps","objLength","othProps","skipCtor","objValue","objCtor","othCtor","getTag","objectToString$4","isTypedArray","typedArrayTags","objectToString$5","baseIsEqualDeep","objIsArr","othIsArr","objTag","arrayTag","othTag","getTag$1","argsTag$1","objectTag","objIsObj","othIsObj","isSameTag","PARTIAL_COMPARE_FLAG$1","objIsWrapped","hasOwnProperty$5","othIsWrapped","objUnwrapped","othUnwrapped","baseIsEqual","baseIsMatch","source","matchData","noCustomizer","srcValue","UNORDERED_COMPARE_FLAG","PARTIAL_COMPARE_FLAG","isStrictComparable","getMatchData","matchesStrictComparable","baseMatches","memoize","resolver","FUNC_ERROR_TEXT$1","memoized","Cache","baseToString","symbolToString","INFINITY$1","castPath","stringToPath","isKey","reIsPlainProp","reIsDeepProp","toKey","INFINITY$2","baseGet","path","defaultValue","baseHasIn","hasPath","hasFunc","hasIn","baseMatchesProperty","UNORDERED_COMPARE_FLAG$3","PARTIAL_COMPARE_FLAG$5","identity","basePropertyDeep","property","baseIteratee","forOwn","indexOfNaN","fromIndex","baseIndexOf","auto","tasks","concurrency","enqueueTask","task","readyTasks","runTask","processQueue","runningTasks","run","shift","addListener","taskName","taskListeners","listeners","taskComplete","hasError","taskCallback","safeResults","val","rkey","taskFn","checkForDeadlocks","currentTask","readyToCheck","getDependents","dependent","uncheckedDependencies","numTasks","keys$$","dependencies","remainingDependencies","dependencyName","join","arrayMap","copyArray","baseSlice","end","castSlice","charsEndIndex","strSymbols","chrSymbols","charsStartIndex","stringToArray","match","reComplexSymbol","trim","chars","guard","reTrim$1","parseParams","argsRegex","split","autoInject","newTasks","newTask","taskCb","newArgs","params","fallback","setTimeout","wrap","defer","queue","worker","payload","_insert","q","pos","started","idle","setImmediate$1","drain","unshift","process","_next","workers","removed","workersList","error","unsaturated","saturated","empty","paused","kill","pause","resume","resumeCount","Math","min","w","cargo","eachOfLimit","reduce","memo","eachOfSeries","x","seq","newargs","nextargs","compose","reverse","concat$1","y","doParallel","eachOf","doSeries","_createTester","check","getResult","wrappedIteratee","_findGetResult","consoleFunc","console","during","truth","doDuring","calls","whilst","doWhilst","doUntil","_withoutIndex","eachLimit","ensureAsync","sync","innerArgs","notId","_filter","sort","a","b","forever","iterator$1","makeCallback","mapValuesLimit","newObj","memoize$1","hasher","create","queues","l","unmemoized","_parallel","parallelLimit","queue$1","items","priorityQueue","_compareTasks","priority","_binarySearch","sequence","compare","beg","mid","createBaseEach","eachFunc","collection","baseEach","race","reduceRight","reversed","reflect","reflectCallback","cbArgs","reject$1","reflectAll","series","constant$1","retry","times","parseTimes","acc","t","DEFAULT_TIMES","intervalFunc","interval","DEFAULT_INTERVAL","retryAttempt","isFinalAttempt","seriesCallback","retryInterval","opts","attempts","retryable","sortBy","comparator","left","right","criteria","timeout","asyncFn","miliseconds","info","injectedCallback","timedOut","originalCallback","clearTimeout","timer","timeoutCallback","code","origCallback","baseRange","step","nativeMax$1","nativeCeil","timeLimit","count","mapLimit","transform","k","unmemoize","until","waterfall","nextTask","taskIndex","objectProto","objectProto$1","parseInt","max","Symbol","getPrototypeOf","objectProto$2","objectProto$3","objectProto$4","Infinity","applyEach","mapSeries","applyEachSeries","apply$1","callArgs","arrayProto","freeGlobal","freeSelf","self","thisGlobal","root","Function","coreJsData","uid","exec","IE_PROTO","reRegExpChar","objectProto$6","funcToString","hasOwnProperty$2","RegExp","objectProto$7","objectProto$8","Symbol$1","symbolProto","DataView","Promise","Set","WeakMap","mapTag$1","objectTag$1","promiseTag","setTag$1","weakMapTag","dataViewTag$1","objectProto$10","dataViewCtorString","mapCtorString","promiseCtorString","setCtorString","weakMapCtorString","ArrayBuffer","resolve","ctorString","argsTag$2","arrayTag$1","boolTag$1","dateTag$1","errorTag$1","funcTag$1","mapTag$2","numberTag$1","objectTag$2","regexpTag$1","setTag$2","stringTag$2","weakMapTag$1","arrayBufferTag$1","dataViewTag$2","float32Tag","float64Tag","int8Tag","int16Tag","int32Tag","uint8Tag","uint8ClampedTag","uint16Tag","uint32Tag","objectProto$11","objectProto$9","_defer","symbolProto$1","rePropName","reEscapeChar","number","quote","rsAstralRange","rsComboMarksRange","rsComboSymbolsRange","rsVarRange","rsAstral","rsCombo","rsFitz","rsModifier","rsNonAstral","rsRegional","rsSurrPair","rsZWJ","reOptMod","rsOptVar","rsOptJoin","rsSeq","rsSymbol","hasSetImmediate","setImmediate","hasNextTick","nextTick","_defer$1","concatSeries","constant","ignoredArgs","detect","detectLimit","detectSeries","dir","each","eachSeries","everyLimit","every","everySeries","filterLimit","filter","filterSeries","log","mapValues","mapValuesSeries","parallel","rejectLimit","reject","rejectSeries","someLimit","Boolean","some","someSeries","ceil","timesSeries","timesLimit","all","any","forEachSeries","forEachLimit","forEachOf","forEachOfSeries","forEachOfLimit","inject","foldl","foldr","select","selectLimit","selectSeries","wrapSync","allLimit","allSeries","anyLimit","anySeries","find","findLimit","findSeries"],"mappings":"CAAC,SAAUA,EAAQC,GACI,gBAAZC,UAA0C,mBAAXC,QAAyBF,EAAQC,SACrD,kBAAXE,SAAyBA,OAAOC,IAAMD,QAAQ,WAAYH,GAChEA,EAASD,EAAOM,MAAQN,EAAOM,YAClCC,KAAM,SAAUL,GAAW,YAYzB,SAASM,GAAMC,EAAMC,EAASC,GAC5B,GAAIC,GAASD,EAAKC,MAClB,QAAQA,GACN,IAAK,GAAG,MAAOH,GAAKI,KAAKH,EACzB,KAAK,GAAG,MAAOD,GAAKI,KAAKH,EAASC,EAAK,GACvC,KAAK,GAAG,MAAOF,GAAKI,KAAKH,EAASC,EAAK,GAAIA,EAAK,GAChD,KAAK,GAAG,MAAOF,GAAKI,KAAKH,EAASC,EAAK,GAAIA,EAAK,GAAIA,EAAK,IAE3D,MAAOF,GAAKD,MAAME,EAASC,GA4B7B,QAASG,GAASC,GAChB,GAAIC,SAAcD,EAClB,SAASA,IAAkB,UAARC,GAA4B,YAARA,GAiCzC,QAASC,GAAWF,GAIlB,GAAIG,GAAMJ,EAASC,GAASI,GAAeN,KAAKE,GAAS,EACzD,OAAOG,IAAOE,IAAWF,GAAOG,GA2BlC,QAASC,GAAaP,GACpB,QAASA,GAAyB,gBAATA,GAkC3B,QAASQ,GAASR,GAChB,MAAuB,gBAATA,IACXO,EAAaP,IAAUS,GAAiBX,KAAKE,IAAUU,GA4C5D,QAASC,GAASX,GAChB,GAAoB,gBAATA,GACT,MAAOA,EAET,IAAIQ,EAASR,GACX,MAAOY,GAET,IAAIb,EAASC,GAAQ,CACnB,GAAIa,GAAQX,EAAWF,EAAMc,SAAWd,EAAMc,UAAYd,CAC1DA,GAAQD,EAASc,GAAUA,EAAQ,GAAMA,EAE3C,GAAoB,gBAATb,GACT,MAAiB,KAAVA,EAAcA,GAASA,CAEhCA,GAAQA,EAAMe,QAAQC,GAAQ,GAC9B,IAAIC,GAAWC,GAAWC,KAAKnB,EAC/B,OAAQiB,IAAYG,GAAUD,KAAKnB,GAC/BqB,GAAarB,EAAMsB,MAAM,GAAIL,EAAW,EAAI,GAC3CM,GAAWJ,KAAKnB,GAASY,IAAOZ,EA4BvC,QAASwB,GAASxB,GAChB,IAAKA,EACH,MAAiB,KAAVA,EAAcA,EAAQ,CAG/B,IADAA,EAAQW,EAASX,GACbA,IAAUyB,IAAYzB,KAAWyB,GAAU,CAC7C,GAAIC,GAAgB,EAAR1B,EAAY,GAAK,CAC7B,OAAO0B,GAAOC,GAEhB,MAAO3B,KAAUA,EAAQA,EAAQ,EA6BnC,QAAS4B,GAAU5B,GACjB,GAAI6B,GAASL,EAASxB,GAClB8B,EAAYD,EAAS,CAEzB,OAAOA,KAAWA,EAAUC,EAAYD,EAASC,EAAYD,EAAU,EAkCzE,QAASE,GAAKrC,EAAMsC,GAClB,GAAmB,kBAARtC,GACT,KAAM,IAAIuC,WAAUC,GAGtB,OADAF,GAAQG,GAAoBC,SAAVJ,EAAuBtC,EAAKG,OAAS,EAAK+B,EAAUI,GAAQ,GACvE,WAML,IALA,GAAIpC,GAAOyC,UACPC,EAAQ,GACRzC,EAASsC,GAAUvC,EAAKC,OAASmC,EAAO,GACxCO,EAAQC,MAAM3C,KAETyC,EAAQzC,GACf0C,EAAMD,GAAS1C,EAAKoC,EAAQM,EAE9B,QAAQN,GACN,IAAK,GAAG,MAAOtC,GAAKI,KAAKN,KAAM+C,EAC/B,KAAK,GAAG,MAAO7C,GAAKI,KAAKN,KAAMI,EAAK,GAAI2C,EACxC,KAAK,GAAG,MAAO7C,GAAKI,KAAKN,KAAMI,EAAK,GAAIA,EAAK,GAAI2C,GAEnD,GAAIE,GAAYD,MAAMR,EAAQ,EAE9B,KADAM,EAAQ,KACCA,EAAQN,GACfS,EAAUH,GAAS1C,EAAK0C,EAG1B,OADAG,GAAUT,GAASO,EACZ9C,EAAMC,EAAMF,KAAMiD,IAI7B,QAASC,GAAeC,GACpB,MAAOZ,GAAK,SAAUnC,GAClB,GAAIgD,GAAWhD,EAAKiD,KACpBF,GAAG7C,KAAKN,KAAMI,EAAMgD,KAI5B,QAASE,GAAYC,GACjB,MAAOhB,GAAK,SAAUiB,EAAKpD,GACvB,GAAIqD,GAAKP,EAAc,SAAU9C,EAAMgD,GACnC,GAAIM,GAAO1D,IACX,OAAOuD,GAAOC,EAAK,SAAUL,EAAIQ,GAC7BR,EAAGlD,MAAMyD,EAAMtD,EAAKwD,QAAQD,MAC7BP,IAEP,OAAIhD,GAAKC,OACEoD,EAAGxD,MAAMD,KAAMI,GAEfqD,IAiBnB,QAASI,MAIT,QAASC,GAAKX,GACV,MAAO,YACH,GAAW,OAAPA,EAAJ,CACA,GAAIY,GAASZ,CACbA,GAAK,KACLY,EAAO9D,MAAMD,KAAM6C,aAW3B,QAASmB,GAAaC,GACpB,MAAO,UAASC,GACd,MAAiB,OAAVA,EAAiBtB,OAAYsB,EAAOD,IA+C/C,QAASE,GAAS3D,GAChB,MAAuB,gBAATA,IACZA,EAAQ,IAAMA,EAAQ,GAAK,GAAc4D,IAAT5D,EA4BpC,QAAS6D,GAAY7D,GACnB,MAAgB,OAATA,GAAiB2D,EAASG,GAAU9D,MAAYE,EAAWF,GAKpE,QAAS+D,GAAaC,GAClB,MAAOC,KAAkBD,EAAKC,KAAmBD,EAAKC,MAa1D,QAASC,GAAalE,GACpB,MAAOmE,IAAmBC,OAAOpE,IAiBnC,QAASqE,GAAQX,EAAQD,GAIvB,MAAiB,OAAVC,IACJY,GAAexE,KAAK4D,EAAQD,IACT,gBAAVC,IAAsBD,IAAOC,IAAmC,OAAzBQ,EAAaR,IAclE,QAASa,GAASb,GAChB,MAAOc,IAAWJ,OAAOV,IAY3B,QAASe,GAAUC,EAAGC,GAIpB,IAHA,GAAIrC,GAAQ,GACRT,EAASW,MAAMkC,KAEVpC,EAAQoC,GACf7C,EAAOS,GAASqC,EAASrC,EAE3B,OAAOT,GA4BT,QAAS+C,GAAkB5E,GACzB,MAAOO,GAAaP,IAAU6D,EAAY7D,GAwC5C,QAAS6E,GAAY7E,GAEnB,MAAO4E,GAAkB5E,IAAU8E,GAAiBhF,KAAKE,EAAO,aAC5D+E,GAAqBjF,KAAKE,EAAO,WAAagF,GAAiBlF,KAAKE,IAAUiF,IA6DpF,QAASC,GAASlF,GAChB,MAAuB,gBAATA,KACVmF,GAAQnF,IAAUO,EAAaP,IAAUoF,GAAiBtF,KAAKE,IAAUqF,GAW/E,QAASC,GAAU5B,GACjB,GAAI7D,GAAS6D,EAASA,EAAO7D,OAASuC,MACtC,OAAIuB,GAAS9D,KACRsF,GAAQzB,IAAWwB,EAASxB,IAAWmB,EAAYnB,IAC/Ce,EAAU5E,EAAQ0F,QAEpB,KAiBT,QAASC,GAAQxF,EAAOH,GAEtB,MADAA,GAAmB,MAAVA,EAAiB4F,GAAqB5F,IACtCA,IACU,gBAATG,IAAqB0F,GAASvE,KAAKnB,KAC1CA,EAAQ,IAAMA,EAAQ,GAAK,GAAaH,EAARG,EAarC,QAAS2F,GAAY3F,GACnB,GAAI4F,GAAO5F,GAASA,EAAM6F,YACtBC,EAAwB,kBAARF,IAAsBA,EAAKG,WAAcC,EAE7D,OAAOhG,KAAU8F,EA+BnB,QAASG,GAAKvC,GACZ,GAAIwC,GAAUP,EAAYjC,EAC1B,KAAMwC,IAAWrC,EAAYH,GAC3B,MAAOa,GAASb,EAElB,IAAIyC,GAAUb,EAAU5B,GACpB0C,IAAgBD,EAChBtE,EAASsE,MACTtG,EAASgC,EAAOhC,MAEpB,KAAK,GAAI4D,KAAOC,IACVW,EAAQX,EAAQD,IACd2C,IAAuB,UAAP3C,GAAmB+B,EAAQ/B,EAAK5D,KAChDqG,GAAkB,eAAPzC,GACf5B,EAAOwE,KAAK5C,EAGhB,OAAO5B,GAGT,QAASyE,GAAStC,GACd,GACIuC,GADAC,EAAI,EAER,IAAI3C,EAAYG,GAEZ,MADAuC,GAAMvC,EAAKnE,OACJ,WAEH,MADA2G,KACWD,EAAJC,GAAYxG,MAAOgE,EAAKwC,GAAI/C,IAAK+C,GAAM,KAItD,IAAIC,GAAU1C,EAAYC,EAC1B,IAAIyC,EACA,MAAO,YACH,GAAIC,GAAOD,EAAQE,MACnB,OAAID,GAAKE,KAAa,MACtBJ,KACSxG,MAAO0G,EAAK1G,MAAOyD,IAAK+C,IAIzC,IAAIK,GAAQZ,EAAKjC,EAEjB,OADAuC,GAAMM,EAAMhH,OACL,WACH2G,GACA,IAAI/C,GAAMoD,EAAML,EAChB,OAAWD,GAAJC,GAAYxG,MAAOgE,EAAKP,GAAMA,IAAKA,GAAQ,MAI1D,QAASqD,GAASnE,GACd,MAAO,YACH,GAAW,OAAPA,EAAa,KAAM,IAAIoE,OAAM,+BACjC,IAAIxD,GAASZ,CACbA,GAAK,KACLY,EAAO9D,MAAMD,KAAM6C,YAI3B,QAAS2E,GAAaC,GAClB,MAAO,UAAUC,EAAKvC,EAAU/B,GAC5BA,EAAWU,EAAKV,GAAYS,GAC5B6D,EAAMA,KACN,IAAIC,GAAWb,EAASY,EACxB,IAAa,GAATD,EACA,MAAOrE,GAAS,KAEpB,IAAIgE,IAAO,EACPQ,EAAU,EACVC,GAAU,GAEd,QAAUC,KACN,GAAIV,GAAmB,GAAXQ,EACR,MAAOxE,GAAS,KAGpB,MAAiBqE,EAAVG,IAAoBC,GAAS,CAChC,GAAIE,GAAOJ,GACX,IAAa,OAATI,EAKA,MAJAX,IAAO,OACQ,GAAXQ,GACAxE,EAAS,MAIjBwE,IAAW,EACXzC,EAAS4C,EAAKvH,MAAOuH,EAAK9D,IAAKqD,EAAS,SAAUU,GAC9CJ,GAAW,EACPI,GACA5E,EAAS4E,GACTH,GAAU,GAEVC,YAQxB,QAASG,GAAgB9E,GACrB,MAAO,UAAUuE,EAAKD,EAAOtC,EAAU/B,GACnC,MAAOD,GAAGqE,EAAaC,GAAQC,EAAKvC,EAAU/B,IAItD,QAAS8E,GAAU3E,EAAQ4E,EAAKhD,EAAU/B,GACtCA,EAAWU,EAAKV,GAAYS,GAC5BsE,EAAMA,KACN,IAAIC,MACAC,EAAU,CAEd9E,GAAO4E,EAAK,SAAU3H,EAAO8H,EAAGlF,GAC5B,GAAIN,GAAQuF,GACZlD,GAAS3E,EAAO,SAAUwH,EAAKO,GAC3BH,EAAQtF,GAASyF,EACjBnF,EAAS4E,MAEd,SAAUA,GACT5E,EAAS4E,EAAKI,KAwBtB,QAASI,GAAQrF,EAAIsE,GACjB,MAAO,UAAUgB,EAAUtD,EAAU/B,GACjC,MAAOD,GAAGsF,EAAUhB,EAAOtC,EAAU/B,IAuN7C,QAASsF,GAASxI,GACd,MAAOgD,GAAc,SAAU9C,EAAMgD,GACjC,GAAIf,EACJ,KACIA,EAASnC,EAAKD,MAAMD,KAAMI,GAC5B,MAAOuI,GACL,MAAOvF,GAASuF,GAGhBpI,EAAS8B,IAAkC,kBAAhBA,GAAOuG,KAClCvG,EAAOuG,KAAK,SAAUpI,GAClB4C,EAAS,KAAM5C,KAChB,SAAS,SAAUwH,GAClB5E,EAAS4E,EAAIa,QAAUb,EAAM,GAAIT,OAAMS,MAG3C5E,EAAS,KAAMf,KAc3B,QAASyG,GAAU/F,EAAOoC,GAIxB,IAHA,GAAIrC,GAAQ,GACRzC,EAAS0C,EAAQA,EAAM1C,OAAS,IAE3ByC,EAAQzC,GACX8E,EAASpC,EAAMD,GAAQA,EAAOC,MAAW,IAI/C,MAAOA,GAUT,QAASgG,GAAcC,GACrB,MAAO,UAAS9E,EAAQiB,EAAU8D,GAMhC,IALA,GAAInG,GAAQ,GACR2F,EAAW7D,OAAOV,GAClBgF,EAAQD,EAAS/E,GACjB7D,EAAS6I,EAAM7I,OAEZA,KAAU,CACf,GAAI4D,GAAMiF,EAAMF,EAAY3I,IAAWyC,EACvC,IAAIqC,EAASsD,EAASxE,GAAMA,EAAKwE,MAAc,EAC7C,MAGJ,MAAOvE,IAyBX,QAASiF,GAAWjF,EAAQiB,GAC1B,MAAOjB,IAAUkF,GAAQlF,EAAQiB,EAAUsB,GAU7C,QAAS4C,KACPrJ,KAAKsJ,YAmCP,QAASC,GAAG/I,EAAOa,GACjB,MAAOb,KAAUa,GAAUb,IAAUA,GAASa,IAAUA,EAW1D,QAASmI,GAAazG,EAAOkB,GAE3B,IADA,GAAI5D,GAAS0C,EAAM1C,OACZA,KACL,GAAIkJ,EAAGxG,EAAM1C,GAAQ,GAAI4D,GACvB,MAAO5D,EAGX,OAAO,GAkBT,QAASoJ,GAAgBxF,GACvB,GAAIyF,GAAO1J,KAAKsJ,SACZxG,EAAQ0G,EAAaE,EAAMzF,EAE/B,IAAY,EAARnB,EACF,OAAO,CAET,IAAI6G,GAAYD,EAAKrJ,OAAS,CAM9B,OALIyC,IAAS6G,EACXD,EAAKrG,MAELuG,GAAOtJ,KAAKoJ,EAAM5G,EAAO,IAEpB,EAYT,QAAS+G,GAAa5F,GACpB,GAAIyF,GAAO1J,KAAKsJ,SACZxG,EAAQ0G,EAAaE,EAAMzF,EAE/B,OAAe,GAARnB,EAAYF,OAAY8G,EAAK5G,GAAO,GAY7C,QAASgH,GAAa7F,GACpB,MAAOuF,GAAaxJ,KAAKsJ,SAAUrF,GAAO,GAa5C,QAAS8F,GAAa9F,EAAKzD,GACzB,GAAIkJ,GAAO1J,KAAKsJ,SACZxG,EAAQ0G,EAAaE,EAAMzF,EAO/B,OALY,GAARnB,EACF4G,EAAK7C,MAAM5C,EAAKzD,IAEhBkJ,EAAK5G,GAAO,GAAKtC,EAEZR,KAUT,QAASgK,GAAUC,GACjB,GAAInH,GAAQ,GACRzC,EAAS4J,EAAUA,EAAQ5J,OAAS,CAGxC,KADAL,KAAKkK,UACIpH,EAAQzC,GAAQ,CACvB,GAAI8J,GAAQF,EAAQnH,EACpB9C,MAAKoK,IAAID,EAAM,GAAIA,EAAM,KAkB7B,QAASE,KACPrK,KAAKsJ,SAAW,GAAIU,GAYtB,QAASM,GAAYrG,GACnB,MAAOjE,MAAKsJ,SAAS,UAAUrF,GAYjC,QAASsG,GAAStG,GAChB,MAAOjE,MAAKsJ,SAASkB,IAAIvG,GAY3B,QAASwG,GAASxG,GAChB,MAAOjE,MAAKsJ,SAASoB,IAAIzG,GAU3B,QAAS0G,GAAanK,GAGpB,GAAI6B,IAAS,CACb,IAAa,MAAT7B,GAA0C,kBAAlBA,GAAMoK,SAChC,IACEvI,KAAY7B,EAAQ,IACpB,MAAOmI,IAEX,MAAOtG,GAUT,QAASwI,GAAYrK,GACnB,MAAQA,IAASA,EAAMoE,SAAWA,OAAUpE,EAAQ,KA+BtD,QAASsK,GAAS5K,GAChB,QAAS6K,IAAeA,KAAc7K,GAaxC,QAAS8K,IAAS9K,GAChB,GAAY,MAARA,EAAc,CAChB,IACE,MAAO+K,IAAe3K,KAAKJ,GAC3B,MAAOyI,IACT,IACE,MAAQzI,GAAO,GACf,MAAOyI,KAEX,MAAO,GAmCT,QAASuC,IAAa1K,GACpB,IAAKD,EAASC,IAAUsK,EAAStK,GAC/B,OAAO,CAET,IAAI2K,GAAWzK,EAAWF,IAAUmK,EAAanK,GAAU4K,GAAaC,EACxE,OAAOF,GAAQxJ,KAAKqJ,GAASxK,IAW/B,QAAS8K,IAASpH,EAAQD,GACxB,MAAiB,OAAVC,EAAiBtB,OAAYsB,EAAOD,GAW7C,QAASsH,IAAUrH,EAAQD,GACzB,GAAIzD,GAAQ8K,GAASpH,EAAQD,EAC7B,OAAOiH,IAAa1K,GAASA,EAAQoC,OAavC,QAAS4I,MACPxL,KAAKsJ,SAAWmC,GAAeA,GAAa,SAa9C,QAASC,IAAWzH,GAClB,MAAOjE,MAAK0K,IAAIzG,UAAejE,MAAKsJ,SAASrF,GAqB/C,QAAS0H,IAAQ1H,GACf,GAAIyF,GAAO1J,KAAKsJ,QAChB,IAAImC,GAAc,CAChB,GAAIpJ,GAASqH,EAAKzF,EAClB,OAAO5B,KAAWuJ,GAAiBhJ,OAAYP,EAEjD,MAAOwJ,IAAiBvL,KAAKoJ,EAAMzF,GAAOyF,EAAKzF,GAAOrB,OAkBxD,QAASkJ,IAAQ7H,GACf,GAAIyF,GAAO1J,KAAKsJ,QAChB,OAAOmC,IAA6B7I,SAAd8G,EAAKzF,GAAqB8H,GAAiBzL,KAAKoJ,EAAMzF,GAgB9E,QAAS+H,IAAQ/H,EAAKzD,GACpB,GAAIkJ,GAAO1J,KAAKsJ,QAEhB,OADAI,GAAKzF,GAAQwH,IAA0B7I,SAAVpC,EAAuByL,GAAmBzL,EAChER,KAUT,QAASkM,IAAKjC,GACZ,GAAInH,GAAQ,GACRzC,EAAS4J,EAAUA,EAAQ5J,OAAS,CAGxC,KADAL,KAAKkK,UACIpH,EAAQzC,GAAQ,CACvB,GAAI8J,GAAQF,EAAQnH,EACpB9C,MAAKoK,IAAID,EAAM,GAAIA,EAAM,KAqB7B,QAASgC,MACPnM,KAAKsJ,UACH8C,KAAQ,GAAIF,IACZG,IAAO,IAAKC,IAAOtC,GACnBuC,OAAU,GAAIL,KAWlB,QAASM,IAAUhM,GACjB,GAAIC,SAAcD,EAClB,OAAgB,UAARC,GAA4B,UAARA,GAA4B,UAARA,GAA4B,WAARA,EACrD,cAAVD,EACU,OAAVA,EAWP,QAASiM,IAAWJ,EAAKpI,GACvB,GAAIyF,GAAO2C,EAAI/C,QACf,OAAOkD,IAAUvI,GACbyF,EAAmB,gBAAPzF,GAAkB,SAAW,QACzCyF,EAAK2C,IAYX,QAASK,IAAezI,GACtB,MAAOwI,IAAWzM,KAAMiE,GAAK,UAAUA,GAYzC,QAAS0I,IAAY1I,GACnB,MAAOwI,IAAWzM,KAAMiE,GAAKuG,IAAIvG,GAYnC,QAAS2I,IAAY3I,GACnB,MAAOwI,IAAWzM,KAAMiE,GAAKyG,IAAIzG,GAanC,QAAS4I,IAAY5I,EAAKzD,GAExB,MADAiM,IAAWzM,KAAMiE,GAAKmG,IAAInG,EAAKzD,GACxBR,KAUT,QAAS8M,IAAS7C,GAChB,GAAInH,GAAQ,GACRzC,EAAS4J,EAAUA,EAAQ5J,OAAS,CAGxC,KADAL,KAAKkK,UACIpH,EAAQzC,GAAQ,CACvB,GAAI8J,GAAQF,EAAQnH,EACpB9C,MAAKoK,IAAID,EAAM,GAAIA,EAAM,KAwB7B,QAAS4C,IAAS9I,EAAKzD,GACrB,GAAIwM,GAAQhN,KAAKsJ,QAKjB,OAJI0D,aAAiBhD,IAAagD,EAAM1D,SAASjJ,QAAU4M,KACzDD,EAAQhN,KAAKsJ,SAAW,GAAIwD,IAASE,EAAM1D,WAE7C0D,EAAM5C,IAAInG,EAAKzD,GACRR,KAUT,QAASkN,IAAMjD,GACbjK,KAAKsJ,SAAW,GAAIU,GAAUC,GAuBhC,QAASkD,IAAY3M,GAEnB,MADAR,MAAKsJ,SAASc,IAAI5J,EAAO4M,IAClBpN,KAYT,QAASqN,IAAY7M,GACnB,MAAOR,MAAKsJ,SAASoB,IAAIlK,GAW3B,QAAS8M,IAASC,GAChB,GAAIzK,GAAQ,GACRzC,EAASkN,EAASA,EAAOlN,OAAS,CAGtC,KADAL,KAAKsJ,SAAW,GAAIwD,MACXhK,EAAQzC,GACfL,KAAKwN,IAAID,EAAOzK,IAkBpB,QAAS2K,IAAU1K,EAAO2K,GAIxB,IAHA,GAAI5K,GAAQ,GACRzC,EAAS0C,EAAQA,EAAM1C,OAAS,IAE3ByC,EAAQzC,GACf,GAAIqN,EAAU3K,EAAMD,GAAQA,EAAOC,GACjC,OAAO,CAGX,QAAO,EAmBT,QAAS4K,IAAY5K,EAAO1B,EAAOuM,EAAWC,EAAYC,EAASC,GACjE,GAAIC,GAAYF,EAAUG,GACtBC,EAAYnL,EAAM1C,OAClB8N,EAAY9M,EAAMhB,MAEtB,IAAI6N,GAAaC,KAAeH,GAAaG,EAAYD,GACvD,OAAO,CAGT,IAAIE,GAAUL,EAAMvD,IAAIzH,EACxB,IAAIqL,EACF,MAAOA,IAAW/M,CAEpB,IAAIyB,GAAQ,GACRT,GAAS,EACTgM,EAAQP,EAAUQ,GAA4B,GAAIhB,IAAW1K,MAKjE,KAHAmL,EAAM3D,IAAIrH,EAAO1B,KAGRyB,EAAQoL,GAAW,CAC1B,GAAIK,GAAWxL,EAAMD,GACjB0L,EAAWnN,EAAMyB,EAErB,IAAI+K,EACF,GAAIY,GAAWT,EACXH,EAAWW,EAAUD,EAAUzL,EAAOzB,EAAO0B,EAAOgL,GACpDF,EAAWU,EAAUC,EAAU1L,EAAOC,EAAO1B,EAAO0M,EAE1D,IAAiBnL,SAAb6L,EAAwB,CAC1B,GAAIA,EACF,QAEFpM,IAAS,CACT,OAGF,GAAIgM,GACF,IAAKZ,GAAUpM,EAAO,SAASmN,EAAUE,GACnC,MAAKL,GAAK3D,IAAIgE,IACTH,IAAaC,IAAYZ,EAAUW,EAAUC,EAAUX,EAAYC,EAASC,GADjF,OAESM,EAAKb,IAAIkB,KAEhB,CACNrM,GAAS,CACT,YAEG,IACDkM,IAAaC,IACXZ,EAAUW,EAAUC,EAAUX,EAAYC,EAASC,GACpD,CACL1L,GAAS,CACT,QAIJ,MADA0L,GAAM,UAAUhL,GACTV,EAgBT,QAASsM,IAAWtC,GAClB,GAAIvJ,GAAQ,GACRT,EAASW,MAAMqJ,EAAIuC,KAKvB,OAHAvC,GAAIwC,QAAQ,SAASrO,EAAOyD,GAC1B5B,IAASS,IAAUmB,EAAKzD,KAEnB6B,EAUT,QAASyM,IAAW1E,GAClB,GAAItH,GAAQ,GACRT,EAASW,MAAMoH,EAAIwE,KAKvB,OAHAxE,GAAIyE,QAAQ,SAASrO,GACnB6B,IAASS,GAAStC,IAEb6B,EAoCT,QAAS0M,IAAW7K,EAAQ7C,EAAOV,EAAKiN,EAAWC,EAAYC,EAASC,GACtE,OAAQpN,GACN,IAAKqO,IACH,GAAK9K,EAAO+K,YAAc5N,EAAM4N,YAC3B/K,EAAOgL,YAAc7N,EAAM6N,WAC9B,OAAO,CAEThL,GAASA,EAAOiL,OAChB9N,EAAQA,EAAM8N,MAEhB,KAAKC,IACH,MAAKlL,GAAO+K,YAAc5N,EAAM4N,YAC3BrB,EAAU,GAAIyB,IAAWnL,GAAS,GAAImL,IAAWhO,KAG/C,GAFE,CAIX,KAAKiO,IACL,IAAKC,IAIH,OAAQrL,IAAW7C,CAErB,KAAKmO,IACH,MAAOtL,GAAOuL,MAAQpO,EAAMoO,MAAQvL,EAAO2E,SAAWxH,EAAMwH,OAE9D,KAAK6G,IAEH,MAAQxL,KAAWA,EAAU7C,IAAUA,EAAQ6C,IAAW7C,CAE5D,KAAKsO,IACL,IAAKC,IAIH,MAAO1L,IAAW7C,EAAQ,EAE5B,KAAKwO,IACH,GAAIC,GAAUnB,EAEhB,KAAKoB,IACH,GAAI/B,GAAYF,EAAUkC,EAG1B,IAFAF,IAAYA,EAAUhB,IAElB5K,EAAO0K,MAAQvN,EAAMuN,OAASZ,EAChC,OAAO,CAGT,IAAII,GAAUL,EAAMvD,IAAItG,EACxB,OAAIkK,GACKA,GAAW/M,GAEpByM,GAAWmC,GACXlC,EAAM3D,IAAIlG,EAAQ7C,GAGXsM,GAAYmC,EAAQ5L,GAAS4L,EAAQzO,GAAQuM,EAAWC,EAAYC,EAASC,GAEtF,KAAKmC,IACH,GAAIC,GACF,MAAOA,IAAc7P,KAAK4D,IAAWiM,GAAc7P,KAAKe,GAG9D,OAAO,EAoBT,QAAS+O,IAAalM,EAAQ7C,EAAOuM,EAAWC,EAAYC,EAASC,GACnE,GAAIC,GAAYF,EAAUuC,GACtBC,EAAW7J,EAAKvC,GAChBqM,EAAYD,EAASjQ,OACrBmQ,EAAW/J,EAAKpF,GAChB8M,EAAYqC,EAASnQ,MAEzB,IAAIkQ,GAAapC,IAAcH,EAC7B,OAAO,CAGT,KADA,GAAIlL,GAAQyN,EACLzN,KAAS,CACd,GAAImB,GAAMqM,EAASxN,EACnB,MAAMkL,EAAY/J,IAAO5C,GAAQwD,EAAQxD,EAAO4C,IAC9C,OAAO,EAIX,GAAImK,GAAUL,EAAMvD,IAAItG,EACxB,IAAIkK,EACF,MAAOA,IAAW/M,CAEpB,IAAIgB,IAAS,CACb0L,GAAM3D,IAAIlG,EAAQ7C,EAGlB,KADA,GAAIoP,GAAWzC,IACNlL,EAAQyN,GAAW,CAC1BtM,EAAMqM,EAASxN,EACf,IAAI4N,GAAWxM,EAAOD,GAClBuK,EAAWnN,EAAM4C,EAErB,IAAI4J,EACF,GAAIY,GAAWT,EACXH,EAAWW,EAAUkC,EAAUzM,EAAK5C,EAAO6C,EAAQ6J,GACnDF,EAAW6C,EAAUlC,EAAUvK,EAAKC,EAAQ7C,EAAO0M,EAGzD,MAAmBnL,SAAb6L,EACGiC,IAAalC,GAAYZ,EAAU8C,EAAUlC,EAAUX,EAAYC,EAASC,GAC7EU,GACD,CACLpM,GAAS,CACT,OAEFoO,IAAaA,EAAkB,eAAPxM,GAE1B,GAAI5B,IAAWoO,EAAU,CACvB,GAAIE,GAAUzM,EAAOmC,YACjBuK,EAAUvP,EAAMgF,WAGhBsK,IAAWC,GACV,eAAiB1M,IAAU,eAAiB7C,MACzB,kBAAXsP,IAAyBA,YAAmBA,IACjC,kBAAXC,IAAyBA,YAAmBA,MACvDvO,GAAS,GAIb,MADA0L,GAAM,UAAU7J,GACT7B,EA6CT,QAASwO,IAAOrQ,GACd,MAAOsQ,IAAiBxQ,KAAKE,GAkG/B,QAASuQ,IAAavQ,GACpB,MAAOO,GAAaP,IAClB2D,EAAS3D,EAAMH,WAAa2Q,GAAeC,GAAiB3Q,KAAKE,IA+BrE,QAAS0Q,IAAgBhN,EAAQ7C,EAAOuM,EAAWC,EAAYC,EAASC,GACtE,GAAIoD,GAAWxL,GAAQzB,GACnBkN,EAAWzL,GAAQtE,GACnBgQ,EAASC,GACTC,EAASD,EAERH,KACHE,EAASG,GAAStN,GAClBmN,EAASA,GAAUI,GAAYC,GAAYL,GAExCD,IACHG,EAASC,GAASnQ,GAClBkQ,EAASA,GAAUE,GAAYC,GAAYH,EAE7C,IAAII,GAAWN,GAAUK,KAAc/G,EAAazG,GAChD0N,EAAWL,GAAUG,KAAc/G,EAAatJ,GAChDwQ,EAAYR,GAAUE,CAE1B,IAAIM,IAAcF,EAEhB,MADA5D,KAAUA,EAAQ,GAAIb,KACdiE,GAAYJ,GAAa7M,GAC7ByJ,GAAYzJ,EAAQ7C,EAAOuM,EAAWC,EAAYC,EAASC,GAC3DgB,GAAW7K,EAAQ7C,EAAOgQ,EAAQzD,EAAWC,EAAYC,EAASC,EAExE,MAAMD,EAAUgE,IAAyB,CACvC,GAAIC,GAAeJ,GAAYK,GAAiB1R,KAAK4D,EAAQ,eACzD+N,EAAeL,GAAYI,GAAiB1R,KAAKe,EAAO,cAE5D,IAAI0Q,GAAgBE,EAAc,CAChC,GAAIC,GAAeH,EAAe7N,EAAO1D,QAAU0D,EAC/CiO,EAAeF,EAAe5Q,EAAMb,QAAUa,CAGlD,OADA0M,KAAUA,EAAQ,GAAIb,KACfU,EAAUsE,EAAcC,EAActE,EAAYC,EAASC,IAGtE,MAAK8D,IAGL9D,IAAUA,EAAQ,GAAIb,KACfkD,GAAalM,EAAQ7C,EAAOuM,EAAWC,EAAYC,EAASC,KAH1D,EAqBX,QAASqE,IAAY5R,EAAOa,EAAOwM,EAAYC,EAASC,GACtD,MAAIvN,KAAUa,GACL,EAEI,MAATb,GAA0B,MAATa,IAAmBd,EAASC,KAAWO,EAAaM,GAChEb,IAAUA,GAASa,IAAUA,EAE/B6P,GAAgB1Q,EAAOa,EAAO+Q,GAAavE,EAAYC,EAASC,GAezE,QAASsE,IAAYnO,EAAQoO,EAAQC,EAAW1E,GAC9C,GAAI/K,GAAQyP,EAAUlS,OAClBA,EAASyC,EACT0P,GAAgB3E,CAEpB,IAAc,MAAV3J,EACF,OAAQ7D,CAGV,KADA6D,EAASU,OAAOV,GACTpB,KAAS,CACd,GAAI4G,GAAO6I,EAAUzP,EACrB,IAAK0P,GAAgB9I,EAAK,GAClBA,EAAK,KAAOxF,EAAOwF,EAAK,MACtBA,EAAK,IAAMxF,IAEnB,OAAO,EAGX,OAASpB,EAAQzC,GAAQ,CACvBqJ,EAAO6I,EAAUzP,EACjB,IAAImB,GAAMyF,EAAK,GACXgH,EAAWxM,EAAOD,GAClBwO,EAAW/I,EAAK,EAEpB,IAAI8I,GAAgB9I,EAAK,IACvB,GAAiB9G,SAAb8N,KAA4BzM,IAAOC,IACrC,OAAO,MAEJ,CACL,GAAI6J,GAAQ,GAAIb,GAChB,IAAIW,EACF,GAAIxL,GAASwL,EAAW6C,EAAU+B,EAAUxO,EAAKC,EAAQoO,EAAQvE,EAEnE,MAAiBnL,SAAXP,EACE+P,GAAYK,EAAU/B,EAAU7C,EAAY6E,GAAyBC,GAAsB5E,GAC3F1L,GAEN,OAAO,GAIb,OAAO,EAWT,QAASuQ,IAAmBpS,GAC1B,MAAOA,KAAUA,IAAUD,EAASC,GAUtC,QAASqS,IAAa3O,GAIpB,IAHA,GAAI7B,GAASoE,EAAKvC,GACd7D,EAASgC,EAAOhC,OAEbA,KAAU,CACf,GAAI4D,GAAM5B,EAAOhC,GACbG,EAAQ0D,EAAOD,EAEnB5B,GAAOhC,IAAW4D,EAAKzD,EAAOoS,GAAmBpS,IAEnD,MAAO6B,GAYT,QAASyQ,IAAwB7O,EAAKwO,GACpC,MAAO,UAASvO,GACd,MAAc,OAAVA,GACK,EAEFA,EAAOD,KAASwO,IACP7P,SAAb6P,GAA2BxO,IAAOW,QAAOV,KAWhD,QAAS6O,IAAYT,GACnB,GAAIC,GAAYM,GAAaP,EAC7B,OAAwB,IAApBC,EAAUlS,QAAekS,EAAU,GAAG,GACjCO,GAAwBP,EAAU,GAAG,GAAIA,EAAU,GAAG,IAExD,SAASrO,GACd,MAAOA,KAAWoO,GAAUD,GAAYnO,EAAQoO,EAAQC,IAmD5D,QAASS,IAAQ9S,EAAM+S,GACrB,GAAmB,kBAAR/S,IAAuB+S,GAA+B,kBAAZA,GACnD,KAAM,IAAIxQ,WAAUyQ,GAEtB,IAAIC,GAAW,WACb,GAAI/S,GAAOyC,UACPoB,EAAMgP,EAAWA,EAAShT,MAAMD,KAAMI,GAAQA,EAAK,GACnD4M,EAAQmG,EAASnG,KAErB,IAAIA,EAAMtC,IAAIzG,GACZ,MAAO+I,GAAMxC,IAAIvG,EAEnB,IAAI5B,GAASnC,EAAKD,MAAMD,KAAMI,EAE9B,OADA+S,GAASnG,MAAQA,EAAM5C,IAAInG,EAAK5B,GACzBA,EAGT,OADA8Q,GAASnG,MAAQ,IAAKgG,GAAQI,OAAStG,IAChCqG,EAoBT,QAASE,IAAa7S,GAEpB,GAAoB,gBAATA,GACT,MAAOA,EAET,IAAIQ,EAASR,GACX,MAAO8S,IAAiBA,GAAehT,KAAKE,GAAS,EAEvD,IAAI6B,GAAU7B,EAAQ,EACtB,OAAkB,KAAV6B,GAAkB,EAAI7B,IAAW+S,GAAc,KAAOlR,EAwBhE,QAASuI,IAASpK,GAChB,MAAgB,OAATA,EAAgB,GAAK6S,GAAa7S,GA+B3C,QAASgT,IAAShT,GAChB,MAAOmF,IAAQnF,GAASA,EAAQiT,GAAajT,GAa/C,QAASkT,IAAMlT,EAAO0D,GACpB,GAAIyB,GAAQnF,GACV,OAAO,CAET,IAAIC,SAAcD,EAClB,OAAY,UAARC,GAA4B,UAARA,GAA4B,WAARA,GAC/B,MAATD,GAAiBQ,EAASR,IACrB,EAEFmT,GAAchS,KAAKnB,KAAWoT,GAAajS,KAAKnB,IAC1C,MAAV0D,GAAkB1D,IAASoE,QAAOV,GAavC,QAAS2P,IAAMrT,GACb,GAAoB,gBAATA,IAAqBQ,EAASR,GACvC,MAAOA,EAET,IAAI6B,GAAU7B,EAAQ,EACtB,OAAkB,KAAV6B,GAAkB,EAAI7B,IAAWsT,GAAc,KAAOzR,EAWhE,QAAS0R,IAAQ7P,EAAQ8P,GACvBA,EAAON,GAAMM,EAAM9P,IAAW8P,GAAQR,GAASQ,EAK/C,KAHA,GAAIlR,GAAQ,EACRzC,EAAS2T,EAAK3T,OAED,MAAV6D,GAA0B7D,EAARyC,GACvBoB,EAASA,EAAO2P,GAAMG,EAAKlR,MAE7B,OAAQA,IAASA,GAASzC,EAAU6D,EAAStB,OA4B/C,QAAS4H,IAAItG,EAAQ8P,EAAMC,GACzB,GAAI5R,GAAmB,MAAV6B,EAAiBtB,OAAYmR,GAAQ7P,EAAQ8P,EAC1D,OAAkBpR,UAAXP,EAAuB4R,EAAe5R,EAW/C,QAAS6R,IAAUhQ,EAAQD,GACzB,MAAiB,OAAVC,GAAkBD,IAAOW,QAAOV,GAYzC,QAASiQ,IAAQjQ,EAAQ8P,EAAMI,GAC7BJ,EAAON,GAAMM,EAAM9P,IAAW8P,GAAQR,GAASQ,EAM/C,KAJA,GAAI3R,GACAS,EAAQ,GACRzC,EAAS2T,EAAK3T,SAETyC,EAAQzC,GAAQ,CACvB,GAAI4D,GAAM4P,GAAMG,EAAKlR,GACrB,MAAMT,EAAmB,MAAV6B,GAAkBkQ,EAAQlQ,EAAQD,IAC/C,KAEFC,GAASA,EAAOD,GAElB,GAAI5B,EACF,MAAOA,EAET,IAAIhC,GAAS6D,EAASA,EAAO7D,OAAS,CACtC,SAASA,GAAU8D,EAAS9D,IAAW2F,EAAQ/B,EAAK5D,KACjDsF,GAAQzB,IAAWwB,EAASxB,IAAWmB,EAAYnB,IA6BxD,QAASmQ,IAAMnQ,EAAQ8P,GACrB,MAAiB,OAAV9P,GAAkBiQ,GAAQjQ,EAAQ8P,EAAME,IAajD,QAASI,IAAoBN,EAAMvB,GACjC,MAAIiB,IAAMM,IAASpB,GAAmBH,GAC7BK,GAAwBe,GAAMG,GAAOvB,GAEvC,SAASvO,GACd,GAAIwM,GAAWlG,GAAItG,EAAQ8P,EAC3B,OAAqBpR,UAAb8N,GAA0BA,IAAa+B,EAC3C4B,GAAMnQ,EAAQ8P,GACd5B,GAAYK,EAAU/B,EAAU9N,OAAW2R,GAA2BC,KAoB9E,QAASC,IAASjU,GAChB,MAAOA,GAUT,QAASkU,IAAiBV,GACxB,MAAO,UAAS9P,GACd,MAAO6P,IAAQ7P,EAAQ8P,IA0B3B,QAASW,IAASX,GAChB,MAAON,IAAMM,GAAQhQ,EAAa6P,GAAMG,IAASU,GAAiBV,GAUpE,QAASY,IAAapU,GAGpB,MAAoB,kBAATA,GACFA,EAEI,MAATA,EACKiU,GAEW,gBAATjU,GACFmF,GAAQnF,GACX8T,GAAoB9T,EAAM,GAAIA,EAAM,IACpCuS,GAAYvS,GAEXmU,GAASnU,GA+BlB,QAASqU,IAAO3Q,EAAQiB,GACtB,MAAOjB,IAAUiF,EAAWjF,EAAQ0Q,GAAazP,EAAU,IAY7D,QAAS2P,IAAW/R,EAAOgS,EAAW/L,GAIpC,IAHA,GAAI3I,GAAS0C,EAAM1C,OACfyC,EAAQiS,GAAa/L,EAAY,EAAI,IAEjCA,EAAYlG,MAAYA,EAAQzC,GAAS,CAC/C,GAAIgB,GAAQ0B,EAAMD,EAClB,IAAIzB,IAAUA,EACZ,MAAOyB,GAGX,MAAO,GAYT,QAASkS,IAAYjS,EAAOvC,EAAOuU,GACjC,GAAIvU,IAAUA,EACZ,MAAOsU,IAAW/R,EAAOgS,EAK3B,KAHA,GAAIjS,GAAQiS,EAAY,EACpB1U,EAAS0C,EAAM1C,SAEVyC,EAAQzC,GACf,GAAI0C,EAAMD,KAAWtC,EACnB,MAAOsC,EAGX,OAAO,GAgFT,QAASmS,IAAMC,EAAOC,EAAa/R,GA8D/B,QAASgS,GAAYnR,EAAKoR,GACtBC,EAAWzO,KAAK,WACZ0O,EAAQtR,EAAKoR,KAIrB,QAASG,KACL,GAA0B,IAAtBF,EAAWjV,QAAiC,IAAjBoV,EAC3B,MAAOrS,GAAS,KAAMgF,EAE1B,MAAOkN,EAAWjV,QAAyB8U,EAAfM,GAA4B,CACpD,GAAIC,GAAMJ,EAAWK,OACrBD,MAIR,QAASE,GAAYC,EAAU1S,GAC3B,GAAI2S,GAAgBC,EAAUF,EACzBC,KACDA,EAAgBC,EAAUF,OAG9BC,EAAcjP,KAAK1D,GAGvB,QAAS6S,GAAaH,GAClB,GAAIC,GAAgBC,EAAUF,MAC9B/M,GAAUgN,EAAe,SAAU3S,GAC/BA,MAEJqS,IAGJ,QAASD,GAAQtR,EAAKoR,GAClB,IAAIY,EAAJ,CAEA,GAAIC,GAAe5O,EAAS/E,EAAK,SAAUyF,EAAK5H,GAK5C,GAJAqV,IACIrV,EAAKC,QAAU,IACfD,EAAOA,EAAK,IAEZ4H,EAAK,CACL,GAAImO,KACJtB,IAAOzM,EAAS,SAAUgO,EAAKC,GAC3BF,EAAYE,GAAQD,IAExBD,EAAYlS,GAAO7D,EACnB6V,GAAW,EACXF,KAEA3S,EAAS4E,EAAKmO,OAEd/N,GAAQnE,GAAO7D,EACf4V,EAAa/R,KAIrBwR,IACA,IAAIa,GAASjB,EAAKA,EAAKhV,OAAS,EAC5BgV,GAAKhV,OAAS,EACdiW,EAAOlO,EAAS8N,GAEhBI,EAAOJ,IAIf,QAASK,KAML,IAFA,GAAIC,GACAnO,EAAU,EACPoO,EAAapW,QAChBmW,EAAcC,EAAapT,MAC3BgF,IACAS,EAAU4N,EAAcF,GAAc,SAAUG,KACpCC,EAAsBD,IAC1BF,EAAa5P,KAAK8P,IAK9B,IAAItO,IAAYwO,EACZ,KAAM,IAAItP,OAAM,iEAIxB,QAASmP,GAAcb,GACnB,GAAIxT,KAMJ,OALAwS,IAAOK,EAAO,SAAUG,EAAMpR,GACtB0B,GAAQ0P,IAASL,GAAYK,EAAMQ,EAAU,IAAM,GACnDxT,EAAOwE,KAAK5C,KAGb5B,EA3JgB,kBAAhB8S,KAEP/R,EAAW+R,EACXA,EAAc,MAElB/R,EAAWU,EAAKV,GAAYS,EAC5B,IAAIiT,GAASrQ,EAAKyO,GACd2B,EAAWC,EAAOzW,MACtB,KAAKwW,EACD,MAAOzT,GAAS,KAEf+R,KACDA,EAAc0B,EAGlB,IAAIzO,MACAqN,EAAe,EACfQ,GAAW,EAEXF,KAEAT,KAGAmB,KAEAG,IAEJ/B,IAAOK,EAAO,SAAUG,EAAMpR,GAC1B,IAAK0B,GAAQ0P,GAIT,MAFAD,GAAYnR,GAAMoR,QAClBoB,GAAa5P,KAAK5C,EAItB,IAAI8S,GAAe1B,EAAKvT,MAAM,EAAGuT,EAAKhV,OAAS,GAC3C2W,EAAwBD,EAAa1W,MACzC,OAA8B,KAA1B2W,GACA5B,EAAYnR,EAAKoR,OACjBoB,GAAa5P,KAAK5C,KAGtB2S,EAAsB3S,GAAO+S,MAE7BlO,GAAUiO,EAAc,SAAUE,GAC9B,IAAK/B,EAAM+B,GACP,KAAM,IAAI1P,OAAM,oBAAsBtD,EAAM,sCAAwC8S,EAAaG,KAAK,MAE1GtB,GAAYqB,EAAgB,WACxBD,IAC8B,IAA1BA,GACA5B,EAAYnR,EAAKoR,UAMjCkB,IACAf,IA6GJ,QAAS2B,IAASpU,EAAOoC,GAKvB,IAJA,GAAIrC,GAAQ,GACRzC,EAAS0C,EAAQA,EAAM1C,OAAS,EAChCgC,EAASW,MAAM3C,KAEVyC,EAAQzC,GACfgC,EAAOS,GAASqC,EAASpC,EAAMD,GAAQA,EAAOC,EAEhD,OAAOV,GAWT,QAAS+U,IAAU9E,EAAQvP,GACzB,GAAID,GAAQ,GACRzC,EAASiS,EAAOjS,MAGpB,KADA0C,IAAUA,EAAQC,MAAM3C,MACfyC,EAAQzC,GACf0C,EAAMD,GAASwP,EAAOxP,EAExB,OAAOC,GAYT,QAASsU,IAAUtU,EAAOP,EAAO8U,GAC/B,GAAIxU,GAAQ,GACRzC,EAAS0C,EAAM1C,MAEP,GAARmC,IACFA,GAASA,EAAQnC,EAAS,EAAKA,EAASmC,GAE1C8U,EAAMA,EAAMjX,EAASA,EAASiX,EACpB,EAANA,IACFA,GAAOjX,GAETA,EAASmC,EAAQ8U,EAAM,EAAMA,EAAM9U,IAAW,EAC9CA,KAAW,CAGX,KADA,GAAIH,GAASW,MAAM3C,KACVyC,EAAQzC,GACfgC,EAAOS,GAASC,EAAMD,EAAQN,EAEhC,OAAOH,GAYT,QAASkV,IAAUxU,EAAOP,EAAO8U,GAC/B,GAAIjX,GAAS0C,EAAM1C,MAEnB,OADAiX,GAAc1U,SAAR0U,EAAoBjX,EAASiX,GAC1B9U,GAAS8U,GAAOjX,EAAU0C,EAAQsU,GAAUtU,EAAOP,EAAO8U,GAYrE,QAASE,IAAcC,EAAYC,GAGjC,IAFA,GAAI5U,GAAQ2U,EAAWpX,OAEhByC,KAAWkS,GAAY0C,EAAYD,EAAW3U,GAAQ,GAAK,KAClE,MAAOA,GAYT,QAAS6U,IAAgBF,EAAYC,GAInC,IAHA,GAAI5U,GAAQ,GACRzC,EAASoX,EAAWpX,SAEfyC,EAAQzC,GAAU2U,GAAY0C,EAAYD,EAAW3U,GAAQ,GAAK,KAC3E,MAAOA,GA+BT,QAAS8U,IAAcrL,GACrB,MAAOA,GAAOsL,MAAMC,IA4BtB,QAASC,IAAKxL,EAAQyL,EAAOC,GAE3B,GADA1L,EAAS3B,GAAS2B,GACdA,IAAW0L,GAAmBrV,SAAVoV,GACtB,MAAOzL,GAAOhL,QAAQ2W,GAAU,GAElC,KAAK3L,KAAYyL,EAAQ3E,GAAa2E,IACpC,MAAOzL,EAET,IAAIkL,GAAaG,GAAcrL,GAC3BmL,EAAaE,GAAcI,GAC3BxV,EAAQmV,GAAgBF,EAAYC,GACpCJ,EAAME,GAAcC,EAAYC,GAAc,CAElD,OAAOH,IAAUE,EAAYjV,EAAO8U,GAAKJ,KAAK,IAKhD,QAASiB,IAAYjY,GACjB,MAAO6X,IAAK7X,EAAK0K,WAAWiN,MAAMO,IAAW,IAAIC,MAAM,YAyF3D,QAASC,IAAWpD,EAAO9R,GACvB,GAAImV,KAEJ1D,IAAOK,EAAO,SAAUoB,EAAQrS,GAoB5B,QAASuU,GAAQpQ,EAASqQ,GACtB,GAAIC,GAAUvB,GAASwB,EAAQ,SAAUlJ,GACrC,MAAOrH,GAAQqH,IAEnBiJ,GAAQ7R,KAAK4R,GACbnC,EAAOrW,MAAM,KAAMyY,GAxBvB,GAAIC,EAEJ,IAAIhT,GAAQ2Q,GACRqC,EAASvB,GAAUd,GACnBA,EAASqC,EAAOtV,MAEhBkV,EAAStU,GAAO0U,EAAO/U,OAAO+U,EAAOtY,OAAS,EAAImY,EAAUlC,OACzD,CAAA,GAAsB,IAAlBA,EAAOjW,OACd,KAAM,IAAIkH,OAAM,yDACS,KAAlB+O,EAAOjW,OAEdkY,EAAStU,GAAOqS,GAEhBqC,EAASR,GAAY7B,GACrBqC,EAAOtV,MAEPkV,EAAStU,GAAO0U,EAAO/U,OAAO4U,OAYtCvD,GAAKsD,EAAUnV,GAMnB,QAASwV,IAASzV,GACd0V,WAAW1V,EAAI,GAGnB,QAAS2V,IAAKC,GACV,MAAOxW,GAAK,SAAUY,EAAI/C,GACtB2Y,EAAM,WACF5V,EAAGlD,MAAM,KAAMG,OAiB3B,QAAS4Y,IAAMC,EAAQ9D,EAAa+D,GAMhC,QAASC,GAAQC,EAAG1P,EAAM2P,EAAKjW,GAC3B,GAAgB,MAAZA,GAAwC,kBAAbA,GAC3B,KAAM,IAAImE,OAAM,mCAMpB,OAJA6R,GAAEE,SAAU,EACP3T,GAAQ+D,KACTA,GAAQA,IAEQ,IAAhBA,EAAKrJ,QAAgB+Y,EAAEG,OAEhBC,GAAe,WAClBJ,EAAEK,WAGV3Q,EAAUY,EAAM,SAAU2L,GACtB,GAAInO,IACAwC,KAAM2L,EACNjS,SAAUA,GAAYS,EAGtBwV,GACAD,EAAElE,MAAMwE,QAAQxS,GAEhBkS,EAAElE,MAAMrO,KAAKK,SAGrBsS,IAAeJ,EAAEO,UAErB,QAASC,GAAMR,EAAGlE,GACd,MAAO,YACH2E,GAAW,CAEX,IAAIC,IAAU,EACV1Z,EAAOyC,SACXiG,GAAUoM,EAAO,SAAUG,GACvBvM,EAAUiR,EAAa,SAAUd,EAAQnW,GACjCmW,IAAW5D,GAASyE,IACpBC,EAAYnQ,OAAO9G,EAAO,GAC1BgX,GAAU,KAIlBzE,EAAKjS,SAASnD,MAAMoV,EAAMjV,GAEX,MAAXA,EAAK,IACLgZ,EAAEY,MAAM5Z,EAAK,GAAIiV,EAAK3L,QAI1BmQ,GAAWT,EAAEjE,YAAciE,EAAEjK,QAC7BiK,EAAEa,cAGFb,EAAElE,MAAM7U,OAASwZ,IAAY,GAC7BT,EAAEK,QAENL,EAAEO,WA7DV,GAAmB,MAAfxE,EACAA,EAAc,MACX,IAAoB,IAAhBA,EACP,KAAM,IAAI5N,OAAM,+BA8DpB,IAAIsS,GAAU,EACVE,KACAX,GACAlE,SACAC,YAAaA,EACb+D,QAASA,EACTgB,UAAWrW,EACXoW,YAAapW,EACbsL,OAAQgG,EAAc,EACtBgF,MAAOtW,EACP4V,MAAO5V,EACPmW,MAAOnW,EACPyV,SAAS,EACTc,QAAQ,EACRvT,KAAM,SAAU6C,EAAMtG,GAClB+V,EAAQC,EAAG1P,GAAM,EAAOtG,IAE5BiX,KAAM,WACFjB,EAAEK,MAAQ5V,EACVuV,EAAElE,UAENwE,QAAS,SAAUhQ,EAAMtG,GACrB+V,EAAQC,EAAG1P,GAAM,EAAMtG,IAE3BuW,QAAS,WACL,MAAQP,EAAEgB,QAAUP,EAAUT,EAAEjE,aAAeiE,EAAElE,MAAM7U,QAAQ,CAE3D,GAAI6U,GAAQkE,EAAEF,QAAUE,EAAElE,MAAMtL,OAAO,EAAGwP,EAAEF,SAAWE,EAAElE,MAAMtL,OAAO,EAAGwP,EAAElE,MAAM7U,QAE7EqJ,EAAOyN,GAASjC,EAAOlR,EAAa,QAEjB,KAAnBoV,EAAElE,MAAM7U,QACR+Y,EAAEe,QAENN,GAAW,EACXE,EAAYlT,KAAKqO,EAAM,IAEnB2E,IAAYT,EAAEjE,aACdiE,EAAEc,WAGN,IAAIvW,GAAK2D,EAASsS,EAAMR,EAAGlE,GAC3B+D,GAAOvP,EAAM/F,KAGrBtD,OAAQ,WACJ,MAAO+Y,GAAElE,MAAM7U,QAEnBuH,QAAS,WACL,MAAOiS,IAEXE,YAAa,WACT,MAAOA,IAEXR,KAAM,WACF,MAAOH,GAAElE,MAAM7U,OAASwZ,IAAY,GAExCS,MAAO,WACHlB,EAAEgB,QAAS,GAEfG,OAAQ,WACJ,GAAInB,EAAEgB,UAAW,EAAjB,CAGAhB,EAAEgB,QAAS,CAIX,KAAK,GAHDI,GAAcC,KAAKC,IAAItB,EAAEjE,YAAaiE,EAAElE,MAAM7U,QAGzCsa,EAAI,EAAQH,GAALG,EAAkBA,IAC9BnB,GAAeJ,EAAEO,WAI7B,OAAOP,GA+EX,QAASwB,IAAM3B,EAAQC,GACrB,MAAOF,IAAMC,EAAQ,EAAGC,GAwB1B,QAAS2B,IAAYnT,EAAKD,EAAOtC,EAAUxB,GACzC6D,EAAaC,GAAOC,EAAKvC,EAAUxB,GA6DrC,QAASmX,IAAO3S,EAAK4S,EAAM5V,EAAUxB,GACjCqX,GAAa7S,EAAK,SAAU8S,EAAGjU,EAAGrD,GAC9BwB,EAAS4V,EAAME,EAAG,SAAUjT,EAAKO,GAC7BwS,EAAOxS,EACP5E,EAAGqE,MAER,SAAUA,GACTrE,EAAGqE,EAAK+S,KAwChB,QAASG,MACL,GAAI1X,GAAMX,SACV,OAAON,GAAK,SAAUnC,GAClB,GAAIsD,GAAO1D,KAEP2D,EAAKvD,EAAKA,EAAKC,OAAS,EACX,mBAANsD,GACPvD,EAAKiD,MAELM,EAAKE,EAGTiX,GAAOtX,EAAKpD,EAAM,SAAU+a,EAAShY,EAAIQ,GACrCR,EAAGlD,MAAMyD,EAAMyX,EAAQvX,QAAQrB,EAAK,SAAUyF,EAAKoT,GAC/CzX,EAAGqE,EAAKoT,SAEb,SAAUpT,EAAKI,GACdzE,EAAG1D,MAAMyD,GAAOsE,GAAKpE,OAAOwE,QAuCxC,QAASiT,MACP,MAAOH,IAAIjb,MAAM,KAAMqb,GAAQhb,KAAKuC,YAGtC,QAAS0Y,IAAShY,EAAQ4E,EAAKhF,EAAIC,GAC/B,GAAIf,KACJkB,GAAO4E,EAAK,SAAU8S,EAAGnY,EAAOa,GAC5BR,EAAG8X,EAAG,SAAUjT,EAAKwT,GACjBnZ,EAASA,EAAOuB,OAAO4X,OACvB7X,EAAGqE,MAER,SAAUA,GACT5E,EAAS4E,EAAK3F,KA6CtB,QAASoZ,IAAWtY,GAChB,MAAO,UAAUuE,EAAKvC,EAAU/B,GAC5B,MAAOD,GAAGuY,GAAQhU,EAAKvC,EAAU/B,IAgCzC,QAASuY,IAASxY,GACd,MAAO,UAAUuE,EAAKvC,EAAU/B,GAC5B,MAAOD,GAAG6X,GAActT,EAAKvC,EAAU/B,IAwE/C,QAASwY,IAAcrY,EAAQsY,EAAOC,GAClC,MAAO,UAAU3T,EAAKV,EAAOtC,EAAUxB,GACnC,QAASyD,GAAKY,GACNrE,IACIqE,EACArE,EAAGqE,GAEHrE,EAAG,KAAMmY,GAAU,KAI/B,QAASC,GAAgBd,EAAG3S,EAAGlF,GAC3B,MAAKO,OACLwB,GAAS8V,EAAG,SAAUjT,EAAKO,GACnB5E,IACIqE,GACArE,EAAGqE,GACHrE,EAAKwB,GAAW,GACT0W,EAAMtT,KACb5E,EAAG,KAAMmY,GAAU,EAAMb,IACzBtX,EAAKwB,GAAW,IAGxB/B,MAXYA,IAchBP,UAAUxC,OAAS,GACnBsD,EAAKA,GAAME,EACXN,EAAO4E,EAAKV,EAAOsU,EAAiB3U,KAEpCzD,EAAKwB,EACLxB,EAAKA,GAAME,EACXsB,EAAWsC,EACXlE,EAAO4E,EAAK4T,EAAiB3U,KAKzC,QAAS4U,IAAezT,EAAG0S,GACvB,MAAOA,GAmFX,QAASgB,IAAYxM,GACjB,MAAOlN,GAAK,SAAUY,EAAI/C,GACtB+C,EAAGlD,MAAM,KAAMG,EAAKwD,QAAQrB,EAAK,SAAUyF,EAAK5H,GACrB,gBAAZ8b,WACHlU,EACIkU,QAAQlC,OACRkC,QAAQlC,MAAMhS,GAEXkU,QAAQzM,IACf3G,EAAU1I,EAAM,SAAU6a,GACtBiB,QAAQzM,GAAMwL,aA0EtC,QAASkB,IAAOxa,EAAMwD,EAAUxB,GAC5BA,EAAKA,GAAME,CAEX,IAAIsD,GAAO5E,EAAK,SAAUyF,EAAK5H,GACvB4H,EACArE,EAAGqE,IAEH5H,EAAKyG,KAAKgV,GACVla,EAAK1B,MAAMD,KAAMI,MAIrByb,EAAQ,SAAU7T,EAAKoU,GACvB,MAAIpU,GAAYrE,EAAGqE,GACdoU,MACLjX,GAASgC,GADUxD,EAAG,MAI1BhC,GAAKka,GAuBT,QAASQ,IAASlX,EAAUxD,EAAMgC,GAC9B,GAAI2Y,GAAQ,CAEZH,IAAO,SAAUhV,GACb,MAAImV,KAAU,EAAUnV,EAAK,MAAM,OACnCxF,GAAK1B,MAAMD,KAAM6C,YAClBsC,EAAUxB,GAoCjB,QAAS4Y,IAAO5a,EAAMwD,EAAUxB,GAE5B,GADAA,EAAKA,GAAME,GACNlC,IAAQ,MAAOgC,GAAG,KACvB,IAAIwD,GAAO5E,EAAK,SAAUyF,EAAK5H,GAC3B,MAAI4H,GAAYrE,EAAGqE,GACfrG,EAAK1B,MAAMD,KAAMI,GAAc+E,EAASgC,OAC5CxD,GAAG1D,MAAM,MAAO,MAAM2D,OAAOxD,KAEjC+E,GAASgC,GAyBb,QAASqV,IAASrX,EAAUxD,EAAMgC,GAC9B,GAAI2Y,GAAQ,CACZ,OAAOC,IAAO,WACV,QAASD,GAAS,GAAK3a,EAAK1B,MAAMD,KAAM6C,YACzCsC,EAAUxB,GAsBjB,QAAS8Y,IAAQtX,EAAUxD,EAAMgC,GAC7B,MAAO6Y,IAASrX,EAAU,WACtB,OAAQxD,EAAK1B,MAAMD,KAAM6C,YAC1Bc,GAGP,QAAS+Y,IAAcvX,GACnB,MAAO,UAAU3E,EAAOsC,EAAOM,GAC3B,MAAO+B,GAAS3E,EAAO4C,IAwB/B,QAASuZ,IAAUxU,EAAKV,EAAOtC,EAAUxB,GACvC,MAAO6D,GAAaC,GAAOU,EAAKuU,GAAcvX,GAAWxB,GAqH3D,QAASiZ,IAAYzZ,GACjB,MAAOD,GAAc,SAAU9C,EAAMgD,GACjC,GAAIyZ,IAAO,CACXzc,GAAKyG,KAAK,WACN,GAAIiW,GAAYja,SACZga,GACArD,GAAe,WACXpW,EAASnD,MAAM,KAAM6c,KAGzB1Z,EAASnD,MAAM,KAAM6c,KAG7B3Z,EAAGlD,MAAMD,KAAMI,GACfyc,GAAO,IAIf,QAASE,IAAMxU,GACX,OAAQA,EAyEZ,QAASyU,IAAQzZ,EAAQ4E,EAAKhD,EAAU/B,GACpC,GAAIgF,KACJ7E,GAAO4E,EAAK,SAAU8S,EAAGnY,EAAOM,GAC5B+B,EAAS8V,EAAG,SAAUjT,EAAKO,GACnBP,EACA5E,EAAS4E,IAELO,GACAH,EAAQvB,MAAO/D,MAAOA,EAAOtC,MAAOya,IAExC7X,QAGT,SAAU4E,GACLA,EACA5E,EAAS4E,GAET5E,EAAS,KAAM+T,GAAS/O,EAAQ6U,KAAK,SAAUC,EAAGC,GAC9C,MAAOD,GAAEpa,MAAQqa,EAAEra,QACnBkB,EAAa,aAmG7B,QAASoZ,IAAQja,EAAIQ,GAIjB,QAASwD,GAAKa,GACV,MAAIA,GAAYZ,EAAKY,OACrBqN,GAAKlO,GALT,GAAIC,GAAOE,EAAS3D,GAAME,GACtBwR,EAAOuH,GAAYzZ,EAMvBgE,KAmCJ,QAASkW,IAAYnI,GACjB,QAASoI,GAAaxa,GAClB,QAASK,KAIL,MAHI+R,GAAM7U,QACN6U,EAAMpS,GAAO7C,MAAM,KAAM4C,WAEtBM,EAAGgE,OAKd,MAHAhE,GAAGgE,KAAO,WACN,MAAOrE,GAAQoS,EAAM7U,OAAS,EAAIid,EAAaxa,EAAQ,GAAK,MAEzDK,EAEX,MAAOma,GAAa,GAkDxB,QAASC,IAAe7V,EAAKD,EAAOtC,EAAU/B,GAC1C,GAAIoa,KACJ3C,IAAYnT,EAAKD,EAAO,SAAU2O,EAAKnS,EAAKkD,GACxChC,EAASiR,EAAKnS,EAAK,SAAU+D,EAAK3F,GAC9B,MAAI2F,GAAYb,EAAKa,IACrBwV,EAAOvZ,GAAO5B,MACd8E,SAEL,SAAUa,GACT5E,EAAS4E,EAAKwV,KAkEtB,QAAS9S,IAAIhD,EAAKzD,GACd,MAAOA,KAAOyD,GAsClB,QAAS+V,IAAUta,EAAIua,GACnB,GAAI3C,GAAOnW,OAAO+Y,OAAO,MACrBC,EAAShZ,OAAO+Y,OAAO,KAC3BD,GAASA,GAAUjJ,EACnB,IAAItB,GAAWjQ,EAAc,SAAkB9C,EAAMgD,GACjD,GAAIa,GAAMyZ,EAAOzd,MAAM,KAAMG,EACzBsK,IAAIqQ,EAAM9W,GACVuV,GAAe,WACXpW,EAASnD,MAAM,KAAM8a,EAAK9W,MAEvByG,GAAIkT,EAAQ3Z,GACnB2Z,EAAO3Z,GAAK4C,KAAKzD,IAEjBwa,EAAO3Z,IAAQb,GACfD,EAAGlD,MAAM,KAAMG,EAAKwD,QAAQrB,EAAK,SAAUnC,GACvC2a,EAAK9W,GAAO7D,CACZ,IAAIgZ,GAAIwE,EAAO3Z,SACR2Z,GAAO3Z,EACd,KAAK,GAAI+C,GAAI,EAAG6W,EAAIzE,EAAE/Y,OAAYwd,EAAJ7W,EAAOA,IACjCoS,EAAEpS,GAAG/G,MAAM,KAAMG,UAOjC,OAFA+S,GAAS4H,KAAOA,EAChB5H,EAAS2K,WAAa3a,EACfgQ,EA6CX,QAAS4K,IAAUxa,EAAQ2R,EAAO9R,GAC9BA,EAAWA,GAAYS,CACvB,IAAIuE,GAAU/D,EAAY6Q,QAE1B3R,GAAO2R,EAAO,SAAUG,EAAMpR,EAAKb,GAC/BiS,EAAK9S,EAAK,SAAUyF,EAAK5H,GACjBA,EAAKC,QAAU,IACfD,EAAOA,EAAK,IAEhBgI,EAAQnE,GAAO7D,EACfgD,EAAS4E,OAEd,SAAUA,GACT5E,EAAS4E,EAAKI,KAuBtB,QAAS4V,IAAc9I,EAAOzN,EAAO9D,GACnC,MAAOoa,IAAUvW,EAAaC,GAAQyN,EAAOvR,GAwK/C,QAASsa,IAAShF,EAAQ9D,GACxB,MAAO6D,IAAM,SAAUkF,EAAOva,GAC5BsV,EAAOiF,EAAM,GAAIva,IAChBwR,EAAa,GA0BlB,QAASgJ,IAAelF,EAAQ9D,GAC5B,QAASiJ,GAAclB,EAAGC,GACtB,MAAOD,GAAEmB,SAAWlB,EAAEkB,SAG1B,QAASC,GAAcC,EAAUrX,EAAMsX,GAGnC,IAFA,GAAIC,GAAM,GACNnH,EAAMiH,EAASle,OAAS,EACfiX,EAANmH,GAAW,CACd,GAAIC,GAAMD,GAAOnH,EAAMmH,EAAM,IAAM,EAC/BD,GAAQtX,EAAMqX,EAASG,KAAS,EAChCD,EAAMC,EAENpH,EAAMoH,EAAM,EAGpB,MAAOD,GAGX,QAAStF,GAAQC,EAAG1P,EAAM2U,EAAUjb,GAChC,GAAgB,MAAZA,GAAwC,kBAAbA,GAC3B,KAAM,IAAImE,OAAM,mCAMpB,OAJA6R,GAAEE,SAAU,EACP3T,GAAQ+D,KACTA,GAAQA,IAEQ,IAAhBA,EAAKrJ,OAEEmZ,GAAe,WAClBJ,EAAEK,cAGV3Q,GAAUY,EAAM,SAAU2L,GACtB,GAAInO,IACAwC,KAAM2L,EACNgJ,SAAUA,EACVjb,SAA8B,kBAAbA,GAA0BA,EAAWS,EAG1DuV,GAAElE,MAAMtL,OAAO0U,EAAclF,EAAElE,MAAOhO,EAAMkX,GAAiB,EAAG,EAAGlX,GAEnEsS,GAAeJ,EAAEO,WAKzB,GAAIP,GAAI6E,GAAQhF,EAAQ9D,EAUxB,OAPAiE,GAAEvS,KAAO,SAAU6C,EAAM2U,EAAUjb,GAC/B+V,EAAQC,EAAG1P,EAAM2U,EAAUjb,UAIxBgW,GAAEM,QAEFN,EAWX,QAASuF,IAAeC,EAAU5V,GAChC,MAAO,UAAS6V,EAAY1Z,GAC1B,GAAkB,MAAd0Z,EACF,MAAOA,EAET,KAAKxa,EAAYwa,GACf,MAAOD,GAASC,EAAY1Z,EAM9B,KAJA,GAAI9E,GAASwe,EAAWxe,OACpByC,EAAQkG,EAAY3I,EAAS,GAC7BoI,EAAW7D,OAAOia,IAEd7V,EAAYlG,MAAYA,EAAQzC,IAClC8E,EAASsD,EAAS3F,GAAQA,EAAO2F,MAAc,IAIrD,MAAOoW,IA4CX,QAAShQ,IAAQgQ,EAAY1Z,GAC3B,GAAIjF,GAAOyF,GAAQkZ,GAAc/V,EAAYgW,EAC7C,OAAO5e,GAAK2e,EAAYjK,GAAazP,EAAU,IAsCjD,QAAS4Z,IAAK7J,EAAOvR,GAEjB,MADAA,GAAKG,EAAKH,GAAME,GACX8B,GAAQuP,GACRA,EAAM7U,WACXwO,IAAQqG,EAAO,SAAUG,GACrBA,EAAK1R,KAFiBA,IADEA,EAAG,GAAIlB,WAAU,yDA8BjD,QAASuc,IAAY7W,EAAK4S,EAAM5V,EAAUxB,GACxC,GAAIsb,GAAWnd,GAAMxB,KAAK6H,GAAKmT,SAC/BR,IAAOmE,EAAUlE,EAAM5V,EAAUxB,GAyCnC,QAASub,IAAQ/b,GACb,MAAOD,GAAc,SAAmB9C,EAAM+e,GAmB1C,MAlBA/e,GAAKyG,KAAKtE,EAAK,SAAkByF,EAAKoX,GAClC,GAAIpX,EACAmX,EAAgB,MACZnF,MAAOhS,QAER,CACH,GAAIxH,GAAQ,IACU,KAAlB4e,EAAO/e,OACPG,EAAQ4e,EAAO,GACRA,EAAO/e,OAAS,IACvBG,EAAQ4e,GAEZD,EAAgB,MACZ3e,MAAOA,QAKZ2C,EAAGlD,MAAMD,KAAMI,KAI9B,QAASif,IAAS9b,EAAQ4E,EAAKhD,EAAU/B,GACrC4Z,GAAQzZ,EAAQ4E,EAAK,SAAU3H,EAAOmD,GAClCwB,EAAS3E,EAAO,SAAUwH,EAAKO,GACvBP,EACArE,EAAGqE,GAEHrE,EAAG,MAAO4E,MAGnBnF,GAwFP,QAASkc,IAAWpK,GAClB,MAAOA,GAAM7I,IAAI6S,IAmFnB,QAASK,IAAOrK,EAAOvR,GACrB,MAAOoa,IAAU/C,GAAc9F,EAAOvR,GAsBxC,QAAS6b,IAAWhf,GAClB,MAAO,YACL,MAAOA,IAyEX,QAASif,IAAMC,EAAOrK,EAAMjS,GASxB,QAASuc,GAAWC,EAAKC,GACrB,GAAiB,gBAANA,GACPD,EAAIF,OAASG,EAAEH,OAASI,EAExBF,EAAIG,aAAqC,kBAAfF,GAAEG,SAA0BH,EAAEG,SAAWR,IAAYK,EAAEG,UAAYC,OAC1F,CAAA,GAAiB,gBAANJ,IAA+B,gBAANA,GAGvC,KAAM,IAAItY,OAAM,oCAFhBqY,GAAIF,OAASG,GAAKC,GAiC1B,QAASI,GAAaC,GAClB,MAAO,UAAUC,GACb/K,EAAK,SAAUrN,EAAK3F,GAChB+d,GAAgBpY,GAAOmY,GACnBnY,IAAKA,EACL3F,OAAQA,OAMxB,QAASge,GAAcL,GACnB,MAAO,UAAUI,GACbvH,WAAW,WACPuH,EAAe,OAChBJ,IA9DX,GAAIF,GAAgB,EAChBG,EAAmB,EAEnBK,GACAZ,MAAOI,EACPC,aAAcP,GAAWS,GAuB7B,IARIpd,UAAUxC,OAAS,GAAsB,kBAAVqf,IAC/Btc,EAAWiS,GAAQxR,EACnBwR,EAAOqK,IAEPC,EAAWW,EAAMZ,GACjBtc,EAAWA,GAAYS,GAGP,kBAATwR,GACP,KAAM,IAAI9N,OAAM,oCAIpB,KAAK,GADDgZ,MACKvZ,EAAI,EAAGA,EAAIsZ,EAAKZ,MAAQ,EAAG1Y,IAAK,CACrC,GAAImZ,GAAiBnZ,GAAKsZ,EAAKZ,KAC/Ba,GAAS1Z,KAAKqZ,EAAaC,GAC3B,IAAIH,GAAWM,EAAKP,aAAa/Y,IAC5BmZ,GAAkBH,EAAW,GAC9BO,EAAS1Z,KAAKwZ,EAAcL,IAIpCT,GAAOgB,EAAU,SAAUnZ,EAAMsC,GAC7BA,EAAOA,EAAKA,EAAKrJ,OAAS,GAC1B+C,EAASsG,EAAK1B,IAAK0B,EAAKrH,UA8ChC,QAASme,IAAWF,EAAMjL,GAKtB,MAJKA,KACDA,EAAOiL,EACPA,EAAO,MAEJpd,EAAc,SAAU9C,EAAMgD,GACjC,QAASkT,GAAO3S,GACZ0R,EAAKpV,MAAM,KAAMG,EAAKwD,QAAQD,KAG9B2c,EAAMb,GAAMa,EAAMhK,EAAQlT,GAAeqc,GAAMnJ,EAAQlT,KA2HnE,QAASqd,IAAOtY,EAAKhD,EAAUxB,GAW3B,QAAS+c,GAAWC,EAAMC,GACtB,GAAI1D,GAAIyD,EAAKE,SACT1D,EAAIyD,EAAMC,QACd,OAAW1D,GAAJD,EAAQ,GAAKA,EAAIC,EAAI,EAAI,EAbpC9Q,GAAIlE,EAAK,SAAU8S,EAAGtX,GAClBwB,EAAS8V,EAAG,SAAUjT,EAAK6Y,GACvB,MAAI7Y,GAAYrE,EAAGqE,OACnBrE,GAAG,MAAQnD,MAAOya,EAAG4F,SAAUA,OAEpC,SAAU7Y,EAAKI,GACd,MAAIJ,GAAYrE,EAAGqE,OACnBrE,GAAG,KAAMwT,GAAS/O,EAAQ6U,KAAKyD,GAAa1c,EAAa,aAgCjE,QAAS8c,IAAQC,EAASC,EAAaC,GAInC,QAASC,KACAC,IACDC,EAAiBnhB,MAAM,KAAM4C,WAC7Bwe,aAAaC,IAIrB,QAASC,KACL,GAAI9R,GAAOsR,EAAQtR,MAAQ,YACvBuK,EAAQ,GAAIzS,OAAM,sBAAwBkI,EAAO,eACrDuK,GAAMwH,KAAO,YACTP,IACAjH,EAAMiH,KAAOA,GAEjBE,GAAW,EACXC,EAAiBpH,GAlBrB,GAAIoH,GAAkBE,EAClBH,GAAW,CAoBf,OAAOje,GAAc,SAAU9C,EAAMqhB,GACjCL,EAAmBK,EAEnBH,EAAQzI,WAAW0I,EAAiBP,GACpCD,EAAQ9gB,MAAM,KAAMG,EAAKwD,OAAOsd,MAkBxC,QAASQ,IAAUlf,EAAO8U,EAAKqK,EAAM3Y,GAKnC,IAJA,GAAIlG,GAAQ,GACRzC,EAASuhB,GAAYC,IAAYvK,EAAM9U,IAAUmf,GAAQ,IAAK,GAC9Dtf,EAASW,MAAM3C,GAEZA,KACLgC,EAAO2G,EAAY3I,IAAWyC,GAASN,EACvCA,GAASmf,CAEX,OAAOtf,GAkBT,QAASyf,IAAUC,EAAOta,EAAOtC,EAAUxB,GACzC,MAAOqe,IAASN,GAAU,EAAGK,EAAO,GAAIta,EAAOtC,EAAUxB,GA+F3D,QAASse,IAAU9Z,EAAKyX,EAAKza,EAAU/B,GACV,IAArBP,UAAUxC,SACV+C,EAAW+B,EACXA,EAAWya,EACXA,EAAMja,GAAQwC,UAGlBuT,GAAOvT,EAAK,SAAUI,EAAG2Z,EAAGve,GACxBwB,EAASya,EAAKrX,EAAG2Z,EAAGve,IACrB,SAAUqE,GACT5E,EAAS4E,EAAK4X,KAetB,QAASuC,IAAUhf,GACf,MAAO,YACH,OAAQA,EAAG2a,YAAc3a,GAAIlD,MAAM,KAAM4C,YA0BjD,QAASuf,IAAMzgB,EAAMwD,EAAUxB,GAC3B,MAAO4Y,IAAO,WACV,OAAQ5a,EAAK1B,MAAMD,KAAM6C,YAC1BsC,EAAUxB,GA0DjB,QAAS0e,IAAWnN,EAAOvR,GAMvB,QAAS2e,GAASliB,GACd,GAAImiB,IAAcrN,EAAM7U,OACpB,MAAOsD,GAAG1D,MAAM,MAAO,MAAM2D,OAAOxD,GAGxC,IAAI8V,GAAe5O,EAAS/E,EAAK,SAAUyF,EAAK5H,GAC5C,MAAI4H,GACOrE,EAAG1D,MAAM,MAAO+H,GAAKpE,OAAOxD,QAEvCkiB,GAASliB,KAGbA,GAAKyG,KAAKqP,EAEV,IAAIb,GAAOH,EAAMqN,IACjBlN,GAAKpV,MAAM,KAAMG,GAnBrB,GADAuD,EAAKG,EAAKH,GAAME,IACX8B,GAAQuP,GAAQ,MAAOvR,GAAG,GAAI4D,OAAM,6DACzC,KAAK2N,EAAM7U,OAAQ,MAAOsD,IAC1B,IAAI4e,GAAY,CAoBhBD,OA56MJ,GAAIzhB,IAAU,oBACVC,GAAS,6BAET0hB,GAAc5d,OAAO2B,UAOrB3F,GAAiB4hB,GAAY5X,SAyD7B1J,GAAY,kBAGZuhB,GAAgB7d,OAAO2B,UAOvBtF,GAAmBwhB,GAAc7X,SA0BjCxJ,GAAM,IAGNI,GAAS,aAGTO,GAAa,qBAGbL,GAAa,aAGbE,GAAY,cAGZC,GAAe6gB,SA8CfzgB,GAAW,EAAI,EACfE,GAAc,uBAsEdO,GAAkB,sBAGlBC,GAAY8X,KAAKkI,IAgIjBre,GAAYN,EAAa,UAGzBI,GAAmB,iBA+DnBK,GAAmC,kBAAXme,SAAyBA,OAAO9b,SAOxDnC,GAAqBC,OAAOie,eAc5BC,GAAgBle,OAAO2B,UAGvBzB,GAAiBge,GAAche,eAoB/BE,GAAaJ,OAAO6B,KA+DpBhB,GAAU,qBAGVsd,GAAgBne,OAAO2B,UAGvBjB,GAAmByd,GAAcje,eAOjCU,GAAmBud,GAAcnY,SAGjCrF,GAAuBwd,GAAcxd,qBAmDrCI,GAAU3C,MAAM2C,QAGhBE,GAAY,kBAGZmd,GAAgBpe,OAAO2B,UAOvBX,GAAmBod,GAAcpY,SA2CjC3E,GAAqB,iBAGrBC,GAAW,mBAkBXM,GAAgB5B,OAAO2B,UAyLvByb,GAAW/Z,EAAgBC,GA2C3BmE,GAAM7D,EAAQwZ,GAAUiB,EAAAA,GAgCxBC,GAAY5f,EAAY+I,IAmBxB8W,GAAY3a,EAAQwZ,GAAU,GAoB9BoB,GAAkB9f,EAAY6f,IA6C9BE,GAAU9gB,EAAK,SAAUY,EAAI/C,GAC7B,MAAOmC,GAAK,SAAU+gB,GAClB,MAAOngB,GAAGlD,MAAM,KAAMG,EAAKwD,OAAO0f,QAuItCla,GAAUL,IAgFVwa,GAAavgB,MAAMuD,UAGnBqD,GAAS2Z,GAAW3Z,MAiGxBI,GAAUzD,UAAU2D,MAAQb,EAC5BW,EAAUzD,UAAU,UAAYkD,EAChCO,EAAUzD,UAAUiE,IAAMX,EAC1BG,EAAUzD,UAAUmE,IAAMZ,EAC1BE,EAAUzD,UAAU6D,IAAML,CAmF1B,IAAIyZ,IAAa3Y,EAA6B,gBAAVpL,SAAsBA,QAGtDgkB,GAAW5Y,EAA2B,gBAAR6Y,OAAoBA,MAGlDC,GAAa9Y,EAA2B,gBAAR7K,OAAoBA,MAGpD4jB,GAAOJ,IAAcC,IAAYE,IAAcE,SAAS,iBAGxDC,GAAaF,GAAK,sBAGlB7Y,GAAc,WAChB,GAAIgZ,GAAM,SAASC,KAAKF,IAAcA,GAAWrd,MAAQqd,GAAWrd,KAAKwd,UAAY,GACrF,OAAOF,GAAO,iBAAmBA,EAAO,MAetC9Y,GAAiB4Y,SAAStd,UAAUqE,SAyBpCsZ,GAAe,sBAGf7Y,GAAe,8BAGf8Y,GAAgBvf,OAAO2B,UAGvB6d,GAAeP,SAAStd,UAAUqE,SAGlCyZ,GAAmBF,GAAcrf,eAGjCsG,GAAakZ,OAAO,IACtBF,GAAa9jB,KAAK+jB,IAAkB9iB,QAAQ2iB,GAAc,QACzD3iB,QAAQ,yDAA0D,SAAW,KA6C5EkK,GAAeF,GAAU3G,OAAQ,UA4BjCgH,GAAiB,4BAGjB2Y,GAAgB3f,OAAO2B,UAGvBsF,GAAmB0Y,GAAczf,eAqBjC0f,GAAgB5f,OAAO2B,UAGvBwF,GAAmByY,GAAc1f,eAiBjCmH,GAAmB,2BAqCvBC,IAAK3F,UAAU2D,MAAQsB,GACvBU,GAAK3F,UAAU,UAAYmF,GAC3BQ,GAAK3F,UAAUiE,IAAMmB,GACrBO,GAAK3F,UAAUmE,IAAMoB,GACrBI,GAAK3F,UAAU6D,IAAM4B,EAGrB,IAAIM,IAAMf,GAAUqY,GAAM,MAuH1B9W,IAASvG,UAAU2D,MAAQiC,GAC3BW,GAASvG,UAAU,UAAYmG,GAC/BI,GAASvG,UAAUiE,IAAMmC,GACzBG,GAASvG,UAAUmE,IAAMkC,GACzBE,GAASvG,UAAU6D,IAAMyC,EAGzB,IAAII,IAAmB,GAiCvBC,IAAM3G,UAAU2D,MAAQG,EACxB6C,GAAM3G,UAAU,UAAY+D,EAC5B4C,GAAM3G,UAAUiE,IAAMD,EACtB2C,GAAM3G,UAAUmE,IAAMD,EACtByC,GAAM3G,UAAU6D,IAAM2C,EAGtB,IAAIK,IAAmB,2BAiDvBE,IAAS/G,UAAUiH,IAAMF,GAAS/G,UAAUM,KAAOsG,GACnDG,GAAS/G,UAAUmE,IAAM2C,EAwBzB,IAAIiB,IAA2B,EAC3BL,GAAyB,EA2EzBwW,GAAWb,GAAKhB,OAGhBvT,GAAauU,GAAKvU,WAoClBY,GAA2B,EAC3BD,GAAyB,EACzBV,GAAU,mBACVC,GAAU,gBACVC,GAAW,iBACXK,GAAS,eACTH,GAAY,kBACZC,GAAY,kBACZI,GAAS,eACTH,GAAc,kBACdM,GAAc,kBACdd,GAAiB,uBACjBJ,GAAc,oBACd0V,GAAcD,GAAWA,GAASle,UAAY3D,OAC9CuN,GAAgBuU,GAAcA,GAAYpjB,QAAUsB,OAuFpDyN,GAAyB,EA+EzBsU,GAAWpZ,GAAUqY,GAAM,YAG3BgB,GAAUrZ,GAAUqY,GAAM,WAG1BiB,GAAMtZ,GAAUqY,GAAM,OAGtBkB,GAAUvZ,GAAUqY,GAAM,WAE1BmB,GAAW,eACXC,GAAc,kBACdC,GAAa,mBACbC,GAAW,eACXC,GAAa,mBACbC,GAAgB,oBAGhBC,GAAiBzgB,OAAO2B,UAOxBuK,GAAmBuU,GAAeza,SAGlC0a,GAAqBta,GAAS2Z,IAC9BY,GAAgBva,GAASsB,IACzBkZ,GAAoBxa,GAAS4Z,IAC7Ba,GAAgBza,GAAS6Z,IACzBa,GAAoB1a,GAAS8Z,KAc5BH,IAAY9T,GAAO,GAAI8T,IAAS,GAAIgB,aAAY,MAAQP,IACxD9Y,IAAOuE,GAAO,GAAIvE,MAAQyY,IAC1BH,IAAW/T,GAAO+T,GAAQgB,YAAcX,IACxCJ,IAAOhU,GAAO,GAAIgU,MAAQK,IAC1BJ,IAAWjU,GAAO,GAAIiU,MAAYK,MACrCtU,GAAS,SAASrQ,GAChB,GAAI6B,GAASyO,GAAiBxQ,KAAKE,GAC/B4F,EAAO/D,GAAU2iB,GAAcxkB,EAAM6F,YAAczD,OACnDijB,EAAazf,EAAO4E,GAAS5E,GAAQxD,MAEzC,IAAIijB,EACF,OAAQA,GACN,IAAKP,IAAoB,MAAOF,GAChC,KAAKG,IAAe,MAAOR,GAC3B,KAAKS,IAAmB,MAAOP,GAC/B,KAAKQ,IAAe,MAAOP,GAC3B,KAAKQ,IAAmB,MAAOP,IAGnC,MAAO9iB,IAIX,IAAImP,IAAWX,GAEXiV,GAAY,qBACZC,GAAa,iBACbC,GAAY,mBACZC,GAAY,gBACZC,GAAa,iBACbC,GAAY,oBACZC,GAAW,eACXC,GAAc,kBACdC,GAAc,kBACdC,GAAc,kBACdC,GAAW,eACXC,GAAc,kBACdC,GAAe,mBACfC,GAAmB,uBACnBC,GAAgB,oBAChBC,GAAa,wBACbC,GAAa,wBACbC,GAAU,qBACVC,GAAW,sBACXC,GAAW,sBACXC,GAAW,sBACXC,GAAkB,6BAClBC,GAAY,uBACZC,GAAY,uBAEZrW,KACJA,IAAe6V,IAAc7V,GAAe8V,IAC5C9V,GAAe+V,IAAW/V,GAAegW,IACzChW,GAAeiW,IAAYjW,GAAekW,IAC1ClW,GAAemW,IAAmBnW,GAAeoW,IACjDpW,GAAeqW,KAAa,EAC5BrW,GAAe8U,IAAa9U,GAAe+U,IAC3C/U,GAAe2V,IAAoB3V,GAAegV,IAClDhV,GAAe4V,IAAiB5V,GAAeiV,IAC/CjV,GAAekV,IAAclV,GAAemV,IAC5CnV,GAAeoV,IAAYpV,GAAeqV,IAC1CrV,GAAesV,IAAetV,GAAeuV,IAC7CvV,GAAewV,IAAYxV,GAAeyV,IAC1CzV,GAAe0V,KAAgB,CAG/B,IAAIY,IAAiB1iB,OAAO2B,UAOxB0K,GAAmBqW,GAAe1c,SA0BlCkH,GAAyB,EAGzBL,GAAY,qBACZH,GAAW,iBACXI,GAAY,kBAEZ6V,GAAgB3iB,OAAO2B,UAGvByL,GAAmBuV,GAAcziB,eAqFjC4N,GAAyB,EACzBC,GAAuB,EA4HvBO,GAAoB,qBAmExBF,IAAQI,MAAQtG,EAGhB,IAs+BI0a,IAt+BAjU,GAAa,EAAI,EAGjBkU,GAAgBhD,GAAWA,GAASle,UAAY3D,OAChD0Q,GAAiBmU,GAAgBA,GAAc7c,SAAWhI,OA+C1D8kB,GAAa,4FAGbC,GAAe,WASflU,GAAeT,GAAQ,SAASzG,GAClC,GAAIlK,KAIJ,OAHAuI,IAAS2B,GAAQhL,QAAQmmB,GAAY,SAAS7P,EAAO+P,EAAQC,EAAOtb,GAClElK,EAAOwE,KAAKghB,EAAQtb,EAAOhL,QAAQomB,GAAc,MAASC,GAAU/P,KAE/DxV,IAcLuR,GAAe,mDACfD,GAAgB,QAuBhBG,GAAa,EAAI,EA4IjBS,GAA2B,EAC3BC,GAAyB,EAyhBzBsT,GAAgB,kBAChBC,GAAoB,iCACpBC,GAAsB,kBACtBC,GAAa,iBACbC,GAAW,IAAMJ,GAAgB,IACjCK,GAAU,IAAMJ,GAAoBC,GAAsB,IAC1DI,GAAS,2BACTC,GAAa,MAAQF,GAAU,IAAMC,GAAS,IAC9CE,GAAc,KAAOR,GAAgB,IACrCS,GAAa,kCACbC,GAAa,qCACbC,GAAQ,UACRC,GAAWL,GAAa,IACxBM,GAAW,IAAMV,GAAa,KAC9BW,GAAY,MAAQH,GAAQ,OAASH,GAAaC,GAAYC,IAAYtR,KAAK,KAAO,IAAMyR,GAAWD,GAAW,KAClHG,GAAQF,GAAWD,GAAWE,GAC9BE,GAAW,OAASR,GAAcH,GAAU,IAAKA,GAASI,GAAYC,GAAYN,IAAUhR,KAAK,KAAO,IAExGY,GAAkBwM,OAAO8D,GAAS,MAAQA,GAAS,KAAOU,GAAWD,GAAO,KAc5E3Q,GAAW,aAwCXE,GAAY,qCA+HZ2Q,GAA0C,kBAAjBC,eAA+BA,aACxDC,GAAiC,gBAAZtP,UAAoD,kBAArBA,SAAQuP,QAiB5D1B,IADAuB,GACSC,aACFC,GACEtP,QAAQuP,SAERtQ,EAGb,IA0hDIuQ,IA1hDA3P,GAAiBV,GAAK0O,IA2QtBxM,GAAexS,EAAQqS,GAAa,GA6GpCS,GAAUtY,MAAMuD,UAAU+U,QAyF1BI,GAASlT,EAAQqS,GAAaoI,EAAAA,GAkC9Brf,GAAS6X,GAAWF,IA0BpB6N,GAAezN,GAASJ,IA2CxB8N,GAAW9mB,EAAK,SAAUgL,GAC1B,GAAInN,IAAQ,MAAMwD,OAAO2J,EACzB,OAAOrK,GAAc,SAAUomB,EAAalmB,GACxC,MAAOA,GAASnD,MAAMD,KAAMI,OAgFhCmpB,GAAS3N,GAAcF,GAAQjH,GAAUuH,IAuBzCwN,GAAc5N,GAAcf,GAAapG,GAAUuH,IAqBnDyN,GAAe7N,GAAcZ,GAAcvG,GAAUuH,IA+CrD0N,GAAMzN,GAAY,OAmRlB0N,GAAOnhB,EAAQmU,GAAWsG,EAAAA,GAqB1B2G,GAAaphB,EAAQmU,GAAW,GA4EhCkN,GAAajO,GAAcf,GAAakC,GAAOA,IA6B/C+M,GAAQthB,EAAQqhB,GAAY5G,EAAAA,GAoB5B8G,GAAcvhB,EAAQqhB,GAAY,GA4ClCG,GAAc/hB,EAAgB+U,IA4B9BiN,GAASzhB,EAAQwhB,GAAa/G,EAAAA,GAkB9BiH,GAAe1hB,EAAQwhB,GAAa,GAmHpCG,GAAMlO,GAAY,OA2ElBmO,GAAY5hB,EAAQ+U,GAAgB0F,EAAAA,GAmBpCoH,GAAkB7hB,EAAQ+U,GAAgB,EAuG1C4L,IADAF,GACWtP,QAAQuP,SACZH,GACIC,aAEApQ,EAGf,IAAIsQ,IAAWpQ,GAAKqQ,IA2GhBmB,GAAW9hB,EAAQwV,GAAeiF,EAAAA,GAkOlCnE,GAAWH,GAAexV,GAiF1BrH,GAAQkB,MAAMuD,UAAUzE,MAuHxByoB,GAActiB,EAAgBoX,IA2B9BmL,GAAShiB,EAAQ+hB,GAAatH,EAAAA,GA4D9BwH,GAAejiB,EAAQ+hB,GAAa,GAgSpCG,GAAY9O,GAAcf,GAAa8P,QAASlW,IA+BhDmW,GAAOpiB,EAAQkiB,GAAWzH,EAAAA,GAqB1B4H,GAAariB,EAAQkiB,GAAW,GAsHhC7I,GAAapH,KAAKqQ,KAClBlJ,GAAcnH,KAAKkI,IA0EnBjD,GAAQlX,EAAQsZ,GAAWmB,EAAAA,GAe3B8H,GAAcviB,EAAQsZ,GAAW,GA2LjChf,IACAogB,UAAWA,GACXE,gBAAiBA,GACjBnjB,MAAOojB,GACP3a,SAAUA,EACVuM,KAAMA,GACNqD,WAAYA,GACZsC,MAAOA,GACPS,QAASA,GACTzX,OAAQA,GACRwlB,aAAcA,GACdC,SAAUA,GACVE,OAAQA,GACRC,YAAaA,GACbC,aAAcA,GACdC,IAAKA,GACLrN,SAAUA,GACVI,QAASA,GACTD,SAAUA,GACVL,OAAQA,GACRwN,KAAMA,GACNhN,UAAWA,GACXjB,OAAQA,GACRb,YAAaA,GACbG,aAAcA,GACd4O,WAAYA,GACZhN,YAAaA,GACbkN,MAAOA,GACPD,WAAYA,GACZE,YAAaA,GACbE,OAAQA,GACRD,YAAaA,GACbE,aAAcA,GACd9M,QAASA,GACTtW,SAAUuW,GACV8M,IAAKA,GACL9d,IAAKA,GACL2V,SAAUA,GACVmB,UAAWA,GACXiH,UAAWA,GACX7M,eAAgBA,GAChB8M,gBAAiBA,GACjBrX,QAASyK,GACTyL,SAAUA,GACVoB,SAAUA,GACVtM,cAAeA,GACfG,cAAeA,GACfnF,MAAOiF,GACPc,KAAMA,GACNjE,OAAQA,GACRkE,YAAaA,GACbE,QAASA,GACTI,WAAYA,GACZkL,OAAQA,GACRD,YAAaA,GACbE,aAAcA,GACdhL,MAAOA,GACPe,UAAWA,GACXtF,IAAKA,GACLqE,OAAQA,GACRyJ,aAAcxP,GACdoR,KAAMA,GACNF,UAAWA,GACXG,WAAYA,GACZpK,OAAQA,GACRK,QAASA,GACTpB,MAAOA,GACPsL,WAAYlJ,GACZiJ,YAAaA,GACb9I,UAAWA,GACXE,UAAWA,GACXC,MAAOA,GACPC,UAAWA,GACX9F,OAAQA,GAGR0O,IAAKnB,GACLoB,IAAKN,GACL/b,QAAS8a,GACTwB,cAAevB,GACfwB,aAAczO,GACd0O,UAAW3P,GACX4P,gBAAiBtQ,GACjBuQ,eAAgB1Q,GAChB2Q,OAAQ1Q,GACR2Q,MAAO3Q,GACP4Q,MAAO1M,GACP2M,OAAQ1B,GACR2B,YAAa5B,GACb6B,aAAc3B,GACd4B,SAAUpjB,EAGd/I,GAAQ,WAAamD,GACrBnD,EAAQujB,UAAYA,GACpBvjB,EAAQyjB,gBAAkBA,GAC1BzjB,EAAQM,MAAQojB,GAChB1jB,EAAQ+I,SAAWA,EACnB/I,EAAQsV,KAAOA,GACftV,EAAQ2Y,WAAaA,GACrB3Y,EAAQib,MAAQA,GAChBjb,EAAQ0b,QAAUA,GAClB1b,EAAQiE,OAASA,GACjBjE,EAAQypB,aAAeA,GACvBzpB,EAAQ0pB,SAAWA,GACnB1pB,EAAQ4pB,OAASA,GACjB5pB,EAAQ6pB,YAAcA,GACtB7pB,EAAQ8pB,aAAeA,GACvB9pB,EAAQ+pB,IAAMA,GACd/pB,EAAQ0c,SAAWA,GACnB1c,EAAQ8c,QAAUA,GAClB9c,EAAQ6c,SAAWA,GACnB7c,EAAQwc,OAASA,GACjBxc,EAAQgqB,KAAOA,GACfhqB,EAAQgd,UAAYA,GACpBhd,EAAQ+b,OAASA,GACjB/b,EAAQkb,YAAcA,GACtBlb,EAAQqb,aAAeA,GACvBrb,EAAQiqB,WAAaA,GACrBjqB,EAAQid,YAAcA,GACtBjd,EAAQmqB,MAAQA,GAChBnqB,EAAQkqB,WAAaA,GACrBlqB,EAAQoqB,YAAcA,GACtBpqB,EAAQsqB,OAASA,GACjBtqB,EAAQqqB,YAAcA,GACtBrqB,EAAQuqB,aAAeA,GACvBvqB,EAAQyd,QAAUA,GAClBzd,EAAQmH,SAAWuW,GACnB1d,EAAQwqB,IAAMA,GACdxqB,EAAQ0M,IAAMA,GACd1M,EAAQqiB,SAAWA,GACnBriB,EAAQwjB,UAAYA,GACpBxjB,EAAQyqB,UAAYA,GACpBzqB,EAAQ4d,eAAiBA,GACzB5d,EAAQ0qB,gBAAkBA,GAC1B1qB,EAAQqT,QAAUyK,GAClB9d,EAAQupB,SAAWA,GACnBvpB,EAAQ2qB,SAAWA,GACnB3qB,EAAQqe,cAAgBA,GACxBre,EAAQwe,cAAgBA,GACxBxe,EAAQqZ,MAAQiF,GAChBte,EAAQof,KAAOA,GACfpf,EAAQmb,OAASA,GACjBnb,EAAQqf,YAAcA,GACtBrf,EAAQuf,QAAUA,GAClBvf,EAAQ2f,WAAaA,GACrB3f,EAAQ6qB,OAASA,GACjB7qB,EAAQ4qB,YAAcA,GACtB5qB,EAAQ8qB,aAAeA,GACvB9qB,EAAQ8f,MAAQA,GAChB9f,EAAQ6gB,UAAYA,GACpB7gB,EAAQub,IAAMA,GACdvb,EAAQ4f,OAASA,GACjB5f,EAAQqpB,aAAexP,GACvB7Z,EAAQirB,KAAOA,GACfjrB,EAAQ+qB,UAAYA,GACpB/qB,EAAQkrB,WAAaA,GACrBlrB,EAAQ8gB,OAASA,GACjB9gB,EAAQmhB,QAAUA,GAClBnhB,EAAQ+f,MAAQA,GAChB/f,EAAQqrB,WAAalJ,GACrBniB,EAAQorB,YAAcA,GACtBprB,EAAQsiB,UAAYA,GACpBtiB,EAAQwiB,UAAYA,GACpBxiB,EAAQyiB,MAAQA,GAChBziB,EAAQ0iB,UAAYA,GACpB1iB,EAAQ4c,OAASA,GACjB5c,EAAQsrB,IAAMnB,GACdnqB,EAAQosB,SAAWlC,GACnBlqB,EAAQqsB,UAAYjC,GACpBpqB,EAAQurB,IAAMN,GACdjrB,EAAQssB,SAAWvB,GACnB/qB,EAAQusB,UAAYrB,GACpBlrB,EAAQwsB,KAAO5C,GACf5pB,EAAQysB,UAAY5C,GACpB7pB,EAAQ0sB,WAAa5C,GACrB9pB,EAAQkP,QAAU8a,GAClBhqB,EAAQwrB,cAAgBvB,GACxBjqB,EAAQyrB,aAAezO,GACvBhd,EAAQ0rB,UAAY3P,GACpB/b,EAAQ2rB,gBAAkBtQ,GAC1Brb,EAAQ4rB,eAAiB1Q,GACzBlb,EAAQ6rB,OAAS1Q,GACjBnb,EAAQ8rB,MAAQ3Q,GAChBnb,EAAQ+rB,MAAQ1M,GAChBrf,EAAQgsB,OAAS1B,GACjBtqB,EAAQisB,YAAc5B,GACtBrqB,EAAQksB,aAAe3B,GACvBvqB,EAAQmsB,SAAWpjB"} \ No newline at end of file
+{"version":3,"file":"build/dist/async.min.js","sources":["build/dist/async.js"],"names":["global","factory","exports","module","define","amd","async","this","apply","func","thisArg","args","length","call","isObject","value","type","isFunction","tag","objectToString","funcTag","genTag","isObjectLike","isSymbol","objectToString$1","symbolTag","toNumber","NAN","other","valueOf","replace","reTrim","isBinary","reIsBinary","test","reIsOctal","freeParseInt","slice","reIsBadHex","toFinite","INFINITY","sign","MAX_INTEGER","toInteger","result","remainder","rest","start","TypeError","FUNC_ERROR_TEXT","nativeMax","undefined","arguments","index","array","Array","otherArgs","initialParams","fn","callback","pop","applyEach$1","eachfn","fns","go","that","cb","concat","noop","once","callFn","baseProperty","key","object","isLength","MAX_SAFE_INTEGER","isArrayLike","getLength","getIterator","coll","iteratorSymbol","getPrototype","nativeGetPrototype","Object","baseHas","hasOwnProperty","baseKeys","nativeKeys","baseTimes","n","iteratee","isArrayLikeObject","isArguments","hasOwnProperty$1","propertyIsEnumerable","objectToString$2","argsTag","isString","isArray","objectToString$3","stringTag","indexKeys","String","isIndex","MAX_SAFE_INTEGER$1","reIsUint","isPrototype","Ctor","constructor","proto","prototype","objectProto$5","keys","isProto","indexes","skipIndexes","push","iterator","len","i","iterate","item","next","done","okeys","onlyOnce","Error","_eachOfLimit","limit","obj","nextElem","running","errored","replenish","elem","err","doParallelLimit","_asyncMap","arr","results","counter","_","v","doLimit","iterable","asyncify","e","then","message","arrayEach","createBaseFor","fromRight","keysFunc","props","baseForOwn","baseFor","indexOfNaN","fromIndex","baseIndexOf","auto","tasks","concurrency","enqueueTask","task","readyTasks","runTask","processQueue","runningTasks","run","shift","addListener","taskName","taskListeners","listeners","taskComplete","hasError","taskCallback","safeResults","val","rkey","taskFn","checkForDeadlocks","currentTask","readyToCheck","getDependents","dependent","uncheckedDependencies","numTasks","keys$$","dependencies","remainingDependencies","dependencyName","join","arrayMap","copyArray","source","checkGlobal","baseToString","symbolToString","INFINITY$1","baseSlice","end","castSlice","charsEndIndex","strSymbols","chrSymbols","charsStartIndex","stringToArray","string","match","reComplexSymbol","toString","trim","chars","guard","reTrim$1","parseParams","STRIP_COMMENTS","FN_ARGS","split","FN_ARG_SPLIT","map","arg","FN_ARG","autoInject","newTasks","newTask","taskCb","newArgs","params","name","fallback","setTimeout","wrap","defer","DLL","head","tail","setInitial","dll","node","queue","worker","payload","_insert","data","pos","q","started","idle","setImmediate$1","drain","_tasks","unshift","process","_next","workers","removed","workersList","splice","error","buffer","unsaturated","saturated","empty","paused","kill","l","Math","min","pause","resume","resumeCount","w","cargo","eachOfLimit","reduce","memo","eachOfSeries","x","compose","seq","reverse","concat$1","y","doParallel","eachOf","doSeries","identity","_createTester","check","getResult","wrappedIteratee","_findGetResult","consoleFunc","console","during","truth","doDuring","calls","whilst","doWhilst","doUntil","_withoutIndex","eachLimit","ensureAsync","sync","innerArgs","notId","_filter","sort","a","b","forever","errback","iterator$1","makeCallback","mapValuesLimit","newObj","has","memoize","hasher","create","queues","memoized","unmemoized","_parallel","parallelLimit","queue$1","items","priorityQueue","priority","nextNode","insertBefore","race","reduceRight","reversed","reflect","reflectCallback","cbArgs","reject$1","reflectAll","series","constant$1","retry","opts","parseTimes","acc","t","times","DEFAULT_TIMES","intervalFunc","interval","DEFAULT_INTERVAL","retryAttempt","isFinalAttempt","seriesCallback","retryInterval","options","attempts","retryable","sortBy","comparator","left","right","criteria","timeout","asyncFn","milliseconds","info","injectedCallback","timedOut","originalCallback","clearTimeout","timer","timeoutCallback","code","origCallback","baseRange","step","nativeMax$1","nativeCeil","timeLimit","count","mapLimit","transform","accumulator","k","unmemoize","until","waterfall","nextTask","taskIndex","_defer","objectProto","objectProto$1","parseInt","max","Symbol","getPrototypeOf","objectProto$2","objectProto$3","objectProto$4","Infinity","applyEach","mapSeries","applyEachSeries","apply$1","callArgs","freeGlobal","freeSelf","self","thisGlobal","root","Function","Symbol$1","symbolProto","rsAstralRange","rsComboMarksRange","rsComboSymbolsRange","rsVarRange","rsAstral","rsCombo","rsFitz","rsModifier","rsNonAstral","rsRegional","rsSurrPair","rsZWJ","reOptMod","rsOptVar","rsOptJoin","rsSeq","rsSymbol","RegExp","hasSetImmediate","setImmediate","hasNextTick","nextTick","removeLink","prev","insertAfter","newNode","_defer$1","functions","newargs","nextargs","concatSeries","constant","values","ignoredArgs","detect","detectLimit","detectSeries","dir","each","eachSeries","everyLimit","every","everySeries","filterLimit","filter","filterSeries","log","mapValues","mapValuesSeries","parallel","rejectLimit","reject","rejectSeries","someLimit","Boolean","some","someSeries","ceil","timesSeries","timesLimit","all","any","forEach","forEachSeries","forEachLimit","forEachOf","forEachOfSeries","forEachOfLimit","inject","foldl","foldr","select","selectLimit","selectSeries","wrapSync","allLimit","allSeries","anyLimit","anySeries","find","findLimit","findSeries"],"mappings":"CAAC,SAAUA,EAAQC,GACE,gBAAZC,UAA0C,mBAAXC,QAAyBF,EAAQC,SACrD,kBAAXE,SAAyBA,OAAOC,IAAMD,QAAQ,WAAYH,GAChEA,EAASD,EAAOM,MAAQN,EAAOM,YAChCC,KAAM,SAAUL,GAAW,YAY3B,SAASM,GAAMC,EAAMC,EAASC,GAC5B,GAAIC,GAASD,EAAKC,MAClB,QAAQA,GACN,IAAK,GAAG,MAAOH,GAAKI,KAAKH,EACzB,KAAK,GAAG,MAAOD,GAAKI,KAAKH,EAASC,EAAK,GACvC,KAAK,GAAG,MAAOF,GAAKI,KAAKH,EAASC,EAAK,GAAIA,EAAK,GAChD,KAAK,GAAG,MAAOF,GAAKI,KAAKH,EAASC,EAAK,GAAIA,EAAK,GAAIA,EAAK,IAE3D,MAAOF,GAAKD,MAAME,EAASC,GA4B7B,QAASG,GAASC,GAChB,GAAIC,SAAcD,EAClB,SAASA,IAAkB,UAARC,GAA4B,YAARA,GAiCzC,QAASC,GAAWF,GAIlB,GAAIG,GAAMJ,EAASC,GAASI,GAAeN,KAAKE,GAAS,EACzD,OAAOG,IAAOE,IAAWF,GAAOG,GA2BlC,QAASC,GAAaP,GACpB,QAASA,GAAyB,gBAATA,GAkC3B,QAASQ,GAASR,GAChB,MAAuB,gBAATA,IACXO,EAAaP,IAAUS,GAAiBX,KAAKE,IAAUU,GA4C5D,QAASC,GAASX,GAChB,GAAoB,gBAATA,GACT,MAAOA,EAET,IAAIQ,EAASR,GACX,MAAOY,GAET,IAAIb,EAASC,GAAQ,CACnB,GAAIa,GAAQX,EAAWF,EAAMc,SAAWd,EAAMc,UAAYd,CAC1DA,GAAQD,EAASc,GAAUA,EAAQ,GAAMA,EAE3C,GAAoB,gBAATb,GACT,MAAiB,KAAVA,EAAcA,GAASA,CAEhCA,GAAQA,EAAMe,QAAQC,GAAQ,GAC9B,IAAIC,GAAWC,GAAWC,KAAKnB,EAC/B,OAAQiB,IAAYG,GAAUD,KAAKnB,GAC/BqB,GAAarB,EAAMsB,MAAM,GAAIL,EAAW,EAAI,GAC3CM,GAAWJ,KAAKnB,GAASY,IAAOZ,EA4BvC,QAASwB,GAASxB,GAChB,IAAKA,EACH,MAAiB,KAAVA,EAAcA,EAAQ,CAG/B,IADAA,EAAQW,EAASX,GACbA,IAAUyB,IAAYzB,KAAWyB,GAAU,CAC7C,GAAIC,GAAgB,EAAR1B,EAAY,GAAK,CAC7B,OAAO0B,GAAOC,GAEhB,MAAO3B,KAAUA,EAAQA,EAAQ,EA6BnC,QAAS4B,GAAU5B,GACjB,GAAI6B,GAASL,EAASxB,GAClB8B,EAAYD,EAAS,CAEzB,OAAOA,KAAWA,EAAUC,EAAYD,EAASC,EAAYD,EAAU,EAkCzE,QAASE,GAAKrC,EAAMsC,GAClB,GAAmB,kBAARtC,GACT,KAAM,IAAIuC,WAAUC,GAGtB,OADAF,GAAQG,GAAoBC,SAAVJ,EAAuBtC,EAAKG,OAAS,EAAK+B,EAAUI,GAAQ,GACvE,WAML,IALA,GAAIpC,GAAOyC,UACPC,EAAQ,GACRzC,EAASsC,GAAUvC,EAAKC,OAASmC,EAAO,GACxCO,EAAQC,MAAM3C,KAETyC,EAAQzC,GACf0C,EAAMD,GAAS1C,EAAKoC,EAAQM,EAE9B,QAAQN,GACN,IAAK,GAAG,MAAOtC,GAAKI,KAAKN,KAAM+C,EAC/B,KAAK,GAAG,MAAO7C,GAAKI,KAAKN,KAAMI,EAAK,GAAI2C,EACxC,KAAK,GAAG,MAAO7C,GAAKI,KAAKN,KAAMI,EAAK,GAAIA,EAAK,GAAI2C,GAEnD,GAAIE,GAAYD,MAAMR,EAAQ,EAE9B,KADAM,EAAQ,KACCA,EAAQN,GACfS,EAAUH,GAAS1C,EAAK0C,EAG1B,OADAG,GAAUT,GAASO,EACZ9C,EAAMC,EAAMF,KAAMiD,IAI7B,QAASC,GAAeC,GACpB,MAAOZ,GAAK,SAAUnC,GAClB,GAAIgD,GAAWhD,EAAKiD,KACpBF,GAAG7C,KAAKN,KAAMI,EAAMgD,KAI5B,QAASE,GAAYC,GACjB,MAAOhB,GAAK,SAAUiB,EAAKpD,GACvB,GAAIqD,GAAKP,EAAc,SAAU9C,EAAMgD,GACnC,GAAIM,GAAO1D,IACX,OAAOuD,GAAOC,EAAK,SAAUL,EAAIQ,GAC7BR,EAAGlD,MAAMyD,EAAMtD,EAAKwD,QAAQD,MAC7BP,IAEP,OAAIhD,GAAKC,OACEoD,EAAGxD,MAAMD,KAAMI,GAEfqD,IAiBnB,QAASI,MAIT,QAASC,GAAKX,GACV,MAAO,YACH,GAAW,OAAPA,EAAJ,CACA,GAAIY,GAASZ,CACbA,GAAK,KACLY,EAAO9D,MAAMD,KAAM6C,aAW3B,QAASmB,GAAaC,GACpB,MAAO,UAASC,GACd,MAAiB,OAAVA,EAAiBtB,OAAYsB,EAAOD,IA+C/C,QAASE,GAAS3D,GAChB,MAAuB,gBAATA,IACZA,EAAQ,IAAMA,EAAQ,GAAK,GAAc4D,IAAT5D,EA4BpC,QAAS6D,GAAY7D,GACnB,MAAgB,OAATA,GAAiB2D,EAASG,GAAU9D,MAAYE,EAAWF,GAKpE,QAAS+D,GAAaC,GAClB,MAAOC,KAAkBD,EAAKC,KAAmBD,EAAKC,MAa1D,QAASC,GAAalE,GACpB,MAAOmE,IAAmBC,OAAOpE,IAiBnC,QAASqE,GAAQX,EAAQD,GAIvB,MAAiB,OAAVC,IACJY,GAAexE,KAAK4D,EAAQD,IACT,gBAAVC,IAAsBD,IAAOC,IAAmC,OAAzBQ,EAAaR,IAclE,QAASa,GAASb,GAChB,MAAOc,IAAWJ,OAAOV,IAY3B,QAASe,GAAUC,EAAGC,GAIpB,IAHA,GAAIrC,GAAQ,GACRT,EAASW,MAAMkC,KAEVpC,EAAQoC,GACf7C,EAAOS,GAASqC,EAASrC,EAE3B,OAAOT,GA4BT,QAAS+C,GAAkB5E,GACzB,MAAOO,GAAaP,IAAU6D,EAAY7D,GAwC5C,QAAS6E,GAAY7E,GAEnB,MAAO4E,GAAkB5E,IAAU8E,GAAiBhF,KAAKE,EAAO,aAC5D+E,GAAqBjF,KAAKE,EAAO,WAAagF,GAAiBlF,KAAKE,IAAUiF,IA6DpF,QAASC,GAASlF,GAChB,MAAuB,gBAATA,KACVmF,GAAQnF,IAAUO,EAAaP,IAAUoF,GAAiBtF,KAAKE,IAAUqF,GAW/E,QAASC,GAAU5B,GACjB,GAAI7D,GAAS6D,EAASA,EAAO7D,OAASuC,MACtC,OAAIuB,GAAS9D,KACRsF,GAAQzB,IAAWwB,EAASxB,IAAWmB,EAAYnB,IAC/Ce,EAAU5E,EAAQ0F,QAEpB,KAiBT,QAASC,GAAQxF,EAAOH,GAEtB,MADAA,GAAmB,MAAVA,EAAiB4F,GAAqB5F,IACtCA,IACU,gBAATG,IAAqB0F,GAASvE,KAAKnB,KAC1CA,EAAQ,IAAMA,EAAQ,GAAK,GAAaH,EAARG,EAarC,QAAS2F,GAAY3F,GACnB,GAAI4F,GAAO5F,GAASA,EAAM6F,YACtBC,EAAwB,kBAARF,IAAsBA,EAAKG,WAAcC,EAE7D,OAAOhG,KAAU8F,EA+BnB,QAASG,GAAKvC,GACZ,GAAIwC,GAAUP,EAAYjC,EAC1B,KAAMwC,IAAWrC,EAAYH,GAC3B,MAAOa,GAASb,EAElB,IAAIyC,GAAUb,EAAU5B,GACpB0C,IAAgBD,EAChBtE,EAASsE,MACTtG,EAASgC,EAAOhC,MAEpB,KAAK,GAAI4D,KAAOC,IACVW,EAAQX,EAAQD,IACd2C,IAAuB,UAAP3C,GAAmB+B,EAAQ/B,EAAK5D,KAChDqG,GAAkB,eAAPzC,GACf5B,EAAOwE,KAAK5C,EAGhB,OAAO5B,GAGT,QAASyE,GAAStC,GACd,GACIuC,GADAC,EAAI,EAER,IAAI3C,EAAYG,GAEZ,MADAuC,GAAMvC,EAAKnE,OACJ,WAEH,MADA2G,KACWD,EAAJC,GAAYxG,MAAOgE,EAAKwC,GAAI/C,IAAK+C,GAAM,KAItD,IAAIC,GAAU1C,EAAYC,EAC1B,IAAIyC,EACA,MAAO,YACH,GAAIC,GAAOD,EAAQE,MACnB,OAAID,GAAKE,KAAa,MACtBJ,KACSxG,MAAO0G,EAAK1G,MAAOyD,IAAK+C,IAIzC,IAAIK,GAAQZ,EAAKjC,EAEjB,OADAuC,GAAMM,EAAMhH,OACL,WACH2G,GACA,IAAI/C,GAAMoD,EAAML,EAChB,OAAWD,GAAJC,GAAYxG,MAAOgE,EAAKP,GAAMA,IAAKA,GAAQ,MAI1D,QAASqD,GAASnE,GACd,MAAO,YACH,GAAW,OAAPA,EAAa,KAAM,IAAIoE,OAAM,+BACjC,IAAIxD,GAASZ,CACbA,GAAK,KACLY,EAAO9D,MAAMD,KAAM6C,YAI3B,QAAS2E,GAAaC,GAClB,MAAO,UAAUC,EAAKvC,EAAU/B,GAC5BA,EAAWU,EAAKV,GAAYS,GAC5B6D,EAAMA,KACN,IAAIC,GAAWb,EAASY,EACxB,IAAa,GAATD,EACA,MAAOrE,GAAS,KAEpB,IAAIgE,IAAO,EACPQ,EAAU,EACVC,GAAU,GAEd,QAAUC,KACN,GAAIV,GAAmB,GAAXQ,EACR,MAAOxE,GAAS,KAGpB,MAAiBqE,EAAVG,IAAoBC,GAAS,CAChC,GAAIE,GAAOJ,GACX,IAAa,OAATI,EAKA,MAJAX,IAAO,OACQ,GAAXQ,GACAxE,EAAS,MAIjBwE,IAAW,EAEXzC,EAAS4C,EAAKvH,MAAOuH,EAAK9D,IAAKqD,EAAS,SAAUU,GAC9CJ,GAAW,EACPI,GACA5E,EAAS4E,GACTH,GAAU,GAEVC,YAQxB,QAASG,GAAgB9E,GACrB,MAAO,UAAUuE,EAAKD,EAAOtC,EAAU/B,GACnC,MAAOD,GAAGqE,EAAaC,GAAQC,EAAKvC,EAAU/B,IAItD,QAAS8E,GAAU3E,EAAQ4E,EAAKhD,EAAU/B,GACtCA,EAAWU,EAAKV,GAAYS,GAC5BsE,EAAMA,KACN,IAAIC,MACAC,EAAU,CAEd9E,GAAO4E,EAAK,SAAU3H,EAAO8H,EAAGlF,GAC5B,GAAIN,GAAQuF,GACZlD,GAAS3E,EAAO,SAAUwH,EAAKO,GAC3BH,EAAQtF,GAASyF,EACjBnF,EAAS4E,MAEd,SAAUA,GACT5E,EAAS4E,EAAKI,KAyBtB,QAASI,GAAQrF,EAAIsE,GACjB,MAAO,UAAUgB,EAAUtD,EAAU/B,GACjC,MAAOD,GAAGsF,EAAUhB,EAAOtC,EAAU/B,IA6N7C,QAASsF,GAASxI,GACd,MAAOgD,GAAc,SAAU9C,EAAMgD,GACjC,GAAIf,EACJ,KACIA,EAASnC,EAAKD,MAAMD,KAAMI,GAC5B,MAAOuI,GACL,MAAOvF,GAASuF,GAGhBpI,EAAS8B,IAAkC,kBAAhBA,GAAOuG,KAClCvG,EAAOuG,KAAK,SAAUpI,GAClB4C,EAAS,KAAM5C,IAChB,SAAUwH,GACT5E,EAAS4E,EAAIa,QAAUb,EAAM,GAAIT,OAAMS,MAG3C5E,EAAS,KAAMf,KAc3B,QAASyG,GAAU/F,EAAOoC,GAIxB,IAHA,GAAIrC,GAAQ,GACRzC,EAAS0C,EAAQA,EAAM1C,OAAS,IAE3ByC,EAAQzC,GACX8E,EAASpC,EAAMD,GAAQA,EAAOC,MAAW,IAI/C,MAAOA,GAUT,QAASgG,GAAcC,GACrB,MAAO,UAAS9E,EAAQiB,EAAU8D,GAMhC,IALA,GAAInG,GAAQ,GACR2F,EAAW7D,OAAOV,GAClBgF,EAAQD,EAAS/E,GACjB7D,EAAS6I,EAAM7I,OAEZA,KAAU,CACf,GAAI4D,GAAMiF,EAAMF,EAAY3I,IAAWyC,EACvC,IAAIqC,EAASsD,EAASxE,GAAMA,EAAKwE,MAAc,EAC7C,MAGJ,MAAOvE,IAyBX,QAASiF,GAAWjF,EAAQiB,GAC1B,MAAOjB,IAAUkF,GAAQlF,EAAQiB,EAAUsB,GAY7C,QAAS4C,GAAWtG,EAAOuG,EAAWN,GAIpC,IAHA,GAAI3I,GAAS0C,EAAM1C,OACfyC,EAAQwG,GAAaN,EAAY,EAAI,IAEjCA,EAAYlG,MAAYA,EAAQzC,GAAS,CAC/C,GAAIgB,GAAQ0B,EAAMD,EAClB,IAAIzB,IAAUA,EACZ,MAAOyB,GAGX,MAAO,GAYT,QAASyG,GAAYxG,EAAOvC,EAAO8I,GACjC,GAAI9I,IAAUA,EACZ,MAAO6I,GAAWtG,EAAOuG,EAK3B,KAHA,GAAIxG,GAAQwG,EAAY,EACpBjJ,EAAS0C,EAAM1C,SAEVyC,EAAQzC,GACf,GAAI0C,EAAMD,KAAWtC,EACnB,MAAOsC,EAGX,OAAO,GAkFT,QAAS0G,GAAMC,EAAOC,EAAatG,GA8D/B,QAASuG,GAAY1F,EAAK2F,GACtBC,EAAWhD,KAAK,WACZiD,EAAQ7F,EAAK2F,KAIrB,QAASG,KACL,GAA0B,IAAtBF,EAAWxJ,QAAiC,IAAjB2J,EAC3B,MAAO5G,GAAS,KAAMgF,EAE1B,MAAOyB,EAAWxJ,QAAyBqJ,EAAfM,GAA4B,CACpD,GAAIC,GAAMJ,EAAWK,OACrBD,MAIR,QAASE,GAAYC,EAAUjH,GAC3B,GAAIkH,GAAgBC,EAAUF,EACzBC,KACDA,EAAgBC,EAAUF,OAG9BC,EAAcxD,KAAK1D,GAGvB,QAASoH,GAAaH,GAClB,GAAIC,GAAgBC,EAAUF,MAC9BtB,GAAUuB,EAAe,SAAUlH,GAC/BA,MAEJ4G,IAGJ,QAASD,GAAQ7F,EAAK2F,GAClB,IAAIY,EAAJ,CAEA,GAAIC,GAAenD,EAAS/E,EAAK,SAAUyF,EAAK5H,GAK5C,GAJA4J,IACI5J,EAAKC,QAAU,IACfD,EAAOA,EAAK,IAEZ4H,EAAK,CACL,GAAI0C,KACJvB,GAAWf,EAAS,SAAUuC,EAAKC,GAC/BF,EAAYE,GAAQD,IAExBD,EAAYzG,GAAO7D,EACnBoK,GAAW,EACXF,KAEAlH,EAAS4E,EAAK0C,OAEdtC,GAAQnE,GAAO7D,EACfmK,EAAatG,KAIrB+F,IACA,IAAIa,GAASjB,EAAKA,EAAKvJ,OAAS,EAC5BuJ,GAAKvJ,OAAS,EACdwK,EAAOzC,EAASqC,GAEhBI,EAAOJ,IAIf,QAASK,KAML,IAFA,GAAIC,GACA1C,EAAU,EACP2C,EAAa3K,QAChB0K,EAAcC,EAAa3H,MAC3BgF,IACAS,EAAUmC,EAAcF,GAAc,SAAUG,KACpCC,EAAsBD,IAC1BF,EAAanE,KAAKqE,IAK9B,IAAI7C,IAAY+C,EACZ,KAAM,IAAI7D,OAAM,iEAIxB,QAAS0D,GAAcb,GACnB,GAAI/H,KAMJ,OALA8G,GAAWM,EAAO,SAAUG,EAAM3F,GAC1B0B,GAAQiE,IAASL,EAAYK,EAAMQ,EAAU,IAAM,GACnD/H,EAAOwE,KAAK5C,KAGb5B,EA3JgB,kBAAhBqH,KAEPtG,EAAWsG,EACXA,EAAc,MAElBtG,EAAWU,EAAKV,GAAYS,EAC5B,IAAIwH,GAAS5E,EAAKgD,GACd2B,EAAWC,EAAOhL,MACtB,KAAK+K,EACD,MAAOhI,GAAS,KAEfsG,KACDA,EAAc0B,EAGlB,IAAIhD,MACA4B,EAAe,EACfQ,GAAW,EAEXF,KAEAT,KAGAmB,KAEAG,IAEJhC,GAAWM,EAAO,SAAUG,EAAM3F,GAC9B,IAAK0B,GAAQiE,GAIT,MAFAD,GAAY1F,GAAM2F,QAClBoB,GAAanE,KAAK5C,EAItB,IAAIqH,GAAe1B,EAAK9H,MAAM,EAAG8H,EAAKvJ,OAAS,GAC3CkL,EAAwBD,EAAajL,MACzC,OAA8B,KAA1BkL,GACA5B,EAAY1F,EAAK2F,OACjBoB,GAAanE,KAAK5C,KAGtBkH,EAAsBlH,GAAOsH,MAE7BzC,GAAUwC,EAAc,SAAUE,GAC9B,IAAK/B,EAAM+B,GACP,KAAM,IAAIjE,OAAM,oBAAsBtD,EAAM,sCAAwCqH,EAAaG,KAAK,MAE1GtB,GAAYqB,EAAgB,WACxBD,IAC8B,IAA1BA,GACA5B,EAAY1F,EAAK2F,UAMjCkB,IACAf,IA6GJ,QAAS2B,GAAS3I,EAAOoC,GAKvB,IAJA,GAAIrC,GAAQ,GACRzC,EAAS0C,EAAQA,EAAM1C,OAAS,EAChCgC,EAASW,MAAM3C,KAEVyC,EAAQzC,GACfgC,EAAOS,GAASqC,EAASpC,EAAMD,GAAQA,EAAOC,EAEhD,OAAOV,GAWT,QAASsJ,GAAUC,EAAQ7I,GACzB,GAAID,GAAQ,GACRzC,EAASuL,EAAOvL,MAGpB,KADA0C,IAAUA,EAAQC,MAAM3C,MACfyC,EAAQzC,GACf0C,EAAMD,GAAS8I,EAAO9I,EAExB,OAAOC,GAUT,QAAS8I,GAAYrL,GACnB,MAAQA,IAASA,EAAMoE,SAAWA,OAAUpE,EAAQ,KAgCtD,QAASsL,GAAatL,GAEpB,GAAoB,gBAATA,GACT,MAAOA,EAET,IAAIQ,EAASR,GACX,MAAOuL,IAAiBA,GAAezL,KAAKE,GAAS,EAEvD,IAAI6B,GAAU7B,EAAQ,EACtB,OAAkB,KAAV6B,GAAkB,EAAI7B,IAAWwL,GAAc,KAAO3J,EAYhE,QAAS4J,GAAUlJ,EAAOP,EAAO0J,GAC/B,GAAIpJ,GAAQ,GACRzC,EAAS0C,EAAM1C,MAEP,GAARmC,IACFA,GAASA,EAAQnC,EAAS,EAAKA,EAASmC,GAE1C0J,EAAMA,EAAM7L,EAASA,EAAS6L,EACpB,EAANA,IACFA,GAAO7L,GAETA,EAASmC,EAAQ0J,EAAM,EAAMA,EAAM1J,IAAW,EAC9CA,KAAW,CAGX,KADA,GAAIH,GAASW,MAAM3C,KACVyC,EAAQzC,GACfgC,EAAOS,GAASC,EAAMD,EAAQN,EAEhC,OAAOH,GAYT,QAAS8J,GAAUpJ,EAAOP,EAAO0J,GAC/B,GAAI7L,GAAS0C,EAAM1C,MAEnB,OADA6L,GAActJ,SAARsJ,EAAoB7L,EAAS6L,GAC1B1J,GAAS0J,GAAO7L,EAAU0C,EAAQkJ,EAAUlJ,EAAOP,EAAO0J,GAYrE,QAASE,GAAcC,EAAYC,GAGjC,IAFA,GAAIxJ,GAAQuJ,EAAWhM,OAEhByC,KAAWyG,EAAY+C,EAAYD,EAAWvJ,GAAQ,GAAK,KAClE,MAAOA,GAYT,QAASyJ,GAAgBF,EAAYC,GAInC,IAHA,GAAIxJ,GAAQ,GACRzC,EAASgM,EAAWhM,SAEfyC,EAAQzC,GAAUkJ,EAAY+C,EAAYD,EAAWvJ,GAAQ,GAAK,KAC3E,MAAOA,GA+BT,QAAS0J,GAAcC,GACrB,MAAOA,GAAOC,MAAMC,IAwBtB,QAASC,GAASpM,GAChB,MAAgB,OAATA,EAAgB,GAAKsL,EAAatL,GA4B3C,QAASqM,GAAKJ,EAAQK,EAAOC,GAE3B,GADAN,EAASG,EAASH,GACdA,IAAWM,GAAmBnK,SAAVkK,GACtB,MAAOL,GAAOlL,QAAQyL,GAAU,GAElC,KAAKP,KAAYK,EAAQhB,EAAagB,IACpC,MAAOL,EAET,IAAIJ,GAAaG,EAAcC,GAC3BH,EAAaE,EAAcM,GAC3BtK,EAAQ+J,EAAgBF,EAAYC,GACpCJ,EAAME,EAAcC,EAAYC,GAAc,CAElD,OAAOH,GAAUE,EAAY7J,EAAO0J,GAAKT,KAAK,IAQhD,QAASwB,GAAY/M,GAOjB,MANAA,GAAOA,EAAK0M,WAAWrL,QAAQ2L,GAAgB,IAC/ChN,EAAOA,EAAKwM,MAAMS,IAAS,GAAG5L,QAAQ,IAAK,IAC3CrB,EAAOA,EAAOA,EAAKkN,MAAMC,OACzBnN,EAAOA,EAAKoN,IAAI,SAAUC,GACtB,MAAOV,GAAKU,EAAIhM,QAAQiM,GAAQ,OA4FxC,QAASC,IAAWhE,EAAOrG,GACvB,GAAIsK,KAEJvE,GAAWM,EAAO,SAAUoB,EAAQ5G,GAsBhC,QAAS0J,GAAQvF,EAASwF,GACtB,GAAIC,GAAUnC,EAASoC,EAAQ,SAAUC,GACrC,MAAO3F,GAAQ2F,IAEnBF,GAAQhH,KAAK+G,GACb/C,EAAO5K,MAAM,KAAM4N,GA1BvB,GAAIC,EAEJ,IAAInI,GAAQkF,GACRiD,EAASnC,EAAUd,GACnBA,EAASiD,EAAOzK,MAEhBqK,EAASzJ,GAAO6J,EAAOlK,OAAOkK,EAAOzN,OAAS,EAAIsN,EAAU9C,OACzD,IAAsB,IAAlBA,EAAOxK,OAEdqN,EAASzJ,GAAO4G,MACb,CAEH,GADAiD,EAASb,EAAYpC,GACC,IAAlBA,EAAOxK,QAAkC,IAAlByN,EAAOzN,OAC9B,KAAM,IAAIkH,OAAM,yDAGpBuG,GAAOzK,MAEPqK,EAASzJ,GAAO6J,EAAOlK,OAAO+J,MAYtCnE,EAAKkE,EAAUtK,GAMnB,QAAS4K,IAAS7K,GACd8K,WAAW9K,EAAI,GAGnB,QAAS+K,IAAKC,GACV,MAAO5L,GAAK,SAAUY,EAAI/C,GACtB+N,EAAM,WACFhL,EAAGlD,MAAM,KAAMG,OAqB3B,QAASgO,MACLpO,KAAKqO,KAAOrO,KAAKsO,KAAO,KACxBtO,KAAKK,OAAS,EAGlB,QAASkO,IAAWC,EAAKC,GACrBD,EAAInO,OAAS,EACbmO,EAAIH,KAAOG,EAAIF,KAAOG,EA8C1B,QAASC,IAAMC,EAAQjF,EAAakF,GAOhC,QAASC,GAAQC,EAAMC,EAAK3L,GACxB,GAAgB,MAAZA,GAAwC,kBAAbA,GAC3B,KAAM,IAAImE,OAAM,mCAMpB,OAJAyH,GAAEC,SAAU,EACPtJ,GAAQmJ,KACTA,GAAQA,IAEQ,IAAhBA,EAAKzO,QAAgB2O,EAAEE,OAEhBC,GAAe,WAClBH,EAAEI,WAGVtG,EAAUgG,EAAM,SAAUlF,GACtB,GAAI1C,IACA4H,KAAMlF,EACNxG,SAAUA,GAAYS,EAGtBkL,GACAC,EAAEK,OAAOC,QAAQpI,GAEjB8H,EAAEK,OAAOxI,KAAKK,SAGtBiI,IAAeH,EAAEO,UAGrB,QAASC,GAAM/F,GACX,MAAO,YACHgG,GAAW,CAEX,IAAIC,IAAU,EACVtP,EAAOyC,SACXiG,GAAUW,EAAO,SAAUG,GACvBd,EAAU6G,EAAa,SAAUhB,EAAQ7L,GACjC6L,IAAW/E,GAAS8F,IACpBC,EAAYC,OAAO9M,EAAO,GAC1B4M,GAAU,KAIlB9F,EAAKxG,SAASnD,MAAM2J,EAAMxJ,GAEX,MAAXA,EAAK,IACL4O,EAAEa,MAAMzP,EAAK,GAAIwJ,EAAKkF,QAI1BW,GAAWT,EAAEtF,YAAcsF,EAAEc,QAC7Bd,EAAEe,cAGFf,EAAEK,OAAOhP,OAASoP,IAAY,GAC9BT,EAAEI,QAENJ,EAAEO,WA/DV,GAAmB,MAAf7F,EACAA,EAAc,MACX,IAAoB,IAAhBA,EACP,KAAM,IAAInC,OAAM,+BAgEpB,IAAIkI,GAAU,EACVE,KACAX,GACAK,OAAQ,GAAIjB,IACZ1E,YAAaA,EACbkF,QAASA,EACToB,UAAWnM,EACXkM,YAAalM,EACbiM,OAAQpG,EAAc,EACtBuG,MAAOpM,EACPuL,MAAOvL,EACPgM,MAAOhM,EACPoL,SAAS,EACTiB,QAAQ,EACRrJ,KAAM,SAAUiI,EAAM1L,GAClByL,EAAQC,GAAM,EAAO1L,IAEzB+M,KAAM,WACFnB,EAAEI,MAAQvL,EACVmL,EAAEK,OAAOY,SAEbX,QAAS,SAAUR,EAAM1L,GACrByL,EAAQC,GAAM,EAAM1L,IAExBmM,QAAS,WACL,MAAQP,EAAEkB,QAAUT,EAAUT,EAAEtF,aAAesF,EAAEK,OAAOhP,QAAQ,CAC5D,GAAIoJ,MACAqF,KACAsB,EAAIpB,EAAEK,OAAOhP,MACb2O,GAAEJ,UAASwB,EAAIC,KAAKC,IAAIF,EAAGpB,EAAEJ,SACjC,KAAK,GAAI5H,GAAI,EAAOoJ,EAAJpJ,EAAOA,IAAK,CACxB,GAAIyH,GAAOO,EAAEK,OAAOnF,OACpBT,GAAM5C,KAAK4H,GACXK,EAAKjI,KAAK4H,EAAKK,MAGK,IAApBE,EAAEK,OAAOhP,QACT2O,EAAEiB,QAENR,GAAW,EACXE,EAAY9I,KAAK4C,EAAM,IAEnBgG,IAAYT,EAAEtF,aACdsF,EAAEgB,WAGN,IAAIrM,GAAK2D,EAASkI,EAAM/F,GACxBkF,GAAOG,EAAMnL,KAGrBtD,OAAQ,WACJ,MAAO2O,GAAEK,OAAOhP,QAEpBuH,QAAS,WACL,MAAO6H,IAEXE,YAAa,WACT,MAAOA,IAEXT,KAAM,WACF,MAAOF,GAAEK,OAAOhP,OAASoP,IAAY,GAEzCc,MAAO,WACHvB,EAAEkB,QAAS,GAEfM,OAAQ,WACJ,GAAIxB,EAAEkB,UAAW,EAAjB,CAGAlB,EAAEkB,QAAS,CAIX,KAAK,GAHDO,GAAcJ,KAAKC,IAAItB,EAAEtF,YAAasF,EAAEK,OAAOhP,QAG1CqQ,EAAI,EAAQD,GAALC,EAAkBA,IAC9BvB,GAAeH,EAAEO,WAI7B,OAAOP,GAiFX,QAAS2B,IAAMhC,EAAQC,GACrB,MAAOF,IAAMC,EAAQ,EAAGC,GAyB1B,QAASgC,IAAYpM,EAAMiD,EAAOtC,EAAU/B,GAC1CoE,EAAaC,GAAOjD,EAAMW,EAAU/B,GAgEtC,QAASyN,IAAOrM,EAAMsM,EAAM3L,EAAU/B,GAClC2N,GAAavM,EAAM,SAAUwM,EAAGhK,EAAG5D,GAC/B+B,EAAS2L,EAAME,EAAG,SAAUhJ,EAAKO,GAC7BuI,EAAOvI,EACPnF,EAAS4E,MAEd,SAAUA,GACT5E,EAAS4E,EAAK8I,KAoGtB,QAASG,MACP,MAAOC,IAAIjR,MAAM,KAAMkR,GAAQ7Q,KAAKuC,YAGtC,QAASuO,IAAS7N,EAAQ4E,EAAKhF,EAAIC,GAC/B,GAAIf,KACJkB,GAAO4E,EAAK,SAAU6I,EAAGlO,EAAOa,GAC5BR,EAAG6N,EAAG,SAAUhJ,EAAKqJ,GACjBhP,EAASA,EAAOuB,OAAOyN,OACvB1N,EAAGqE,MAER,SAAUA,GACT5E,EAAS4E,EAAK3F,KA+CtB,QAASiP,IAAWnO,GAChB,MAAO,UAAUuE,EAAKvC,EAAU/B,GAC5B,MAAOD,GAAGoO,GAAQ7J,EAAKvC,EAAU/B,IAiCzC,QAASoO,IAASrO,GACd,MAAO,UAAUuE,EAAKvC,EAAU/B,GAC5B,MAAOD,GAAG4N,GAAcrJ,EAAKvC,EAAU/B,IA0F/C,QAASqO,IAASjR,GAChB,MAAOA,GAGT,QAASkR,IAAcnO,EAAQoO,EAAOC,GAClC,MAAO,UAAUzJ,EAAKV,EAAOtC,EAAUxB,GACnC,QAASyD,GAAKY,GACNrE,IACIqE,EACArE,EAAGqE,GAEHrE,EAAG,KAAMiO,GAAU,KAI/B,QAASC,GAAgBb,EAAG1I,EAAGlF,GAC3B,MAAKO,OACLwB,GAAS6L,EAAG,SAAUhJ,EAAKO,GACnB5E,IACIqE,GACArE,EAAGqE,GACHrE,EAAKwB,GAAW,GACTwM,EAAMpJ,KACb5E,EAAG,KAAMiO,GAAU,EAAMZ,IACzBrN,EAAKwB,GAAW,IAGxB/B,MAXYA,IAchBP,UAAUxC,OAAS,GACnBsD,EAAKA,GAAME,EACXN,EAAO4E,EAAKV,EAAOoK,EAAiBzK,KAEpCzD,EAAKwB,EACLxB,EAAKA,GAAME,EACXsB,EAAWsC,EACXlE,EAAO4E,EAAK0J,EAAiBzK,KAKzC,QAAS0K,IAAevJ,EAAGyI,GACvB,MAAOA,GAsFX,QAASe,IAAYhE,GACjB,MAAOxL,GAAK,SAAUY,EAAI/C,GACtB+C,EAAGlD,MAAM,KAAMG,EAAKwD,QAAQrB,EAAK,SAAUyF,EAAK5H,GACrB,gBAAZ4R,WACHhK,EACIgK,QAAQnC,OACRmC,QAAQnC,MAAM7H,GAEXgK,QAAQjE,IACfjF,EAAU1I,EAAM,SAAU4Q,GACtBgB,QAAQjE,GAAMiD,aA4EtC,QAASiB,IAAOtQ,EAAMwB,EAAIC,GACtBA,EAAWA,GAAYS,CAEvB,IAAIsD,GAAO5E,EAAK,SAAUyF,EAAK5H,GACvB4H,EACA5E,EAAS4E,IAET5H,EAAKyG,KAAK8K,GACVhQ,EAAK1B,MAAMD,KAAMI,MAIrBuR,EAAQ,SAAU3J,EAAKkK,GACvB,MAAIlK,GAAY5E,EAAS4E,GACpBkK,MACL/O,GAAGgE,GADgB/D,EAAS,MAIhCzB,GAAKgQ,GAwBT,QAASQ,IAAShP,EAAIxB,EAAMyB,GACxB,GAAIgP,GAAQ,CAEZH,IAAO,SAAU9K,GACb,MAAIiL,KAAU,EAAUjL,EAAK,MAAM,OACnCxF,GAAK1B,MAAMD,KAAM6C,YAClBM,EAAIC,GAsCX,QAASiP,IAAO1Q,EAAMwD,EAAU/B,GAE5B,GADAA,EAAWA,GAAYS,GAClBlC,IAAQ,MAAOyB,GAAS,KAC7B,IAAI+D,GAAO5E,EAAK,SAAUyF,EAAK5H,GAC3B,MAAI4H,GAAY5E,EAAS4E,GACrBrG,EAAK1B,MAAMD,KAAMI,GAAc+E,EAASgC,OAC5C/D,GAASnD,MAAM,MAAO,MAAM2D,OAAOxD,KAEvC+E,GAASgC,GA0Bb,QAASmL,IAASnP,EAAIxB,EAAMyB,GACxB,GAAIgP,GAAQ,CACZC,IAAO,WACH,QAASD,GAAS,GAAKzQ,EAAK1B,MAAMD,KAAM6C,YACzCM,EAAIC,GAuBX,QAASmP,IAAQpP,EAAIxB,EAAMyB,GACvBkP,GAASnP,EAAI,WACT,OAAQxB,EAAK1B,MAAMD,KAAM6C,YAC1BO,GAGP,QAASoP,IAAcrN,GACnB,MAAO,UAAU3E,EAAOsC,EAAOM,GAC3B,MAAO+B,GAAS3E,EAAO4C,IAyB/B,QAASqP,IAAUjO,EAAMiD,EAAOtC,EAAU/B,GACxCoE,EAAaC,GAAOjD,EAAMgO,GAAcrN,GAAW/B,GAwHrD,QAASsP,IAAYvP,GACjB,MAAOD,GAAc,SAAU9C,EAAMgD,GACjC,GAAIuP,IAAO,CACXvS,GAAKyG,KAAK,WACN,GAAI+L,GAAY/P,SACZ8P,GACAxD,GAAe,WACX/L,EAASnD,MAAM,KAAM2S,KAGzBxP,EAASnD,MAAM,KAAM2S,KAG7BzP,EAAGlD,MAAMD,KAAMI,GACfuS,GAAO,IAIf,QAASE,IAAMtK,GACX,OAAQA,EA4EZ,QAASuK,IAAQvP,EAAQ4E,EAAKhD,EAAU/B,GACpC,GAAIgF,KACJ7E,GAAO4E,EAAK,SAAU6I,EAAGlO,EAAOM,GAC5B+B,EAAS6L,EAAG,SAAUhJ,EAAKO,GACnBP,EACA5E,EAAS4E,IAELO,GACAH,EAAQvB,MAAO/D,MAAOA,EAAOtC,MAAOwQ,IAExC5N,QAGT,SAAU4E,GACLA,EACA5E,EAAS4E,GAET5E,EAAS,KAAMsI,EAAStD,EAAQ2K,KAAK,SAAUC,EAAGC,GAC9C,MAAOD,GAAElQ,MAAQmQ,EAAEnQ,QACnBkB,EAAa,aAuG7B,QAASkP,IAAQ/P,EAAIgQ,GAIjB,QAAShM,GAAKa,GACV,MAAIA,GAAYZ,EAAKY,OACrB4B,GAAKzC,GALT,GAAIC,GAAOE,EAAS6L,GAAWtP,GAC3B+F,EAAO8I,GAAYvP,EAMvBgE,KAoCJ,QAASiM,IAAY3J,GACjB,QAAS4J,GAAavQ,GAClB,QAASK,KAIL,MAHIsG,GAAMpJ,QACNoJ,EAAM3G,GAAO7C,MAAM,KAAM4C,WAEtBM,EAAGgE,OAKd,MAHAhE,GAAGgE,KAAO,WACN,MAAOrE,GAAQ2G,EAAMpJ,OAAS,EAAIgT,EAAavQ,EAAQ,GAAK,MAEzDK,EAEX,MAAOkQ,GAAa,GAoDxB,QAASC,IAAe5L,EAAKD,EAAOtC,EAAU/B,GAC1C,GAAImQ,KACJ3C,IAAYlJ,EAAKD,EAAO,SAAUkD,EAAK1G,EAAKkD,GACxChC,EAASwF,EAAK1G,EAAK,SAAU+D,EAAK3F,GAC9B,MAAI2F,GAAYb,EAAKa,IACrBuL,EAAOtP,GAAO5B,MACd8E,SAEL,SAAUa,GACT5E,EAAS4E,EAAKuL,KAoEtB,QAASC,IAAI9L,EAAKzD,GACd,MAAOA,KAAOyD,GAwClB,QAAS+L,IAAQtQ,EAAIuQ,GACjB,GAAI5C,GAAOlM,OAAO+O,OAAO,MACrBC,EAAShP,OAAO+O,OAAO,KAC3BD,GAASA,GAAUjC,EACnB,IAAIoC,GAAW3Q,EAAc,SAAkB9C,EAAMgD,GACjD,GAAIa,GAAMyP,EAAOzT,MAAM,KAAMG,EACzBoT,IAAI1C,EAAM7M,GACVkL,GAAe,WACX/L,EAASnD,MAAM,KAAM6Q,EAAK7M,MAEvBuP,GAAII,EAAQ3P,GACnB2P,EAAO3P,GAAK4C,KAAKzD,IAEjBwQ,EAAO3P,IAAQb,GACfD,EAAGlD,MAAM,KAAMG,EAAKwD,QAAQrB,EAAK,SAAUnC,GACvC0Q,EAAK7M,GAAO7D,CACZ,IAAI4O,GAAI4E,EAAO3P,SACR2P,GAAO3P,EACd,KAAK,GAAI+C,GAAI,EAAGoJ,EAAIpB,EAAE3O,OAAY+P,EAAJpJ,EAAOA,IACjCgI,EAAEhI,GAAG/G,MAAM,KAAMG,UAOjC,OAFAyT,GAAS/C,KAAOA,EAChB+C,EAASC,WAAa3Q,EACf0Q,EA8CX,QAASE,IAAUxQ,EAAQkG,EAAOrG,GAC9BA,EAAWA,GAAYS,CACvB,IAAIuE,GAAU/D,EAAYoF,QAE1BlG,GAAOkG,EAAO,SAAUG,EAAM3F,EAAKb,GAC/BwG,EAAKrH,EAAK,SAAUyF,EAAK5H,GACjBA,EAAKC,QAAU,IACfD,EAAOA,EAAK,IAEhBgI,EAAQnE,GAAO7D,EACfgD,EAAS4E,OAEd,SAAUA,GACT5E,EAAS4E,EAAKI,KAwBtB,QAAS4L,IAAcvK,EAAOhC,EAAOrE,GACnC2Q,GAAUvM,EAAaC,GAAQgC,EAAOrG,GA2KxC,QAAS6Q,IAAStF,EAAQjF,GACxB,MAAOgF,IAAM,SAAUwF,EAAOvQ,GAC5BgL,EAAOuF,EAAM,GAAIvQ,IAChB+F,EAAa,GA2BlB,QAASyK,IAAexF,EAAQjF,GAE5B,GAAIsF,GAAIiF,GAAQtF,EAAQjF,EA2CxB,OAxCAsF,GAAEnI,KAAO,SAAUiI,EAAMsF,EAAUhR,GAE/B,GADgB,MAAZA,IAAkBA,EAAWS,GACT,kBAAbT,GACP,KAAM,IAAImE,OAAM,mCAMpB,IAJAyH,EAAEC,SAAU,EACPtJ,GAAQmJ,KACTA,GAAQA,IAEQ,IAAhBA,EAAKzO,OAEL,MAAO8O,IAAe,WAClBH,EAAEI,SAKV,KADA,GAAIiF,GAAWrF,EAAEK,OAAOhB,KACjBgG,GAAYD,GAAYC,EAASD,UACpCC,EAAWA,EAASlN,IAGxB2B,GAAUgG,EAAM,SAAUlF,GACtB,GAAI1C,IACA4H,KAAMlF,EACNwK,SAAUA,EACVhR,SAAUA,EAGViR,GACArF,EAAEK,OAAOiF,aAAaD,EAAUnN,GAEhC8H,EAAEK,OAAOxI,KAAKK,KAGtBiI,GAAeH,EAAEO,gBAIdP,GAAEM,QAEFN,EAwCX,QAASuF,IAAK9K,EAAOrG,GAEjB,MADAA,GAAWU,EAAKV,GAAYS,GACvB8B,GAAQ8D,GACRA,EAAMpJ,WACXyI,GAAUW,EAAO,SAAUG,GACvBA,EAAKxG,KAFiBA,IADEA,EAAS,GAAIX,WAAU,yDA+BvD,QAAS+R,IAAYhQ,EAAMsM,EAAM3L,EAAU/B,GACzC,GAAIqR,GAAW3S,GAAMxB,KAAKkE,GAAM2M,SAChCN,IAAO4D,EAAU3D,EAAM3L,EAAU/B,GA0CnC,QAASsR,IAAQvR,GACb,MAAOD,GAAc,SAAmB9C,EAAMuU,GAmB1C,MAlBAvU,GAAKyG,KAAKtE,EAAK,SAAkByF,EAAK4M,GAClC,GAAI5M,EACA2M,EAAgB,MACZ9E,MAAO7H,QAER,CACH,GAAIxH,GAAQ,IACU,KAAlBoU,EAAOvU,OACPG,EAAQoU,EAAO,GACRA,EAAOvU,OAAS,IACvBG,EAAQoU,GAEZD,EAAgB,MACZnU,MAAOA,QAKZ2C,EAAGlD,MAAMD,KAAMI,KAI9B,QAASyU,IAAStR,EAAQ4E,EAAKhD,EAAU/B,GACrC0P,GAAQvP,EAAQ4E,EAAK,SAAU3H,EAAOmD,GAClCwB,EAAS3E,EAAO,SAAUwH,EAAKO,GACvBP,EACArE,EAAGqE,GAEHrE,EAAG,MAAO4E,MAGnBnF,GAqHP,QAAS0R,IAAWrL,GAChB,GAAIrB,EASJ,OARIzC,IAAQ8D,GACRrB,EAAUsD,EAASjC,EAAOiL,KAE1BtM,KACAe,EAAWM,EAAO,SAAUG,EAAM3F,GAC9BmE,EAAQnE,GAAOyQ,GAAQpU,KAAKN,KAAM4J,MAGnCxB,EAqFX,QAAS2M,IAAOtL,EAAOrG,GACrB2Q,GAAUhD,GAActH,EAAOrG,GAsBjC,QAAS4R,IAAWxU,GAClB,MAAO,YACL,MAAOA,IA0EX,QAASyU,IAAMC,EAAMtL,EAAMxG,GASvB,QAAS+R,GAAWC,EAAKC,GACrB,GAAiB,gBAANA,GACPD,EAAIE,OAASD,EAAEC,OAASC,EAExBH,EAAII,aAAqC,kBAAfH,GAAEI,SAA0BJ,EAAEI,SAAWT,IAAYK,EAAEI,UAAYC,OAC1F,CAAA,GAAiB,gBAANL,IAA+B,gBAANA,GAGvC,KAAM,IAAI9N,OAAM,oCAFhB6N,GAAIE,OAASD,GAAKE,GAiC1B,QAASI,GAAaC,GAClB,MAAO,UAAUC,GACbjM,EAAK,SAAU5B,EAAK3F,GAChBwT,GAAgB7N,GAAO4N,GACnB5N,IAAKA,EACL3F,OAAQA,OAMxB,QAASyT,GAAcL,GACnB,MAAO,UAAUI,GACb5H,WAAW,WACP4H,EAAe,OAChBJ,IA9DX,GAAIF,GAAgB,EAChBG,EAAmB,EAEnBK,GACAT,MAAOC,EACPC,aAAcR,GAAWU,GAuB7B,IARI7S,UAAUxC,OAAS,GAAqB,kBAAT6U,IAC/B9R,EAAWwG,GAAQ/F,EACnB+F,EAAOsL,IAEPC,EAAWY,EAASb,GACpB9R,EAAWA,GAAYS,GAGP,kBAAT+F,GACP,KAAM,IAAIrC,OAAM,oCAIpB,KAAK,GADDyO,MACKhP,EAAI,EAAGA,EAAI+O,EAAQT,MAAQ,EAAGtO,IAAK,CACxC,GAAI4O,GAAiB5O,GAAK+O,EAAQT,KAClCU,GAASnP,KAAK8O,EAAaC,GAC3B,IAAIH,GAAWM,EAAQP,aAAaxO,IAC/B4O,GAAkBH,EAAW,GAC9BO,EAASnP,KAAKiP,EAAcL,IAIpCV,GAAOiB,EAAU,SAAU5O,EAAM0H,GAC7BA,EAAOA,EAAKA,EAAKzO,OAAS,GAC1B+C,EAAS0L,EAAK9G,IAAK8G,EAAKzM,UA+ChC,QAAS4T,IAAWf,EAAMtL,GAKtB,MAJKA,KACDA,EAAOsL,EACPA,EAAO,MAEJhS,EAAc,SAAU9C,EAAMgD,GACjC,QAASyH,GAAOlH,GACZiG,EAAK3J,MAAM,KAAMG,EAAKwD,QAAQD,KAG9BuR,EAAMD,GAAMC,EAAMrK,EAAQzH,GAAe6R,GAAMpK,EAAQzH,KA+HnE,QAAS8S,IAAO1R,EAAMW,EAAU/B,GAW5B,QAAS+S,GAAWC,EAAMC,GACtB,GAAIrD,GAAIoD,EAAKE,SACTrD,EAAIoD,EAAMC,QACd,OAAWrD,GAAJD,EAAQ,GAAKA,EAAIC,EAAI,EAAI,EAbpC3F,GAAI9I,EAAM,SAAUwM,EAAG5N,GACnB+B,EAAS6L,EAAG,SAAUhJ,EAAKsO,GACvB,MAAItO,GAAY5E,EAAS4E,OACzB5E,GAAS,MAAQ5C,MAAOwQ,EAAGsF,SAAUA,OAE1C,SAAUtO,EAAKI,GACd,MAAIJ,GAAY5E,EAAS4E,OACzB5E,GAAS,KAAMsI,EAAStD,EAAQ2K,KAAKoD,GAAanS,EAAa,aAiCvE,QAASuS,IAAQC,EAASC,EAAcC,GAIpC,QAASC,KACAC,IACDC,EAAiB5W,MAAM,KAAM4C,WAC7BiU,aAAaC,IAIrB,QAASC,KACL,GAAIjJ,GAAOyI,EAAQzI,MAAQ,YACvB8B,EAAQ,GAAItI,OAAM,sBAAwBwG,EAAO,eACrD8B,GAAMoH,KAAO,YACTP,IACA7G,EAAM6G,KAAOA,GAEjBE,GAAW,EACXC,EAAiBhH,GAlBrB,GAAIgH,GAAkBE,EAClBH,GAAW,CAoBf,OAAO1T,GAAc,SAAU9C,EAAM8W,GACjCL,EAAmBK,EAEnBH,EAAQ9I,WAAW+I,EAAiBP,GACpCD,EAAQvW,MAAM,KAAMG,EAAKwD,OAAO+S,MAkBxC,QAASQ,IAAU3U,EAAO0J,EAAKkL,EAAMpO,GAKnC,IAJA,GAAIlG,GAAQ,GACRzC,EAASgX,GAAYC,IAAYpL,EAAM1J,IAAU4U,GAAQ,IAAK,GAC9D/U,EAASW,MAAM3C,GAEZA,KACLgC,EAAO2G,EAAY3I,IAAWyC,GAASN,EACvCA,GAAS4U,CAEX,OAAO/U,GAmBT,QAASkV,IAAUC,EAAO/P,EAAOtC,EAAU/B,GACzCqU,GAASN,GAAU,EAAGK,EAAO,GAAI/P,EAAOtC,EAAU/B,GAkGpD,QAASsU,IAAUlT,EAAMmT,EAAaxS,EAAU/B,GACnB,IAArBP,UAAUxC,SACV+C,EAAW+B,EACXA,EAAWwS,EACXA,EAAchS,GAAQnB,UAG1B+M,GAAO/M,EAAM,SAAU+D,EAAGqP,EAAGjU,GACzBwB,EAASwS,EAAapP,EAAGqP,EAAGjU,IAC7B,SAAUqE,GACT5E,EAAS4E,EAAK2P,KAiBtB,QAASE,IAAU1U,GACf,MAAO,YACH,OAAQA,EAAG2Q,YAAc3Q,GAAIlD,MAAM,KAAM4C,YA2BjD,QAASiV,IAAMnW,EAAMwB,EAAIC,GACrBiP,GAAO,WACH,OAAQ1Q,EAAK1B,MAAMD,KAAM6C,YAC1BM,EAAIC,GA4DX,QAAS2U,IAAWtO,EAAOrG,GAMvB,QAAS4U,GAAS5X,GACd,GAAI6X,IAAcxO,EAAMpJ,OACpB,MAAO+C,GAASnD,MAAM,MAAO,MAAM2D,OAAOxD,GAG9C,IAAIqK,GAAenD,EAAS/E,EAAK,SAAUyF,EAAK5H,GAC5C,MAAI4H,GACO5E,EAASnD,MAAM,MAAO+H,GAAKpE,OAAOxD,QAE7C4X,GAAS5X,KAGbA,GAAKyG,KAAK4D,EAEV,IAAIb,GAAOH,EAAMwO,IACjBrO,GAAK3J,MAAM,KAAMG,GAnBrB,GADAgD,EAAWU,EAAKV,GAAYS,IACvB8B,GAAQ8D,GAAQ,MAAOrG,GAAS,GAAImE,OAAM,6DAC/C,KAAKkC,EAAMpJ,OAAQ,MAAO+C,IAC1B,IAAI6U,GAAY,CAoBhBD,OAr0JJ,GAo2DIE,IAp2DArX,GAAU,oBACVC,GAAS,6BAETqX,GAAcvT,OAAO2B,UAOrB3F,GAAiBuX,GAAYvL,SAyD7B1L,GAAY,kBAGZkX,GAAgBxT,OAAO2B,UAOvBtF,GAAmBmX,GAAcxL,SA0BjCxL,GAAM,IAGNI,GAAS,aAGTO,GAAa,qBAGbL,GAAa,aAGbE,GAAY,cAGZC,GAAewW,SA8CfpW,GAAW,EAAI,EACfE,GAAc,uBAsEdO,GAAkB,sBAGlBC,GAAY0N,KAAKiI,IAgIjBhU,GAAYN,EAAa,UAGzBI,GAAmB,iBA+DnBK,GAAmC,kBAAX8T,SAAyBA,OAAOzR,SAOxDnC,GAAqBC,OAAO4T,eAc5BC,GAAgB7T,OAAO2B,UAGvBzB,GAAiB2T,GAAc3T,eAoB/BE,GAAaJ,OAAO6B,KA+DpBhB,GAAU,qBAGViT,GAAgB9T,OAAO2B,UAGvBjB,GAAmBoT,GAAc5T,eAOjCU,GAAmBkT,GAAc9L,SAGjCrH,GAAuBmT,GAAcnT,qBAmDrCI,GAAU3C,MAAM2C,QAGhBE,GAAY,kBAGZ8S,GAAgB/T,OAAO2B,UAOvBX,GAAmB+S,GAAc/L,SA2CjC3G,GAAqB,iBAGrBC,GAAW,mBAkBXM,GAAgB5B,OAAO2B,UA2LvBkR,GAAWxP,EAAgBC,GA4C3BoF,GAAM9E,EAAQiP,GAAUmB,EAAAA,GAiCxBC,GAAYvV,EAAYgK,IAoBxBwL,GAAYtQ,EAAQiP,GAAU,GAqB9BsB,GAAkBzV,EAAYwV,IA8C9BE,GAAUzW,EAAK,SAAUY,EAAI/C,GAC7B,MAAOmC,GAAK,SAAU0W,GAClB,MAAO9V,GAAGlD,MAAM,KAAMG,EAAKwD,OAAOqV,QAwItC7P,GAAUL,IA8VVmQ,GAAarN,EAA6B,gBAAVpM,SAAsBA,QAGtD0Z,GAAWtN,EAA2B,gBAARuN,OAAoBA,MAGlDC,GAAaxN,EAA2B,gBAAR7L,OAAoBA,MAGpDsZ,GAAOJ,IAAcC,IAAYE,IAAcE,SAAS,iBAGxDC,GAAWF,GAAKf,OAGhBvM,GAAa,EAAI,EAGjByN,GAAcD,GAAWA,GAASjT,UAAY3D,OAC9CmJ,GAAiB0N,GAAcA,GAAY7M,SAAWhK,OAoGtD8W,GAAgB,kBAChBC,GAAoB,iCACpBC,GAAsB,kBACtBC,GAAa,iBACbC,GAAW,IAAMJ,GAAgB,IACjCK,GAAU,IAAMJ,GAAoBC,GAAsB,IAC1DI,GAAS,2BACTC,GAAa,MAAQF,GAAU,IAAMC,GAAS,IAC9CE,GAAc,KAAOR,GAAgB,IACrCS,GAAa,kCACbC,GAAa,qCACbC,GAAQ,UACRC,GAAWL,GAAa,IACxBM,GAAW,IAAMV,GAAa,KAC9BW,GAAY,MAAQH,GAAQ,OAASH,GAAaC,GAAYC,IAAY3O,KAAK,KAAO,IAAM8O,GAAWD,GAAW,KAClHG,GAAQF,GAAWD,GAAWE,GAC9BE,GAAW,OAASR,GAAcH,GAAU,IAAKA,GAASI,GAAYC,GAAYN,IAAUrO,KAAK,KAAO,IAExGkB,GAAkBgO,OAAOX,GAAS,MAAQA,GAAS,KAAOU,GAAWD,GAAO,KAuC5EzN,GAAW,aAwCXG,GAAU,wCACVE,GAAe,IACfG,GAAS,eACTN,GAAiB,mCAwIjB0N,GAA0C,kBAAjBC,eAA+BA,aACxDC,GAAiC,gBAAZvL,UAAoD,kBAArBA,SAAQwL,QAiB5D7C,IADA0C,GACSC,aACFC,GACEvL,QAAQwL,SAER/M,EAGb,IAAImB,IAAiBjB,GAAKgK,GAgB1B9J,IAAI7H,UAAUyU,WAAa,SAAUvM,GAMjC,MALIA,GAAKwM,KAAMxM,EAAKwM,KAAK9T,KAAOsH,EAAKtH,KAAUnH,KAAKqO,KAAOI,EAAKtH,KAC5DsH,EAAKtH,KAAMsH,EAAKtH,KAAK8T,KAAOxM,EAAKwM,KAAUjb,KAAKsO,KAAOG,EAAKwM,KAEhExM,EAAKwM,KAAOxM,EAAKtH,KAAO,KACxBnH,KAAKK,QAAU,EACRoO,GAGXL,GAAI7H,UAAU0J,MAAQ7B,GAEtBA,GAAI7H,UAAU2U,YAAc,SAAUzM,EAAM0M,GACxCA,EAAQF,KAAOxM,EACf0M,EAAQhU,KAAOsH,EAAKtH,KAChBsH,EAAKtH,KAAMsH,EAAKtH,KAAK8T,KAAOE,EAAanb,KAAKsO,KAAO6M,EACzD1M,EAAKtH,KAAOgU,EACZnb,KAAKK,QAAU,GAGnB+N,GAAI7H,UAAU+N,aAAe,SAAU7F,EAAM0M,GACzCA,EAAQF,KAAOxM,EAAKwM,KACpBE,EAAQhU,KAAOsH,EACXA,EAAKwM,KAAMxM,EAAKwM,KAAK9T,KAAOgU,EAAanb,KAAKqO,KAAO8M,EACzD1M,EAAKwM,KAAOE,EACZnb,KAAKK,QAAU,GAGnB+N,GAAI7H,UAAU+I,QAAU,SAAUb,GAC1BzO,KAAKqO,KAAMrO,KAAKsU,aAAatU,KAAKqO,KAAMI,GAAWF,GAAWvO,KAAMyO,IAG5EL,GAAI7H,UAAUM,KAAO,SAAU4H,GACvBzO,KAAKsO,KAAMtO,KAAKkb,YAAYlb,KAAKsO,KAAMG,GAAWF,GAAWvO,KAAMyO,IAG3EL,GAAI7H,UAAU2D,MAAQ,WAClB,MAAOlK,MAAKqO,MAAQrO,KAAKgb,WAAWhb,KAAKqO,OAG7CD,GAAI7H,UAAUlD,IAAM,WAChB,MAAOrD,MAAKsO,MAAQtO,KAAKgb,WAAWhb,KAAKsO,MAuR7C,IA20CI8M,IA30CArK,GAAevI,EAAQoI,GAAa,GA2FpCM,GAAM3O,EAAK,SAAa8Y,GACxB,MAAO9Y,GAAK,SAAUnC,GAClB,GAAIsD,GAAO1D,KAEP2D,EAAKvD,EAAKA,EAAKC,OAAS,EACX,mBAANsD,GACPvD,EAAKiD,MAELM,EAAKE,EAGTgN,GAAOwK,EAAWjb,EAAM,SAAUkb,EAASnY,EAAIQ,GAC3CR,EAAGlD,MAAMyD,EAAM4X,EAAQ1X,QAAQrB,EAAK,SAAUyF,EAAKuT,GAC/C5X,EAAGqE,EAAKuT,SAEb,SAAUvT,EAAKI,GACdzE,EAAG1D,MAAMyD,GAAOsE,GAAKpE,OAAOwE,UAKpC+I,GAAUnO,MAAMuD,UAAU4K,QA8F1BI,GAAS/I,EAAQoI,GAAagI,EAAAA,GAmC9BhV,GAAS0N,GAAWF,IA2BpBoK,GAAehK,GAASJ,IA4CxBqK,GAAWlZ,EAAK,SAAUmZ,GAC1B,GAAItb,IAAQ,MAAMwD,OAAO8X,EACzB,OAAOxY,GAAc,SAAUyY,EAAavY,GACxC,MAAOA,GAASnD,MAAMD,KAAMI,OAqGhCwb,GAASlK,GAAcH,GAAQE,GAAUK,IAwBzC+J,GAAcnK,GAAcd,GAAaa,GAAUK,IAsBnDgK,GAAepK,GAAcX,GAAcU,GAAUK,IAgDrDiK,GAAMhK,GAAY,OA2RlBiK,GAAOxT,EAAQiK,GAAWmG,EAAAA,GAsB1BqD,GAAazT,EAAQiK,GAAW,GA8EhCyJ,GAAaxK,GAAcd,GAAaiC,GAAOA,IA8B/CsJ,GAAQ3T,EAAQ0T,GAAYtD,EAAAA,GAqB5BwD,GAAc5T,EAAQ0T,GAAY,GA6ClCG,GAAcpU,EAAgB6K,IA6B9BwJ,GAAS9T,EAAQ6T,GAAazD,EAAAA,GAmB9B2D,GAAe/T,EAAQ6T,GAAa,GAsHpCG,GAAMzK,GAAY,OA6ElB0K,GAAYjU,EAAQ8K,GAAgBsF,EAAAA,GAoBpC8D,GAAkBlU,EAAQ8K,GAAgB,EA0G1C8H,IADAN,GACWvL,QAAQwL,SACZH,GACIC,aAEA7M,EAGf,IAAI+M,IAAW7M,GAAKkN,IA6GhBuB,GAAWnU,EAAQwL,GAAe4E,EAAAA,GAkOlC9W,GAAQkB,MAAMuD,UAAUzE,MA0HxB8a,GAAc3U,EAAgB4M,IA4B9BgI,GAASrU,EAAQoU,GAAahE,EAAAA,GAiG9BkE,GAAetU,EAAQoU,GAAa,GAoSpCG,GAAYrL,GAAcd,GAAaoM,QAASvL,IAgChDwL,GAAOzU,EAAQuU,GAAWnE,EAAAA,GAsB1BsE,GAAa1U,EAAQuU,GAAW,GAwHhCzF,GAAajH,KAAK8M,KAClB9F,GAAchH,KAAKiI,IA4EnBhD,GAAQ9M,EAAQ+O,GAAWqB,EAAAA,GAgB3BwE,GAAc5U,EAAQ+O,GAAW,GAiMjCzU,IACF+V,UAAWA,GACXE,gBAAiBA,GACjB9Y,MAAO+Y,GACPtQ,SAAUA,EACVc,KAAMA,EACNiE,WAAYA,GACZkD,MAAOA,GACPM,QAASA,GACTrN,OAAQA,GACR4X,aAAcA,GACdC,SAAUA,GACVG,OAAQA,GACRC,YAAaA,GACbC,aAAcA,GACdC,IAAKA,GACL5J,SAAUA,GACVI,QAASA,GACTD,SAAUA,GACVL,OAAQA,GACR+J,KAAMA,GACNvJ,UAAWA,GACXlB,OAAQA,GACRX,YAAaA,GACbG,aAAcA,GACdkL,WAAYA,GACZvJ,YAAaA,GACbyJ,MAAOA,GACPD,WAAYA,GACZE,YAAaA,GACbE,OAAQA,GACRD,YAAaA,GACbE,aAAcA,GACdrJ,QAASA,GACTpM,SAAUsM,GACVoJ,IAAKA,GACLlP,IAAKA,GACLmK,SAAUA,GACVqB,UAAWA,GACX2D,UAAWA,GACXnJ,eAAgBA,GAChBoJ,gBAAiBA,GACjBjJ,QAASA,GACTsH,SAAUA,GACV4B,SAAUA,GACV3I,cAAeA,GACfG,cAAeA,GACfzF,MAAOuF,GACPM,KAAMA,GACN1D,OAAQA,GACR2D,YAAaA,GACbE,QAASA,GACTI,WAAYA,GACZ+H,OAAQA,GACRD,YAAaA,GACbE,aAAcA,GACd7H,MAAOA,GACPgB,UAAWA,GACX/E,IAAKA,GACL6D,OAAQA,GACR8F,aAAc1L,GACd8N,KAAMA,GACNF,UAAWA,GACXG,WAAYA,GACZhH,OAAQA,GACRK,QAASA,GACTjB,MAAOA,GACP+H,WAAY9F,GACZ6F,YAAaA,GACb1F,UAAWA,GACXG,UAAWA,GACXC,MAAOA,GACPC,UAAWA,GACX1F,OAAQA,GAGRiL,IAAKnB,GACLoB,IAAKN,GACLO,QAASxB,GACTyB,cAAexB,GACfyB,aAAcjL,GACdkL,UAAWpM,GACXqM,gBAAiB7M,GACjB8M,eAAgBjN,GAChBkN,OAAQjN,GACRkN,MAAOlN,GACPmN,MAAOxJ,GACPyJ,OAAQ3B,GACR4B,YAAa7B,GACb8B,aAAc5B,GACd6B,SAAU1V,EAGZ/I,GAAQ,WAAamD,GACrBnD,EAAQkZ,UAAYA,GACpBlZ,EAAQoZ,gBAAkBA,GAC1BpZ,EAAQM,MAAQ+Y,GAChBrZ,EAAQ+I,SAAWA,EACnB/I,EAAQ6J,KAAOA,EACf7J,EAAQ8N,WAAaA,GACrB9N,EAAQgR,MAAQA,GAChBhR,EAAQsR,QAAUA,GAClBtR,EAAQiE,OAASA,GACjBjE,EAAQ6b,aAAeA,GACvB7b,EAAQ8b,SAAWA,GACnB9b,EAAQic,OAASA,GACjBjc,EAAQkc,YAAcA,GACtBlc,EAAQmc,aAAeA,GACvBnc,EAAQoc,IAAMA,GACdpc,EAAQwS,SAAWA,GACnBxS,EAAQ4S,QAAUA,GAClB5S,EAAQ2S,SAAWA,GACnB3S,EAAQsS,OAASA,GACjBtS,EAAQqc,KAAOA,GACfrc,EAAQ8S,UAAYA,GACpB9S,EAAQ4R,OAASA,GACjB5R,EAAQiR,YAAcA,GACtBjR,EAAQoR,aAAeA,GACvBpR,EAAQsc,WAAaA,GACrBtc,EAAQ+S,YAAcA,GACtB/S,EAAQwc,MAAQA,GAChBxc,EAAQuc,WAAaA,GACrBvc,EAAQyc,YAAcA,GACtBzc,EAAQ2c,OAASA,GACjB3c,EAAQ0c,YAAcA,GACtB1c,EAAQ4c,aAAeA,GACvB5c,EAAQuT,QAAUA,GAClBvT,EAAQmH,SAAWsM,GACnBzT,EAAQ6c,IAAMA,GACd7c,EAAQ2N,IAAMA,GACd3N,EAAQ8X,SAAWA,GACnB9X,EAAQmZ,UAAYA,GACpBnZ,EAAQ8c,UAAYA,GACpB9c,EAAQ2T,eAAiBA,GACzB3T,EAAQ+c,gBAAkBA,GAC1B/c,EAAQ8T,QAAUA,GAClB9T,EAAQob,SAAWA,GACnBpb,EAAQgd,SAAWA,GACnBhd,EAAQqU,cAAgBA,GACxBrU,EAAQwU,cAAgBA,GACxBxU,EAAQ+O,MAAQuF,GAChBtU,EAAQ4U,KAAOA,GACf5U,EAAQkR,OAASA,GACjBlR,EAAQ6U,YAAcA,GACtB7U,EAAQ+U,QAAUA,GAClB/U,EAAQmV,WAAaA,GACrBnV,EAAQkd,OAASA,GACjBld,EAAQid,YAAcA,GACtBjd,EAAQmd,aAAeA,GACvBnd,EAAQsV,MAAQA,GAChBtV,EAAQsW,UAAYA,GACpBtW,EAAQuR,IAAMA,GACdvR,EAAQoV,OAASA,GACjBpV,EAAQkb,aAAe1L,GACvBxP,EAAQsd,KAAOA,GACftd,EAAQod,UAAYA,GACpBpd,EAAQud,WAAaA,GACrBvd,EAAQuW,OAASA,GACjBvW,EAAQ4W,QAAUA,GAClB5W,EAAQ2V,MAAQA,GAChB3V,EAAQ0d,WAAa9F,GACrB5X,EAAQyd,YAAcA,GACtBzd,EAAQ+X,UAAYA,GACpB/X,EAAQkY,UAAYA,GACpBlY,EAAQmY,MAAQA,GAChBnY,EAAQoY,UAAYA,GACpBpY,EAAQ0S,OAASA,GACjB1S,EAAQ2d,IAAMnB,GACdxc,EAAQ0e,SAAWnC,GACnBvc,EAAQ2e,UAAYlC,GACpBzc,EAAQ4d,IAAMN,GACdtd,EAAQ4e,SAAWxB,GACnBpd,EAAQ6e,UAAYtB,GACpBvd,EAAQ8e,KAAO7C,GACfjc,EAAQ+e,UAAY7C,GACpBlc,EAAQgf,WAAa7C,GACrBnc,EAAQ6d,QAAUxB,GAClBrc,EAAQ8d,cAAgBxB,GACxBtc,EAAQ+d,aAAejL,GACvB9S,EAAQge,UAAYpM,GACpB5R,EAAQie,gBAAkB7M,GAC1BpR,EAAQke,eAAiBjN,GACzBjR,EAAQme,OAASjN,GACjBlR,EAAQoe,MAAQlN,GAChBlR,EAAQqe,MAAQxJ,GAChB7U,EAAQse,OAAS3B,GACjB3c,EAAQue,YAAc7B,GACtB1c,EAAQwe,aAAe5B,GACvB5c,EAAQye,SAAW1V"} \ No newline at end of file
diff --git a/lib/auto.js b/lib/auto.js
index af78516..d200c3a 100644
--- a/lib/auto.js
+++ b/lib/auto.js
@@ -1,5 +1,5 @@
import arrayEach from 'lodash/_arrayEach';
-import forOwn from 'lodash/forOwn';
+import forOwn from 'lodash/_baseForOwn';
import indexOf from 'lodash/_baseIndexOf';
import isArray from 'lodash/isArray';
import okeys from 'lodash/keys';
diff --git a/lib/autoInject.js b/lib/autoInject.js
index 31bd622..1af1a32 100644
--- a/lib/autoInject.js
+++ b/lib/autoInject.js
@@ -1,5 +1,5 @@
import auto from './auto';
-import forOwn from 'lodash/forOwn';
+import forOwn from 'lodash/_baseForOwn';
import arrayMap from 'lodash/_arrayMap';
import clone from 'lodash/_copyArray';
import isArray from 'lodash/isArray';
diff --git a/lib/race.js b/lib/race.js
index 893e860..55d37ee 100644
--- a/lib/race.js
+++ b/lib/race.js
@@ -1,5 +1,5 @@
import isArray from 'lodash/isArray';
-import each from 'lodash/each';
+import arrayEach from 'lodash/_arrayEach';
import noop from 'lodash/noop';
import once from './internal/once';
@@ -44,7 +44,7 @@ export default function race(tasks, callback) {
callback = once(callback || noop);
if (!isArray(tasks)) return callback(new TypeError('First argument to race must be an array of functions'));
if (!tasks.length) return callback();
- each(tasks, function (task) {
+ arrayEach(tasks, function (task) {
task(callback);
});
}
diff --git a/lib/reflectAll.js b/lib/reflectAll.js
index edfed49..dbeba8d 100644
--- a/lib/reflectAll.js
+++ b/lib/reflectAll.js
@@ -1,7 +1,7 @@
import reflect from './reflect';
import isArray from 'lodash/isArray';
import _arrayMap from 'lodash/_arrayMap';
-import forOwn from 'lodash/forOwn';
+import forOwn from 'lodash/_baseForOwn';
/**
* A helper function that wraps an array or an object of functions with reflect.