' + func(text) + '
';\n * });\n *\n * p('fred, barney, & pebbles');\n * // => 'fred, barney, & pebbles
'\n */\n\n\n function wrap(value, wrapper) {\n return partial(castFunction(wrapper), value);\n }\n /*------------------------------------------------------------------------*/\n\n /**\n * Casts `value` as an array if it's not one.\n *\n * @static\n * @memberOf _\n * @since 4.4.0\n * @category Lang\n * @param {*} value The value to inspect.\n * @returns {Array} Returns the cast array.\n * @example\n *\n * _.castArray(1);\n * // => [1]\n *\n * _.castArray({ 'a': 1 });\n * // => [{ 'a': 1 }]\n *\n * _.castArray('abc');\n * // => ['abc']\n *\n * _.castArray(null);\n * // => [null]\n *\n * _.castArray(undefined);\n * // => [undefined]\n *\n * _.castArray();\n * // => []\n *\n * var array = [1, 2, 3];\n * console.log(_.castArray(array) === array);\n * // => true\n */\n\n\n function castArray() {\n if (!arguments.length) {\n return [];\n }\n\n var value = arguments[0];\n return isArray(value) ? value : [value];\n }\n /**\n * Creates a shallow clone of `value`.\n *\n * **Note:** This method is loosely based on the\n * [structured clone algorithm](https://mdn.io/Structured_clone_algorithm)\n * and supports cloning arrays, array buffers, booleans, date objects, maps,\n * numbers, `Object` objects, regexes, sets, strings, symbols, and typed\n * arrays. The own enumerable properties of `arguments` objects are cloned\n * as plain objects. An empty object is returned for uncloneable values such\n * as error objects, functions, DOM nodes, and WeakMaps.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to clone.\n * @returns {*} Returns the cloned value.\n * @see _.cloneDeep\n * @example\n *\n * var objects = [{ 'a': 1 }, { 'b': 2 }];\n *\n * var shallow = _.clone(objects);\n * console.log(shallow[0] === objects[0]);\n * // => true\n */\n\n\n function clone(value) {\n return baseClone(value, CLONE_SYMBOLS_FLAG);\n }\n /**\n * This method is like `_.clone` except that it accepts `customizer` which\n * is invoked to produce the cloned value. If `customizer` returns `undefined`,\n * cloning is handled by the method instead. The `customizer` is invoked with\n * up to four arguments; (value [, index|key, object, stack]).\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to clone.\n * @param {Function} [customizer] The function to customize cloning.\n * @returns {*} Returns the cloned value.\n * @see _.cloneDeepWith\n * @example\n *\n * function customizer(value) {\n * if (_.isElement(value)) {\n * return value.cloneNode(false);\n * }\n * }\n *\n * var el = _.cloneWith(document.body, customizer);\n *\n * console.log(el === document.body);\n * // => false\n * console.log(el.nodeName);\n * // => 'BODY'\n * console.log(el.childNodes.length);\n * // => 0\n */\n\n\n function cloneWith(value, customizer) {\n customizer = typeof customizer == 'function' ? customizer : undefined;\n return baseClone(value, CLONE_SYMBOLS_FLAG, customizer);\n }\n /**\n * This method is like `_.clone` except that it recursively clones `value`.\n *\n * @static\n * @memberOf _\n * @since 1.0.0\n * @category Lang\n * @param {*} value The value to recursively clone.\n * @returns {*} Returns the deep cloned value.\n * @see _.clone\n * @example\n *\n * var objects = [{ 'a': 1 }, { 'b': 2 }];\n *\n * var deep = _.cloneDeep(objects);\n * console.log(deep[0] === objects[0]);\n * // => false\n */\n\n\n function cloneDeep(value) {\n return baseClone(value, CLONE_DEEP_FLAG | CLONE_SYMBOLS_FLAG);\n }\n /**\n * This method is like `_.cloneWith` except that it recursively clones `value`.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to recursively clone.\n * @param {Function} [customizer] The function to customize cloning.\n * @returns {*} Returns the deep cloned value.\n * @see _.cloneWith\n * @example\n *\n * function customizer(value) {\n * if (_.isElement(value)) {\n * return value.cloneNode(true);\n * }\n * }\n *\n * var el = _.cloneDeepWith(document.body, customizer);\n *\n * console.log(el === document.body);\n * // => false\n * console.log(el.nodeName);\n * // => 'BODY'\n * console.log(el.childNodes.length);\n * // => 20\n */\n\n\n function cloneDeepWith(value, customizer) {\n customizer = typeof customizer == 'function' ? customizer : undefined;\n return baseClone(value, CLONE_DEEP_FLAG | CLONE_SYMBOLS_FLAG, customizer);\n }\n /**\n * Checks if `object` conforms to `source` by invoking the predicate\n * properties of `source` with the corresponding property values of `object`.\n *\n * **Note:** This method is equivalent to `_.conforms` when `source` is\n * partially applied.\n *\n * @static\n * @memberOf _\n * @since 4.14.0\n * @category Lang\n * @param {Object} object The object to inspect.\n * @param {Object} source The object of property predicates to conform to.\n * @returns {boolean} Returns `true` if `object` conforms, else `false`.\n * @example\n *\n * var object = { 'a': 1, 'b': 2 };\n *\n * _.conformsTo(object, { 'b': function(n) { return n > 1; } });\n * // => true\n *\n * _.conformsTo(object, { 'b': function(n) { return n > 2; } });\n * // => false\n */\n\n\n function conformsTo(object, source) {\n return source == null || baseConformsTo(object, source, keys(source));\n }\n /**\n * Performs a\n * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)\n * comparison between two values to determine if they are equivalent.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to compare.\n * @param {*} other The other value to compare.\n * @returns {boolean} Returns `true` if the values are equivalent, else `false`.\n * @example\n *\n * var object = { 'a': 1 };\n * var other = { 'a': 1 };\n *\n * _.eq(object, object);\n * // => true\n *\n * _.eq(object, other);\n * // => false\n *\n * _.eq('a', 'a');\n * // => true\n *\n * _.eq('a', Object('a'));\n * // => false\n *\n * _.eq(NaN, NaN);\n * // => true\n */\n\n\n function eq(value, other) {\n return value === other || value !== value && other !== other;\n }\n /**\n * Checks if `value` is greater than `other`.\n *\n * @static\n * @memberOf _\n * @since 3.9.0\n * @category Lang\n * @param {*} value The value to compare.\n * @param {*} other The other value to compare.\n * @returns {boolean} Returns `true` if `value` is greater than `other`,\n * else `false`.\n * @see _.lt\n * @example\n *\n * _.gt(3, 1);\n * // => true\n *\n * _.gt(3, 3);\n * // => false\n *\n * _.gt(1, 3);\n * // => false\n */\n\n\n var gt = createRelationalOperation(baseGt);\n /**\n * Checks if `value` is greater than or equal to `other`.\n *\n * @static\n * @memberOf _\n * @since 3.9.0\n * @category Lang\n * @param {*} value The value to compare.\n * @param {*} other The other value to compare.\n * @returns {boolean} Returns `true` if `value` is greater than or equal to\n * `other`, else `false`.\n * @see _.lte\n * @example\n *\n * _.gte(3, 1);\n * // => true\n *\n * _.gte(3, 3);\n * // => true\n *\n * _.gte(1, 3);\n * // => false\n */\n\n var gte = createRelationalOperation(function (value, other) {\n return value >= other;\n });\n /**\n * Checks if `value` is likely an `arguments` object.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is an `arguments` object,\n * else `false`.\n * @example\n *\n * _.isArguments(function() { return arguments; }());\n * // => true\n *\n * _.isArguments([1, 2, 3]);\n * // => false\n */\n\n var isArguments = baseIsArguments(function () {\n return arguments;\n }()) ? baseIsArguments : function (value) {\n return isObjectLike(value) && hasOwnProperty.call(value, 'callee') && !propertyIsEnumerable.call(value, 'callee');\n };\n /**\n * Checks if `value` is classified as an `Array` object.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is an array, else `false`.\n * @example\n *\n * _.isArray([1, 2, 3]);\n * // => true\n *\n * _.isArray(document.body.children);\n * // => false\n *\n * _.isArray('abc');\n * // => false\n *\n * _.isArray(_.noop);\n * // => false\n */\n\n var isArray = Array.isArray;\n /**\n * Checks if `value` is classified as an `ArrayBuffer` object.\n *\n * @static\n * @memberOf _\n * @since 4.3.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is an array buffer, else `false`.\n * @example\n *\n * _.isArrayBuffer(new ArrayBuffer(2));\n * // => true\n *\n * _.isArrayBuffer(new Array(2));\n * // => false\n */\n\n var isArrayBuffer = nodeIsArrayBuffer ? baseUnary(nodeIsArrayBuffer) : baseIsArrayBuffer;\n /**\n * Checks if `value` is array-like. A value is considered array-like if it's\n * not a function and has a `value.length` that's an integer greater than or\n * equal to `0` and less than or equal to `Number.MAX_SAFE_INTEGER`.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is array-like, else `false`.\n * @example\n *\n * _.isArrayLike([1, 2, 3]);\n * // => true\n *\n * _.isArrayLike(document.body.children);\n * // => true\n *\n * _.isArrayLike('abc');\n * // => true\n *\n * _.isArrayLike(_.noop);\n * // => false\n */\n\n function isArrayLike(value) {\n return value != null && isLength(value.length) && !isFunction(value);\n }\n /**\n * This method is like `_.isArrayLike` except that it also checks if `value`\n * is an object.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is an array-like object,\n * else `false`.\n * @example\n *\n * _.isArrayLikeObject([1, 2, 3]);\n * // => true\n *\n * _.isArrayLikeObject(document.body.children);\n * // => true\n *\n * _.isArrayLikeObject('abc');\n * // => false\n *\n * _.isArrayLikeObject(_.noop);\n * // => false\n */\n\n\n function isArrayLikeObject(value) {\n return isObjectLike(value) && isArrayLike(value);\n }\n /**\n * Checks if `value` is classified as a boolean primitive or object.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a boolean, else `false`.\n * @example\n *\n * _.isBoolean(false);\n * // => true\n *\n * _.isBoolean(null);\n * // => false\n */\n\n\n function isBoolean(value) {\n return value === true || value === false || isObjectLike(value) && baseGetTag(value) == boolTag;\n }\n /**\n * Checks if `value` is a buffer.\n *\n * @static\n * @memberOf _\n * @since 4.3.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a buffer, else `false`.\n * @example\n *\n * _.isBuffer(new Buffer(2));\n * // => true\n *\n * _.isBuffer(new Uint8Array(2));\n * // => false\n */\n\n\n var isBuffer = nativeIsBuffer || stubFalse;\n /**\n * Checks if `value` is classified as a `Date` object.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a date object, else `false`.\n * @example\n *\n * _.isDate(new Date);\n * // => true\n *\n * _.isDate('Mon April 23 2012');\n * // => false\n */\n\n var isDate = nodeIsDate ? baseUnary(nodeIsDate) : baseIsDate;\n /**\n * Checks if `value` is likely a DOM element.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a DOM element, else `false`.\n * @example\n *\n * _.isElement(document.body);\n * // => true\n *\n * _.isElement('');\n * // => false\n */\n\n function isElement(value) {\n return isObjectLike(value) && value.nodeType === 1 && !isPlainObject(value);\n }\n /**\n * Checks if `value` is an empty object, collection, map, or set.\n *\n * Objects are considered empty if they have no own enumerable string keyed\n * properties.\n *\n * Array-like values such as `arguments` objects, arrays, buffers, strings, or\n * jQuery-like collections are considered empty if they have a `length` of `0`.\n * Similarly, maps and sets are considered empty if they have a `size` of `0`.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is empty, else `false`.\n * @example\n *\n * _.isEmpty(null);\n * // => true\n *\n * _.isEmpty(true);\n * // => true\n *\n * _.isEmpty(1);\n * // => true\n *\n * _.isEmpty([1, 2, 3]);\n * // => false\n *\n * _.isEmpty({ 'a': 1 });\n * // => false\n */\n\n\n function isEmpty(value) {\n if (value == null) {\n return true;\n }\n\n if (isArrayLike(value) && (isArray(value) || typeof value == 'string' || typeof value.splice == 'function' || isBuffer(value) || isTypedArray(value) || isArguments(value))) {\n return !value.length;\n }\n\n var tag = getTag(value);\n\n if (tag == mapTag || tag == setTag) {\n return !value.size;\n }\n\n if (isPrototype(value)) {\n return !baseKeys(value).length;\n }\n\n for (var key in value) {\n if (hasOwnProperty.call(value, key)) {\n return false;\n }\n }\n\n return true;\n }\n /**\n * Performs a deep comparison between two values to determine if they are\n * equivalent.\n *\n * **Note:** This method supports comparing arrays, array buffers, booleans,\n * date objects, error objects, maps, numbers, `Object` objects, regexes,\n * sets, strings, symbols, and typed arrays. `Object` objects are compared\n * by their own, not inherited, enumerable properties. Functions and DOM\n * nodes are compared by strict equality, i.e. `===`.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to compare.\n * @param {*} other The other value to compare.\n * @returns {boolean} Returns `true` if the values are equivalent, else `false`.\n * @example\n *\n * var object = { 'a': 1 };\n * var other = { 'a': 1 };\n *\n * _.isEqual(object, other);\n * // => true\n *\n * object === other;\n * // => false\n */\n\n\n function isEqual(value, other) {\n return baseIsEqual(value, other);\n }\n /**\n * This method is like `_.isEqual` except that it accepts `customizer` which\n * is invoked to compare values. If `customizer` returns `undefined`, comparisons\n * are handled by the method instead. The `customizer` is invoked with up to\n * six arguments: (objValue, othValue [, index|key, object, other, stack]).\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to compare.\n * @param {*} other The other value to compare.\n * @param {Function} [customizer] The function to customize comparisons.\n * @returns {boolean} Returns `true` if the values are equivalent, else `false`.\n * @example\n *\n * function isGreeting(value) {\n * return /^h(?:i|ello)$/.test(value);\n * }\n *\n * function customizer(objValue, othValue) {\n * if (isGreeting(objValue) && isGreeting(othValue)) {\n * return true;\n * }\n * }\n *\n * var array = ['hello', 'goodbye'];\n * var other = ['hi', 'goodbye'];\n *\n * _.isEqualWith(array, other, customizer);\n * // => true\n */\n\n\n function isEqualWith(value, other, customizer) {\n customizer = typeof customizer == 'function' ? customizer : undefined;\n var result = customizer ? customizer(value, other) : undefined;\n return result === undefined ? baseIsEqual(value, other, undefined, customizer) : !!result;\n }\n /**\n * Checks if `value` is an `Error`, `EvalError`, `RangeError`, `ReferenceError`,\n * `SyntaxError`, `TypeError`, or `URIError` object.\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is an error object, else `false`.\n * @example\n *\n * _.isError(new Error);\n * // => true\n *\n * _.isError(Error);\n * // => false\n */\n\n\n function isError(value) {\n if (!isObjectLike(value)) {\n return false;\n }\n\n var tag = baseGetTag(value);\n return tag == errorTag || tag == domExcTag || typeof value.message == 'string' && typeof value.name == 'string' && !isPlainObject(value);\n }\n /**\n * Checks if `value` is a finite primitive number.\n *\n * **Note:** This method is based on\n * [`Number.isFinite`](https://mdn.io/Number/isFinite).\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a finite number, else `false`.\n * @example\n *\n * _.isFinite(3);\n * // => true\n *\n * _.isFinite(Number.MIN_VALUE);\n * // => true\n *\n * _.isFinite(Infinity);\n * // => false\n *\n * _.isFinite('3');\n * // => false\n */\n\n\n function isFinite(value) {\n return typeof value == 'number' && nativeIsFinite(value);\n }\n /**\n * Checks if `value` is classified as a `Function` object.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a function, else `false`.\n * @example\n *\n * _.isFunction(_);\n * // => true\n *\n * _.isFunction(/abc/);\n * // => false\n */\n\n\n function isFunction(value) {\n if (!isObject(value)) {\n return false;\n } // The use of `Object#toString` avoids issues with the `typeof` operator\n // in Safari 9 which returns 'object' for typed arrays and other constructors.\n\n\n var tag = baseGetTag(value);\n return tag == funcTag || tag == genTag || tag == asyncTag || tag == proxyTag;\n }\n /**\n * Checks if `value` is an integer.\n *\n * **Note:** This method is based on\n * [`Number.isInteger`](https://mdn.io/Number/isInteger).\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is an integer, else `false`.\n * @example\n *\n * _.isInteger(3);\n * // => true\n *\n * _.isInteger(Number.MIN_VALUE);\n * // => false\n *\n * _.isInteger(Infinity);\n * // => false\n *\n * _.isInteger('3');\n * // => false\n */\n\n\n function isInteger(value) {\n return typeof value == 'number' && value == toInteger(value);\n }\n /**\n * Checks if `value` is a valid array-like length.\n *\n * **Note:** This method is loosely based on\n * [`ToLength`](http://ecma-international.org/ecma-262/7.0/#sec-tolength).\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a valid length, else `false`.\n * @example\n *\n * _.isLength(3);\n * // => true\n *\n * _.isLength(Number.MIN_VALUE);\n * // => false\n *\n * _.isLength(Infinity);\n * // => false\n *\n * _.isLength('3');\n * // => false\n */\n\n\n function isLength(value) {\n return typeof value == 'number' && value > -1 && value % 1 == 0 && value <= MAX_SAFE_INTEGER;\n }\n /**\n * Checks if `value` is the\n * [language type](http://www.ecma-international.org/ecma-262/7.0/#sec-ecmascript-language-types)\n * of `Object`. (e.g. arrays, functions, objects, regexes, `new Number(0)`, and `new String('')`)\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is an object, else `false`.\n * @example\n *\n * _.isObject({});\n * // => true\n *\n * _.isObject([1, 2, 3]);\n * // => true\n *\n * _.isObject(_.noop);\n * // => true\n *\n * _.isObject(null);\n * // => false\n */\n\n\n function isObject(value) {\n var type = _typeof(value);\n\n return value != null && (type == 'object' || type == 'function');\n }\n /**\n * Checks if `value` is object-like. A value is object-like if it's not `null`\n * and has a `typeof` result of \"object\".\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is object-like, else `false`.\n * @example\n *\n * _.isObjectLike({});\n * // => true\n *\n * _.isObjectLike([1, 2, 3]);\n * // => true\n *\n * _.isObjectLike(_.noop);\n * // => false\n *\n * _.isObjectLike(null);\n * // => false\n */\n\n\n function isObjectLike(value) {\n return value != null && _typeof(value) == 'object';\n }\n /**\n * Checks if `value` is classified as a `Map` object.\n *\n * @static\n * @memberOf _\n * @since 4.3.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a map, else `false`.\n * @example\n *\n * _.isMap(new Map);\n * // => true\n *\n * _.isMap(new WeakMap);\n * // => false\n */\n\n\n var isMap = nodeIsMap ? baseUnary(nodeIsMap) : baseIsMap;\n /**\n * Performs a partial deep comparison between `object` and `source` to\n * determine if `object` contains equivalent property values.\n *\n * **Note:** This method is equivalent to `_.matches` when `source` is\n * partially applied.\n *\n * Partial comparisons will match empty array and empty object `source`\n * values against any array or object value, respectively. See `_.isEqual`\n * for a list of supported value comparisons.\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category Lang\n * @param {Object} object The object to inspect.\n * @param {Object} source The object of property values to match.\n * @returns {boolean} Returns `true` if `object` is a match, else `false`.\n * @example\n *\n * var object = { 'a': 1, 'b': 2 };\n *\n * _.isMatch(object, { 'b': 2 });\n * // => true\n *\n * _.isMatch(object, { 'b': 1 });\n * // => false\n */\n\n function isMatch(object, source) {\n return object === source || baseIsMatch(object, source, getMatchData(source));\n }\n /**\n * This method is like `_.isMatch` except that it accepts `customizer` which\n * is invoked to compare values. If `customizer` returns `undefined`, comparisons\n * are handled by the method instead. The `customizer` is invoked with five\n * arguments: (objValue, srcValue, index|key, object, source).\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {Object} object The object to inspect.\n * @param {Object} source The object of property values to match.\n * @param {Function} [customizer] The function to customize comparisons.\n * @returns {boolean} Returns `true` if `object` is a match, else `false`.\n * @example\n *\n * function isGreeting(value) {\n * return /^h(?:i|ello)$/.test(value);\n * }\n *\n * function customizer(objValue, srcValue) {\n * if (isGreeting(objValue) && isGreeting(srcValue)) {\n * return true;\n * }\n * }\n *\n * var object = { 'greeting': 'hello' };\n * var source = { 'greeting': 'hi' };\n *\n * _.isMatchWith(object, source, customizer);\n * // => true\n */\n\n\n function isMatchWith(object, source, customizer) {\n customizer = typeof customizer == 'function' ? customizer : undefined;\n return baseIsMatch(object, source, getMatchData(source), customizer);\n }\n /**\n * Checks if `value` is `NaN`.\n *\n * **Note:** This method is based on\n * [`Number.isNaN`](https://mdn.io/Number/isNaN) and is not the same as\n * global [`isNaN`](https://mdn.io/isNaN) which returns `true` for\n * `undefined` and other non-number values.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is `NaN`, else `false`.\n * @example\n *\n * _.isNaN(NaN);\n * // => true\n *\n * _.isNaN(new Number(NaN));\n * // => true\n *\n * isNaN(undefined);\n * // => true\n *\n * _.isNaN(undefined);\n * // => false\n */\n\n\n function isNaN(value) {\n // An `NaN` primitive is the only value that is not equal to itself.\n // Perform the `toStringTag` check first to avoid errors with some\n // ActiveX objects in IE.\n return isNumber(value) && value != +value;\n }\n /**\n * Checks if `value` is a pristine native function.\n *\n * **Note:** This method can't reliably detect native functions in the presence\n * of the core-js package because core-js circumvents this kind of detection.\n * Despite multiple requests, the core-js maintainer has made it clear: any\n * attempt to fix the detection will be obstructed. As a result, we're left\n * with little choice but to throw an error. Unfortunately, this also affects\n * packages, like [babel-polyfill](https://www.npmjs.com/package/babel-polyfill),\n * which rely on core-js.\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a native function,\n * else `false`.\n * @example\n *\n * _.isNative(Array.prototype.push);\n * // => true\n *\n * _.isNative(_);\n * // => false\n */\n\n\n function isNative(value) {\n if (isMaskable(value)) {\n throw new Error(CORE_ERROR_TEXT);\n }\n\n return baseIsNative(value);\n }\n /**\n * Checks if `value` is `null`.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is `null`, else `false`.\n * @example\n *\n * _.isNull(null);\n * // => true\n *\n * _.isNull(void 0);\n * // => false\n */\n\n\n function isNull(value) {\n return value === null;\n }\n /**\n * Checks if `value` is `null` or `undefined`.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is nullish, else `false`.\n * @example\n *\n * _.isNil(null);\n * // => true\n *\n * _.isNil(void 0);\n * // => true\n *\n * _.isNil(NaN);\n * // => false\n */\n\n\n function isNil(value) {\n return value == null;\n }\n /**\n * Checks if `value` is classified as a `Number` primitive or object.\n *\n * **Note:** To exclude `Infinity`, `-Infinity`, and `NaN`, which are\n * classified as numbers, use the `_.isFinite` method.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a number, else `false`.\n * @example\n *\n * _.isNumber(3);\n * // => true\n *\n * _.isNumber(Number.MIN_VALUE);\n * // => true\n *\n * _.isNumber(Infinity);\n * // => true\n *\n * _.isNumber('3');\n * // => false\n */\n\n\n function isNumber(value) {\n return typeof value == 'number' || isObjectLike(value) && baseGetTag(value) == numberTag;\n }\n /**\n * Checks if `value` is a plain object, that is, an object created by the\n * `Object` constructor or one with a `[[Prototype]]` of `null`.\n *\n * @static\n * @memberOf _\n * @since 0.8.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a plain object, else `false`.\n * @example\n *\n * function Foo() {\n * this.a = 1;\n * }\n *\n * _.isPlainObject(new Foo);\n * // => false\n *\n * _.isPlainObject([1, 2, 3]);\n * // => false\n *\n * _.isPlainObject({ 'x': 0, 'y': 0 });\n * // => true\n *\n * _.isPlainObject(Object.create(null));\n * // => true\n */\n\n\n function isPlainObject(value) {\n if (!isObjectLike(value) || baseGetTag(value) != objectTag) {\n return false;\n }\n\n var proto = getPrototype(value);\n\n if (proto === null) {\n return true;\n }\n\n var Ctor = hasOwnProperty.call(proto, 'constructor') && proto.constructor;\n return typeof Ctor == 'function' && Ctor instanceof Ctor && funcToString.call(Ctor) == objectCtorString;\n }\n /**\n * Checks if `value` is classified as a `RegExp` object.\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a regexp, else `false`.\n * @example\n *\n * _.isRegExp(/abc/);\n * // => true\n *\n * _.isRegExp('/abc/');\n * // => false\n */\n\n\n var isRegExp = nodeIsRegExp ? baseUnary(nodeIsRegExp) : baseIsRegExp;\n /**\n * Checks if `value` is a safe integer. An integer is safe if it's an IEEE-754\n * double precision number which isn't the result of a rounded unsafe integer.\n *\n * **Note:** This method is based on\n * [`Number.isSafeInteger`](https://mdn.io/Number/isSafeInteger).\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a safe integer, else `false`.\n * @example\n *\n * _.isSafeInteger(3);\n * // => true\n *\n * _.isSafeInteger(Number.MIN_VALUE);\n * // => false\n *\n * _.isSafeInteger(Infinity);\n * // => false\n *\n * _.isSafeInteger('3');\n * // => false\n */\n\n function isSafeInteger(value) {\n return isInteger(value) && value >= -MAX_SAFE_INTEGER && value <= MAX_SAFE_INTEGER;\n }\n /**\n * Checks if `value` is classified as a `Set` object.\n *\n * @static\n * @memberOf _\n * @since 4.3.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a set, else `false`.\n * @example\n *\n * _.isSet(new Set);\n * // => true\n *\n * _.isSet(new WeakSet);\n * // => false\n */\n\n\n var isSet = nodeIsSet ? baseUnary(nodeIsSet) : baseIsSet;\n /**\n * Checks if `value` is classified as a `String` primitive or object.\n *\n * @static\n * @since 0.1.0\n * @memberOf _\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a string, else `false`.\n * @example\n *\n * _.isString('abc');\n * // => true\n *\n * _.isString(1);\n * // => false\n */\n\n function isString(value) {\n return typeof value == 'string' || !isArray(value) && isObjectLike(value) && baseGetTag(value) == stringTag;\n }\n /**\n * Checks if `value` is classified as a `Symbol` primitive or object.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a symbol, else `false`.\n * @example\n *\n * _.isSymbol(Symbol.iterator);\n * // => true\n *\n * _.isSymbol('abc');\n * // => false\n */\n\n\n function isSymbol(value) {\n return _typeof(value) == 'symbol' || isObjectLike(value) && baseGetTag(value) == symbolTag;\n }\n /**\n * Checks if `value` is classified as a typed array.\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a typed array, else `false`.\n * @example\n *\n * _.isTypedArray(new Uint8Array);\n * // => true\n *\n * _.isTypedArray([]);\n * // => false\n */\n\n\n var isTypedArray = nodeIsTypedArray ? baseUnary(nodeIsTypedArray) : baseIsTypedArray;\n /**\n * Checks if `value` is `undefined`.\n *\n * @static\n * @since 0.1.0\n * @memberOf _\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is `undefined`, else `false`.\n * @example\n *\n * _.isUndefined(void 0);\n * // => true\n *\n * _.isUndefined(null);\n * // => false\n */\n\n function isUndefined(value) {\n return value === undefined;\n }\n /**\n * Checks if `value` is classified as a `WeakMap` object.\n *\n * @static\n * @memberOf _\n * @since 4.3.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a weak map, else `false`.\n * @example\n *\n * _.isWeakMap(new WeakMap);\n * // => true\n *\n * _.isWeakMap(new Map);\n * // => false\n */\n\n\n function isWeakMap(value) {\n return isObjectLike(value) && getTag(value) == weakMapTag;\n }\n /**\n * Checks if `value` is classified as a `WeakSet` object.\n *\n * @static\n * @memberOf _\n * @since 4.3.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is a weak set, else `false`.\n * @example\n *\n * _.isWeakSet(new WeakSet);\n * // => true\n *\n * _.isWeakSet(new Set);\n * // => false\n */\n\n\n function isWeakSet(value) {\n return isObjectLike(value) && baseGetTag(value) == weakSetTag;\n }\n /**\n * Checks if `value` is less than `other`.\n *\n * @static\n * @memberOf _\n * @since 3.9.0\n * @category Lang\n * @param {*} value The value to compare.\n * @param {*} other The other value to compare.\n * @returns {boolean} Returns `true` if `value` is less than `other`,\n * else `false`.\n * @see _.gt\n * @example\n *\n * _.lt(1, 3);\n * // => true\n *\n * _.lt(3, 3);\n * // => false\n *\n * _.lt(3, 1);\n * // => false\n */\n\n\n var lt = createRelationalOperation(baseLt);\n /**\n * Checks if `value` is less than or equal to `other`.\n *\n * @static\n * @memberOf _\n * @since 3.9.0\n * @category Lang\n * @param {*} value The value to compare.\n * @param {*} other The other value to compare.\n * @returns {boolean} Returns `true` if `value` is less than or equal to\n * `other`, else `false`.\n * @see _.gte\n * @example\n *\n * _.lte(1, 3);\n * // => true\n *\n * _.lte(3, 3);\n * // => true\n *\n * _.lte(3, 1);\n * // => false\n */\n\n var lte = createRelationalOperation(function (value, other) {\n return value <= other;\n });\n /**\n * Converts `value` to an array.\n *\n * @static\n * @since 0.1.0\n * @memberOf _\n * @category Lang\n * @param {*} value The value to convert.\n * @returns {Array} Returns the converted array.\n * @example\n *\n * _.toArray({ 'a': 1, 'b': 2 });\n * // => [1, 2]\n *\n * _.toArray('abc');\n * // => ['a', 'b', 'c']\n *\n * _.toArray(1);\n * // => []\n *\n * _.toArray(null);\n * // => []\n */\n\n function toArray(value) {\n if (!value) {\n return [];\n }\n\n if (isArrayLike(value)) {\n return isString(value) ? stringToArray(value) : copyArray(value);\n }\n\n if (symIterator && value[symIterator]) {\n return iteratorToArray(value[symIterator]());\n }\n\n var tag = getTag(value),\n func = tag == mapTag ? mapToArray : tag == setTag ? setToArray : values;\n return func(value);\n }\n /**\n * Converts `value` to a finite number.\n *\n * @static\n * @memberOf _\n * @since 4.12.0\n * @category Lang\n * @param {*} value The value to convert.\n * @returns {number} Returns the converted number.\n * @example\n *\n * _.toFinite(3.2);\n * // => 3.2\n *\n * _.toFinite(Number.MIN_VALUE);\n * // => 5e-324\n *\n * _.toFinite(Infinity);\n * // => 1.7976931348623157e+308\n *\n * _.toFinite('3.2');\n * // => 3.2\n */\n\n\n function toFinite(value) {\n if (!value) {\n return value === 0 ? value : 0;\n }\n\n value = toNumber(value);\n\n if (value === INFINITY || value === -INFINITY) {\n var sign = value < 0 ? -1 : 1;\n return sign * MAX_INTEGER;\n }\n\n return value === value ? value : 0;\n }\n /**\n * Converts `value` to an integer.\n *\n * **Note:** This method is loosely based on\n * [`ToInteger`](http://www.ecma-international.org/ecma-262/7.0/#sec-tointeger).\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to convert.\n * @returns {number} Returns the converted integer.\n * @example\n *\n * _.toInteger(3.2);\n * // => 3\n *\n * _.toInteger(Number.MIN_VALUE);\n * // => 0\n *\n * _.toInteger(Infinity);\n * // => 1.7976931348623157e+308\n *\n * _.toInteger('3.2');\n * // => 3\n */\n\n\n function toInteger(value) {\n var result = toFinite(value),\n remainder = result % 1;\n return result === result ? remainder ? result - remainder : result : 0;\n }\n /**\n * Converts `value` to an integer suitable for use as the length of an\n * array-like object.\n *\n * **Note:** This method is based on\n * [`ToLength`](http://ecma-international.org/ecma-262/7.0/#sec-tolength).\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to convert.\n * @returns {number} Returns the converted integer.\n * @example\n *\n * _.toLength(3.2);\n * // => 3\n *\n * _.toLength(Number.MIN_VALUE);\n * // => 0\n *\n * _.toLength(Infinity);\n * // => 4294967295\n *\n * _.toLength('3.2');\n * // => 3\n */\n\n\n function toLength(value) {\n return value ? baseClamp(toInteger(value), 0, MAX_ARRAY_LENGTH) : 0;\n }\n /**\n * Converts `value` to a number.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to process.\n * @returns {number} Returns the number.\n * @example\n *\n * _.toNumber(3.2);\n * // => 3.2\n *\n * _.toNumber(Number.MIN_VALUE);\n * // => 5e-324\n *\n * _.toNumber(Infinity);\n * // => Infinity\n *\n * _.toNumber('3.2');\n * // => 3.2\n */\n\n\n function toNumber(value) {\n if (typeof value == 'number') {\n return value;\n }\n\n if (isSymbol(value)) {\n return NAN;\n }\n\n if (isObject(value)) {\n var other = typeof value.valueOf == 'function' ? value.valueOf() : value;\n value = isObject(other) ? other + '' : other;\n }\n\n if (typeof value != 'string') {\n return value === 0 ? value : +value;\n }\n\n value = baseTrim(value);\n var isBinary = reIsBinary.test(value);\n return isBinary || reIsOctal.test(value) ? freeParseInt(value.slice(2), isBinary ? 2 : 8) : reIsBadHex.test(value) ? NAN : +value;\n }\n /**\n * Converts `value` to a plain object flattening inherited enumerable string\n * keyed properties of `value` to own properties of the plain object.\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category Lang\n * @param {*} value The value to convert.\n * @returns {Object} Returns the converted plain object.\n * @example\n *\n * function Foo() {\n * this.b = 2;\n * }\n *\n * Foo.prototype.c = 3;\n *\n * _.assign({ 'a': 1 }, new Foo);\n * // => { 'a': 1, 'b': 2 }\n *\n * _.assign({ 'a': 1 }, _.toPlainObject(new Foo));\n * // => { 'a': 1, 'b': 2, 'c': 3 }\n */\n\n\n function toPlainObject(value) {\n return copyObject(value, keysIn(value));\n }\n /**\n * Converts `value` to a safe integer. A safe integer can be compared and\n * represented correctly.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to convert.\n * @returns {number} Returns the converted integer.\n * @example\n *\n * _.toSafeInteger(3.2);\n * // => 3\n *\n * _.toSafeInteger(Number.MIN_VALUE);\n * // => 0\n *\n * _.toSafeInteger(Infinity);\n * // => 9007199254740991\n *\n * _.toSafeInteger('3.2');\n * // => 3\n */\n\n\n function toSafeInteger(value) {\n return value ? baseClamp(toInteger(value), -MAX_SAFE_INTEGER, MAX_SAFE_INTEGER) : value === 0 ? value : 0;\n }\n /**\n * Converts `value` to a string. An empty string is returned for `null`\n * and `undefined` values. The sign of `-0` is preserved.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Lang\n * @param {*} value The value to convert.\n * @returns {string} Returns the converted string.\n * @example\n *\n * _.toString(null);\n * // => ''\n *\n * _.toString(-0);\n * // => '-0'\n *\n * _.toString([1, 2, 3]);\n * // => '1,2,3'\n */\n\n\n function toString(value) {\n return value == null ? '' : baseToString(value);\n }\n /*------------------------------------------------------------------------*/\n\n /**\n * Assigns own enumerable string keyed properties of source objects to the\n * destination object. Source objects are applied from left to right.\n * Subsequent sources overwrite property assignments of previous sources.\n *\n * **Note:** This method mutates `object` and is loosely based on\n * [`Object.assign`](https://mdn.io/Object/assign).\n *\n * @static\n * @memberOf _\n * @since 0.10.0\n * @category Object\n * @param {Object} object The destination object.\n * @param {...Object} [sources] The source objects.\n * @returns {Object} Returns `object`.\n * @see _.assignIn\n * @example\n *\n * function Foo() {\n * this.a = 1;\n * }\n *\n * function Bar() {\n * this.c = 3;\n * }\n *\n * Foo.prototype.b = 2;\n * Bar.prototype.d = 4;\n *\n * _.assign({ 'a': 0 }, new Foo, new Bar);\n * // => { 'a': 1, 'c': 3 }\n */\n\n\n var assign = createAssigner(function (object, source) {\n if (isPrototype(source) || isArrayLike(source)) {\n copyObject(source, keys(source), object);\n return;\n }\n\n for (var key in source) {\n if (hasOwnProperty.call(source, key)) {\n assignValue(object, key, source[key]);\n }\n }\n });\n /**\n * This method is like `_.assign` except that it iterates over own and\n * inherited source properties.\n *\n * **Note:** This method mutates `object`.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @alias extend\n * @category Object\n * @param {Object} object The destination object.\n * @param {...Object} [sources] The source objects.\n * @returns {Object} Returns `object`.\n * @see _.assign\n * @example\n *\n * function Foo() {\n * this.a = 1;\n * }\n *\n * function Bar() {\n * this.c = 3;\n * }\n *\n * Foo.prototype.b = 2;\n * Bar.prototype.d = 4;\n *\n * _.assignIn({ 'a': 0 }, new Foo, new Bar);\n * // => { 'a': 1, 'b': 2, 'c': 3, 'd': 4 }\n */\n\n var assignIn = createAssigner(function (object, source) {\n copyObject(source, keysIn(source), object);\n });\n /**\n * This method is like `_.assignIn` except that it accepts `customizer`\n * which is invoked to produce the assigned values. If `customizer` returns\n * `undefined`, assignment is handled by the method instead. The `customizer`\n * is invoked with five arguments: (objValue, srcValue, key, object, source).\n *\n * **Note:** This method mutates `object`.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @alias extendWith\n * @category Object\n * @param {Object} object The destination object.\n * @param {...Object} sources The source objects.\n * @param {Function} [customizer] The function to customize assigned values.\n * @returns {Object} Returns `object`.\n * @see _.assignWith\n * @example\n *\n * function customizer(objValue, srcValue) {\n * return _.isUndefined(objValue) ? srcValue : objValue;\n * }\n *\n * var defaults = _.partialRight(_.assignInWith, customizer);\n *\n * defaults({ 'a': 1 }, { 'b': 2 }, { 'a': 3 });\n * // => { 'a': 1, 'b': 2 }\n */\n\n var assignInWith = createAssigner(function (object, source, srcIndex, customizer) {\n copyObject(source, keysIn(source), object, customizer);\n });\n /**\n * This method is like `_.assign` except that it accepts `customizer`\n * which is invoked to produce the assigned values. If `customizer` returns\n * `undefined`, assignment is handled by the method instead. The `customizer`\n * is invoked with five arguments: (objValue, srcValue, key, object, source).\n *\n * **Note:** This method mutates `object`.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Object\n * @param {Object} object The destination object.\n * @param {...Object} sources The source objects.\n * @param {Function} [customizer] The function to customize assigned values.\n * @returns {Object} Returns `object`.\n * @see _.assignInWith\n * @example\n *\n * function customizer(objValue, srcValue) {\n * return _.isUndefined(objValue) ? srcValue : objValue;\n * }\n *\n * var defaults = _.partialRight(_.assignWith, customizer);\n *\n * defaults({ 'a': 1 }, { 'b': 2 }, { 'a': 3 });\n * // => { 'a': 1, 'b': 2 }\n */\n\n var assignWith = createAssigner(function (object, source, srcIndex, customizer) {\n copyObject(source, keys(source), object, customizer);\n });\n /**\n * Creates an array of values corresponding to `paths` of `object`.\n *\n * @static\n * @memberOf _\n * @since 1.0.0\n * @category Object\n * @param {Object} object The object to iterate over.\n * @param {...(string|string[])} [paths] The property paths to pick.\n * @returns {Array} Returns the picked values.\n * @example\n *\n * var object = { 'a': [{ 'b': { 'c': 3 } }, 4] };\n *\n * _.at(object, ['a[0].b.c', 'a[1]']);\n * // => [3, 4]\n */\n\n var at = flatRest(baseAt);\n /**\n * Creates an object that inherits from the `prototype` object. If a\n * `properties` object is given, its own enumerable string keyed properties\n * are assigned to the created object.\n *\n * @static\n * @memberOf _\n * @since 2.3.0\n * @category Object\n * @param {Object} prototype The object to inherit from.\n * @param {Object} [properties] The properties to assign to the object.\n * @returns {Object} Returns the new object.\n * @example\n *\n * function Shape() {\n * this.x = 0;\n * this.y = 0;\n * }\n *\n * function Circle() {\n * Shape.call(this);\n * }\n *\n * Circle.prototype = _.create(Shape.prototype, {\n * 'constructor': Circle\n * });\n *\n * var circle = new Circle;\n * circle instanceof Circle;\n * // => true\n *\n * circle instanceof Shape;\n * // => true\n */\n\n function create(prototype, properties) {\n var result = baseCreate(prototype);\n return properties == null ? result : baseAssign(result, properties);\n }\n /**\n * Assigns own and inherited enumerable string keyed properties of source\n * objects to the destination object for all destination properties that\n * resolve to `undefined`. Source objects are applied from left to right.\n * Once a property is set, additional values of the same property are ignored.\n *\n * **Note:** This method mutates `object`.\n *\n * @static\n * @since 0.1.0\n * @memberOf _\n * @category Object\n * @param {Object} object The destination object.\n * @param {...Object} [sources] The source objects.\n * @returns {Object} Returns `object`.\n * @see _.defaultsDeep\n * @example\n *\n * _.defaults({ 'a': 1 }, { 'b': 2 }, { 'a': 3 });\n * // => { 'a': 1, 'b': 2 }\n */\n\n\n var defaults = baseRest(function (object, sources) {\n object = Object(object);\n var index = -1;\n var length = sources.length;\n var guard = length > 2 ? sources[2] : undefined;\n\n if (guard && isIterateeCall(sources[0], sources[1], guard)) {\n length = 1;\n }\n\n while (++index < length) {\n var source = sources[index];\n var props = keysIn(source);\n var propsIndex = -1;\n var propsLength = props.length;\n\n while (++propsIndex < propsLength) {\n var key = props[propsIndex];\n var value = object[key];\n\n if (value === undefined || eq(value, objectProto[key]) && !hasOwnProperty.call(object, key)) {\n object[key] = source[key];\n }\n }\n }\n\n return object;\n });\n /**\n * This method is like `_.defaults` except that it recursively assigns\n * default properties.\n *\n * **Note:** This method mutates `object`.\n *\n * @static\n * @memberOf _\n * @since 3.10.0\n * @category Object\n * @param {Object} object The destination object.\n * @param {...Object} [sources] The source objects.\n * @returns {Object} Returns `object`.\n * @see _.defaults\n * @example\n *\n * _.defaultsDeep({ 'a': { 'b': 2 } }, { 'a': { 'b': 1, 'c': 3 } });\n * // => { 'a': { 'b': 2, 'c': 3 } }\n */\n\n var defaultsDeep = baseRest(function (args) {\n args.push(undefined, customDefaultsMerge);\n return apply(mergeWith, undefined, args);\n });\n /**\n * This method is like `_.find` except that it returns the key of the first\n * element `predicate` returns truthy for instead of the element itself.\n *\n * @static\n * @memberOf _\n * @since 1.1.0\n * @category Object\n * @param {Object} object The object to inspect.\n * @param {Function} [predicate=_.identity] The function invoked per iteration.\n * @returns {string|undefined} Returns the key of the matched element,\n * else `undefined`.\n * @example\n *\n * var users = {\n * 'barney': { 'age': 36, 'active': true },\n * 'fred': { 'age': 40, 'active': false },\n * 'pebbles': { 'age': 1, 'active': true }\n * };\n *\n * _.findKey(users, function(o) { return o.age < 40; });\n * // => 'barney' (iteration order is not guaranteed)\n *\n * // The `_.matches` iteratee shorthand.\n * _.findKey(users, { 'age': 1, 'active': true });\n * // => 'pebbles'\n *\n * // The `_.matchesProperty` iteratee shorthand.\n * _.findKey(users, ['active', false]);\n * // => 'fred'\n *\n * // The `_.property` iteratee shorthand.\n * _.findKey(users, 'active');\n * // => 'barney'\n */\n\n function findKey(object, predicate) {\n return baseFindKey(object, getIteratee(predicate, 3), baseForOwn);\n }\n /**\n * This method is like `_.findKey` except that it iterates over elements of\n * a collection in the opposite order.\n *\n * @static\n * @memberOf _\n * @since 2.0.0\n * @category Object\n * @param {Object} object The object to inspect.\n * @param {Function} [predicate=_.identity] The function invoked per iteration.\n * @returns {string|undefined} Returns the key of the matched element,\n * else `undefined`.\n * @example\n *\n * var users = {\n * 'barney': { 'age': 36, 'active': true },\n * 'fred': { 'age': 40, 'active': false },\n * 'pebbles': { 'age': 1, 'active': true }\n * };\n *\n * _.findLastKey(users, function(o) { return o.age < 40; });\n * // => returns 'pebbles' assuming `_.findKey` returns 'barney'\n *\n * // The `_.matches` iteratee shorthand.\n * _.findLastKey(users, { 'age': 36, 'active': true });\n * // => 'barney'\n *\n * // The `_.matchesProperty` iteratee shorthand.\n * _.findLastKey(users, ['active', false]);\n * // => 'fred'\n *\n * // The `_.property` iteratee shorthand.\n * _.findLastKey(users, 'active');\n * // => 'pebbles'\n */\n\n\n function findLastKey(object, predicate) {\n return baseFindKey(object, getIteratee(predicate, 3), baseForOwnRight);\n }\n /**\n * Iterates over own and inherited enumerable string keyed properties of an\n * object and invokes `iteratee` for each property. The iteratee is invoked\n * with three arguments: (value, key, object). Iteratee functions may exit\n * iteration early by explicitly returning `false`.\n *\n * @static\n * @memberOf _\n * @since 0.3.0\n * @category Object\n * @param {Object} object The object to iterate over.\n * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n * @returns {Object} Returns `object`.\n * @see _.forInRight\n * @example\n *\n * function Foo() {\n * this.a = 1;\n * this.b = 2;\n * }\n *\n * Foo.prototype.c = 3;\n *\n * _.forIn(new Foo, function(value, key) {\n * console.log(key);\n * });\n * // => Logs 'a', 'b', then 'c' (iteration order is not guaranteed).\n */\n\n\n function forIn(object, iteratee) {\n return object == null ? object : baseFor(object, getIteratee(iteratee, 3), keysIn);\n }\n /**\n * This method is like `_.forIn` except that it iterates over properties of\n * `object` in the opposite order.\n *\n * @static\n * @memberOf _\n * @since 2.0.0\n * @category Object\n * @param {Object} object The object to iterate over.\n * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n * @returns {Object} Returns `object`.\n * @see _.forIn\n * @example\n *\n * function Foo() {\n * this.a = 1;\n * this.b = 2;\n * }\n *\n * Foo.prototype.c = 3;\n *\n * _.forInRight(new Foo, function(value, key) {\n * console.log(key);\n * });\n * // => Logs 'c', 'b', then 'a' assuming `_.forIn` logs 'a', 'b', then 'c'.\n */\n\n\n function forInRight(object, iteratee) {\n return object == null ? object : baseForRight(object, getIteratee(iteratee, 3), keysIn);\n }\n /**\n * Iterates over own enumerable string keyed properties of an object and\n * invokes `iteratee` for each property. The iteratee is invoked with three\n * arguments: (value, key, object). Iteratee functions may exit iteration\n * early by explicitly returning `false`.\n *\n * @static\n * @memberOf _\n * @since 0.3.0\n * @category Object\n * @param {Object} object The object to iterate over.\n * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n * @returns {Object} Returns `object`.\n * @see _.forOwnRight\n * @example\n *\n * function Foo() {\n * this.a = 1;\n * this.b = 2;\n * }\n *\n * Foo.prototype.c = 3;\n *\n * _.forOwn(new Foo, function(value, key) {\n * console.log(key);\n * });\n * // => Logs 'a' then 'b' (iteration order is not guaranteed).\n */\n\n\n function forOwn(object, iteratee) {\n return object && baseForOwn(object, getIteratee(iteratee, 3));\n }\n /**\n * This method is like `_.forOwn` except that it iterates over properties of\n * `object` in the opposite order.\n *\n * @static\n * @memberOf _\n * @since 2.0.0\n * @category Object\n * @param {Object} object The object to iterate over.\n * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n * @returns {Object} Returns `object`.\n * @see _.forOwn\n * @example\n *\n * function Foo() {\n * this.a = 1;\n * this.b = 2;\n * }\n *\n * Foo.prototype.c = 3;\n *\n * _.forOwnRight(new Foo, function(value, key) {\n * console.log(key);\n * });\n * // => Logs 'b' then 'a' assuming `_.forOwn` logs 'a' then 'b'.\n */\n\n\n function forOwnRight(object, iteratee) {\n return object && baseForOwnRight(object, getIteratee(iteratee, 3));\n }\n /**\n * Creates an array of function property names from own enumerable properties\n * of `object`.\n *\n * @static\n * @since 0.1.0\n * @memberOf _\n * @category Object\n * @param {Object} object The object to inspect.\n * @returns {Array} Returns the function names.\n * @see _.functionsIn\n * @example\n *\n * function Foo() {\n * this.a = _.constant('a');\n * this.b = _.constant('b');\n * }\n *\n * Foo.prototype.c = _.constant('c');\n *\n * _.functions(new Foo);\n * // => ['a', 'b']\n */\n\n\n function functions(object) {\n return object == null ? [] : baseFunctions(object, keys(object));\n }\n /**\n * Creates an array of function property names from own and inherited\n * enumerable properties of `object`.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Object\n * @param {Object} object The object to inspect.\n * @returns {Array} Returns the function names.\n * @see _.functions\n * @example\n *\n * function Foo() {\n * this.a = _.constant('a');\n * this.b = _.constant('b');\n * }\n *\n * Foo.prototype.c = _.constant('c');\n *\n * _.functionsIn(new Foo);\n * // => ['a', 'b', 'c']\n */\n\n\n function functionsIn(object) {\n return object == null ? [] : baseFunctions(object, keysIn(object));\n }\n /**\n * Gets the value at `path` of `object`. If the resolved value is\n * `undefined`, the `defaultValue` is returned in its place.\n *\n * @static\n * @memberOf _\n * @since 3.7.0\n * @category Object\n * @param {Object} object The object to query.\n * @param {Array|string} path The path of the property to get.\n * @param {*} [defaultValue] The value returned for `undefined` resolved values.\n * @returns {*} Returns the resolved value.\n * @example\n *\n * var object = { 'a': [{ 'b': { 'c': 3 } }] };\n *\n * _.get(object, 'a[0].b.c');\n * // => 3\n *\n * _.get(object, ['a', '0', 'b', 'c']);\n * // => 3\n *\n * _.get(object, 'a.b.c', 'default');\n * // => 'default'\n */\n\n\n function get(object, path, defaultValue) {\n var result = object == null ? undefined : baseGet(object, path);\n return result === undefined ? defaultValue : result;\n }\n /**\n * Checks if `path` is a direct property of `object`.\n *\n * @static\n * @since 0.1.0\n * @memberOf _\n * @category Object\n * @param {Object} object The object to query.\n * @param {Array|string} path The path to check.\n * @returns {boolean} Returns `true` if `path` exists, else `false`.\n * @example\n *\n * var object = { 'a': { 'b': 2 } };\n * var other = _.create({ 'a': _.create({ 'b': 2 }) });\n *\n * _.has(object, 'a');\n * // => true\n *\n * _.has(object, 'a.b');\n * // => true\n *\n * _.has(object, ['a', 'b']);\n * // => true\n *\n * _.has(other, 'a');\n * // => false\n */\n\n\n function has(object, path) {\n return object != null && hasPath(object, path, baseHas);\n }\n /**\n * Checks if `path` is a direct or inherited property of `object`.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Object\n * @param {Object} object The object to query.\n * @param {Array|string} path The path to check.\n * @returns {boolean} Returns `true` if `path` exists, else `false`.\n * @example\n *\n * var object = _.create({ 'a': _.create({ 'b': 2 }) });\n *\n * _.hasIn(object, 'a');\n * // => true\n *\n * _.hasIn(object, 'a.b');\n * // => true\n *\n * _.hasIn(object, ['a', 'b']);\n * // => true\n *\n * _.hasIn(object, 'b');\n * // => false\n */\n\n\n function hasIn(object, path) {\n return object != null && hasPath(object, path, baseHasIn);\n }\n /**\n * Creates an object composed of the inverted keys and values of `object`.\n * If `object` contains duplicate values, subsequent values overwrite\n * property assignments of previous values.\n *\n * @static\n * @memberOf _\n * @since 0.7.0\n * @category Object\n * @param {Object} object The object to invert.\n * @returns {Object} Returns the new inverted object.\n * @example\n *\n * var object = { 'a': 1, 'b': 2, 'c': 1 };\n *\n * _.invert(object);\n * // => { '1': 'c', '2': 'b' }\n */\n\n\n var invert = createInverter(function (result, value, key) {\n if (value != null && typeof value.toString != 'function') {\n value = nativeObjectToString.call(value);\n }\n\n result[value] = key;\n }, constant(identity));\n /**\n * This method is like `_.invert` except that the inverted object is generated\n * from the results of running each element of `object` thru `iteratee`. The\n * corresponding inverted value of each inverted key is an array of keys\n * responsible for generating the inverted value. The iteratee is invoked\n * with one argument: (value).\n *\n * @static\n * @memberOf _\n * @since 4.1.0\n * @category Object\n * @param {Object} object The object to invert.\n * @param {Function} [iteratee=_.identity] The iteratee invoked per element.\n * @returns {Object} Returns the new inverted object.\n * @example\n *\n * var object = { 'a': 1, 'b': 2, 'c': 1 };\n *\n * _.invertBy(object);\n * // => { '1': ['a', 'c'], '2': ['b'] }\n *\n * _.invertBy(object, function(value) {\n * return 'group' + value;\n * });\n * // => { 'group1': ['a', 'c'], 'group2': ['b'] }\n */\n\n var invertBy = createInverter(function (result, value, key) {\n if (value != null && typeof value.toString != 'function') {\n value = nativeObjectToString.call(value);\n }\n\n if (hasOwnProperty.call(result, value)) {\n result[value].push(key);\n } else {\n result[value] = [key];\n }\n }, getIteratee);\n /**\n * Invokes the method at `path` of `object`.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Object\n * @param {Object} object The object to query.\n * @param {Array|string} path The path of the method to invoke.\n * @param {...*} [args] The arguments to invoke the method with.\n * @returns {*} Returns the result of the invoked method.\n * @example\n *\n * var object = { 'a': [{ 'b': { 'c': [1, 2, 3, 4] } }] };\n *\n * _.invoke(object, 'a[0].b.c.slice', 1, 3);\n * // => [2, 3]\n */\n\n var invoke = baseRest(baseInvoke);\n /**\n * Creates an array of the own enumerable property names of `object`.\n *\n * **Note:** Non-object values are coerced to objects. See the\n * [ES spec](http://ecma-international.org/ecma-262/7.0/#sec-object.keys)\n * for more details.\n *\n * @static\n * @since 0.1.0\n * @memberOf _\n * @category Object\n * @param {Object} object The object to query.\n * @returns {Array} Returns the array of property names.\n * @example\n *\n * function Foo() {\n * this.a = 1;\n * this.b = 2;\n * }\n *\n * Foo.prototype.c = 3;\n *\n * _.keys(new Foo);\n * // => ['a', 'b'] (iteration order is not guaranteed)\n *\n * _.keys('hi');\n * // => ['0', '1']\n */\n\n function keys(object) {\n return isArrayLike(object) ? arrayLikeKeys(object) : baseKeys(object);\n }\n /**\n * Creates an array of the own and inherited enumerable property names of `object`.\n *\n * **Note:** Non-object values are coerced to objects.\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category Object\n * @param {Object} object The object to query.\n * @returns {Array} Returns the array of property names.\n * @example\n *\n * function Foo() {\n * this.a = 1;\n * this.b = 2;\n * }\n *\n * Foo.prototype.c = 3;\n *\n * _.keysIn(new Foo);\n * // => ['a', 'b', 'c'] (iteration order is not guaranteed)\n */\n\n\n function keysIn(object) {\n return isArrayLike(object) ? arrayLikeKeys(object, true) : baseKeysIn(object);\n }\n /**\n * The opposite of `_.mapValues`; this method creates an object with the\n * same values as `object` and keys generated by running each own enumerable\n * string keyed property of `object` thru `iteratee`. The iteratee is invoked\n * with three arguments: (value, key, object).\n *\n * @static\n * @memberOf _\n * @since 3.8.0\n * @category Object\n * @param {Object} object The object to iterate over.\n * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n * @returns {Object} Returns the new mapped object.\n * @see _.mapValues\n * @example\n *\n * _.mapKeys({ 'a': 1, 'b': 2 }, function(value, key) {\n * return key + value;\n * });\n * // => { 'a1': 1, 'b2': 2 }\n */\n\n\n function mapKeys(object, iteratee) {\n var result = {};\n iteratee = getIteratee(iteratee, 3);\n baseForOwn(object, function (value, key, object) {\n baseAssignValue(result, iteratee(value, key, object), value);\n });\n return result;\n }\n /**\n * Creates an object with the same keys as `object` and values generated\n * by running each own enumerable string keyed property of `object` thru\n * `iteratee`. The iteratee is invoked with three arguments:\n * (value, key, object).\n *\n * @static\n * @memberOf _\n * @since 2.4.0\n * @category Object\n * @param {Object} object The object to iterate over.\n * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n * @returns {Object} Returns the new mapped object.\n * @see _.mapKeys\n * @example\n *\n * var users = {\n * 'fred': { 'user': 'fred', 'age': 40 },\n * 'pebbles': { 'user': 'pebbles', 'age': 1 }\n * };\n *\n * _.mapValues(users, function(o) { return o.age; });\n * // => { 'fred': 40, 'pebbles': 1 } (iteration order is not guaranteed)\n *\n * // The `_.property` iteratee shorthand.\n * _.mapValues(users, 'age');\n * // => { 'fred': 40, 'pebbles': 1 } (iteration order is not guaranteed)\n */\n\n\n function mapValues(object, iteratee) {\n var result = {};\n iteratee = getIteratee(iteratee, 3);\n baseForOwn(object, function (value, key, object) {\n baseAssignValue(result, key, iteratee(value, key, object));\n });\n return result;\n }\n /**\n * This method is like `_.assign` except that it recursively merges own and\n * inherited enumerable string keyed properties of source objects into the\n * destination object. Source properties that resolve to `undefined` are\n * skipped if a destination value exists. Array and plain object properties\n * are merged recursively. Other objects and value types are overridden by\n * assignment. Source objects are applied from left to right. Subsequent\n * sources overwrite property assignments of previous sources.\n *\n * **Note:** This method mutates `object`.\n *\n * @static\n * @memberOf _\n * @since 0.5.0\n * @category Object\n * @param {Object} object The destination object.\n * @param {...Object} [sources] The source objects.\n * @returns {Object} Returns `object`.\n * @example\n *\n * var object = {\n * 'a': [{ 'b': 2 }, { 'd': 4 }]\n * };\n *\n * var other = {\n * 'a': [{ 'c': 3 }, { 'e': 5 }]\n * };\n *\n * _.merge(object, other);\n * // => { 'a': [{ 'b': 2, 'c': 3 }, { 'd': 4, 'e': 5 }] }\n */\n\n\n var merge = createAssigner(function (object, source, srcIndex) {\n baseMerge(object, source, srcIndex);\n });\n /**\n * This method is like `_.merge` except that it accepts `customizer` which\n * is invoked to produce the merged values of the destination and source\n * properties. If `customizer` returns `undefined`, merging is handled by the\n * method instead. The `customizer` is invoked with six arguments:\n * (objValue, srcValue, key, object, source, stack).\n *\n * **Note:** This method mutates `object`.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Object\n * @param {Object} object The destination object.\n * @param {...Object} sources The source objects.\n * @param {Function} customizer The function to customize assigned values.\n * @returns {Object} Returns `object`.\n * @example\n *\n * function customizer(objValue, srcValue) {\n * if (_.isArray(objValue)) {\n * return objValue.concat(srcValue);\n * }\n * }\n *\n * var object = { 'a': [1], 'b': [2] };\n * var other = { 'a': [3], 'b': [4] };\n *\n * _.mergeWith(object, other, customizer);\n * // => { 'a': [1, 3], 'b': [2, 4] }\n */\n\n var mergeWith = createAssigner(function (object, source, srcIndex, customizer) {\n baseMerge(object, source, srcIndex, customizer);\n });\n /**\n * The opposite of `_.pick`; this method creates an object composed of the\n * own and inherited enumerable property paths of `object` that are not omitted.\n *\n * **Note:** This method is considerably slower than `_.pick`.\n *\n * @static\n * @since 0.1.0\n * @memberOf _\n * @category Object\n * @param {Object} object The source object.\n * @param {...(string|string[])} [paths] The property paths to omit.\n * @returns {Object} Returns the new object.\n * @example\n *\n * var object = { 'a': 1, 'b': '2', 'c': 3 };\n *\n * _.omit(object, ['a', 'c']);\n * // => { 'b': '2' }\n */\n\n var omit = flatRest(function (object, paths) {\n var result = {};\n\n if (object == null) {\n return result;\n }\n\n var isDeep = false;\n paths = arrayMap(paths, function (path) {\n path = castPath(path, object);\n isDeep || (isDeep = path.length > 1);\n return path;\n });\n copyObject(object, getAllKeysIn(object), result);\n\n if (isDeep) {\n result = baseClone(result, CLONE_DEEP_FLAG | CLONE_FLAT_FLAG | CLONE_SYMBOLS_FLAG, customOmitClone);\n }\n\n var length = paths.length;\n\n while (length--) {\n baseUnset(result, paths[length]);\n }\n\n return result;\n });\n /**\n * The opposite of `_.pickBy`; this method creates an object composed of\n * the own and inherited enumerable string keyed properties of `object` that\n * `predicate` doesn't return truthy for. The predicate is invoked with two\n * arguments: (value, key).\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Object\n * @param {Object} object The source object.\n * @param {Function} [predicate=_.identity] The function invoked per property.\n * @returns {Object} Returns the new object.\n * @example\n *\n * var object = { 'a': 1, 'b': '2', 'c': 3 };\n *\n * _.omitBy(object, _.isNumber);\n * // => { 'b': '2' }\n */\n\n function omitBy(object, predicate) {\n return pickBy(object, negate(getIteratee(predicate)));\n }\n /**\n * Creates an object composed of the picked `object` properties.\n *\n * @static\n * @since 0.1.0\n * @memberOf _\n * @category Object\n * @param {Object} object The source object.\n * @param {...(string|string[])} [paths] The property paths to pick.\n * @returns {Object} Returns the new object.\n * @example\n *\n * var object = { 'a': 1, 'b': '2', 'c': 3 };\n *\n * _.pick(object, ['a', 'c']);\n * // => { 'a': 1, 'c': 3 }\n */\n\n\n var pick = flatRest(function (object, paths) {\n return object == null ? {} : basePick(object, paths);\n });\n /**\n * Creates an object composed of the `object` properties `predicate` returns\n * truthy for. The predicate is invoked with two arguments: (value, key).\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Object\n * @param {Object} object The source object.\n * @param {Function} [predicate=_.identity] The function invoked per property.\n * @returns {Object} Returns the new object.\n * @example\n *\n * var object = { 'a': 1, 'b': '2', 'c': 3 };\n *\n * _.pickBy(object, _.isNumber);\n * // => { 'a': 1, 'c': 3 }\n */\n\n function pickBy(object, predicate) {\n if (object == null) {\n return {};\n }\n\n var props = arrayMap(getAllKeysIn(object), function (prop) {\n return [prop];\n });\n predicate = getIteratee(predicate);\n return basePickBy(object, props, function (value, path) {\n return predicate(value, path[0]);\n });\n }\n /**\n * This method is like `_.get` except that if the resolved value is a\n * function it's invoked with the `this` binding of its parent object and\n * its result is returned.\n *\n * @static\n * @since 0.1.0\n * @memberOf _\n * @category Object\n * @param {Object} object The object to query.\n * @param {Array|string} path The path of the property to resolve.\n * @param {*} [defaultValue] The value returned for `undefined` resolved values.\n * @returns {*} Returns the resolved value.\n * @example\n *\n * var object = { 'a': [{ 'b': { 'c1': 3, 'c2': _.constant(4) } }] };\n *\n * _.result(object, 'a[0].b.c1');\n * // => 3\n *\n * _.result(object, 'a[0].b.c2');\n * // => 4\n *\n * _.result(object, 'a[0].b.c3', 'default');\n * // => 'default'\n *\n * _.result(object, 'a[0].b.c3', _.constant('default'));\n * // => 'default'\n */\n\n\n function result(object, path, defaultValue) {\n path = castPath(path, object);\n var index = -1,\n length = path.length; // Ensure the loop is entered when path is empty.\n\n if (!length) {\n length = 1;\n object = undefined;\n }\n\n while (++index < length) {\n var value = object == null ? undefined : object[toKey(path[index])];\n\n if (value === undefined) {\n index = length;\n value = defaultValue;\n }\n\n object = isFunction(value) ? value.call(object) : value;\n }\n\n return object;\n }\n /**\n * Sets the value at `path` of `object`. If a portion of `path` doesn't exist,\n * it's created. Arrays are created for missing index properties while objects\n * are created for all other missing properties. Use `_.setWith` to customize\n * `path` creation.\n *\n * **Note:** This method mutates `object`.\n *\n * @static\n * @memberOf _\n * @since 3.7.0\n * @category Object\n * @param {Object} object The object to modify.\n * @param {Array|string} path The path of the property to set.\n * @param {*} value The value to set.\n * @returns {Object} Returns `object`.\n * @example\n *\n * var object = { 'a': [{ 'b': { 'c': 3 } }] };\n *\n * _.set(object, 'a[0].b.c', 4);\n * console.log(object.a[0].b.c);\n * // => 4\n *\n * _.set(object, ['x', '0', 'y', 'z'], 5);\n * console.log(object.x[0].y.z);\n * // => 5\n */\n\n\n function set(object, path, value) {\n return object == null ? object : baseSet(object, path, value);\n }\n /**\n * This method is like `_.set` except that it accepts `customizer` which is\n * invoked to produce the objects of `path`. If `customizer` returns `undefined`\n * path creation is handled by the method instead. The `customizer` is invoked\n * with three arguments: (nsValue, key, nsObject).\n *\n * **Note:** This method mutates `object`.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Object\n * @param {Object} object The object to modify.\n * @param {Array|string} path The path of the property to set.\n * @param {*} value The value to set.\n * @param {Function} [customizer] The function to customize assigned values.\n * @returns {Object} Returns `object`.\n * @example\n *\n * var object = {};\n *\n * _.setWith(object, '[0][1]', 'a', Object);\n * // => { '0': { '1': 'a' } }\n */\n\n\n function setWith(object, path, value, customizer) {\n customizer = typeof customizer == 'function' ? customizer : undefined;\n return object == null ? object : baseSet(object, path, value, customizer);\n }\n /**\n * Creates an array of own enumerable string keyed-value pairs for `object`\n * which can be consumed by `_.fromPairs`. If `object` is a map or set, its\n * entries are returned.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @alias entries\n * @category Object\n * @param {Object} object The object to query.\n * @returns {Array} Returns the key-value pairs.\n * @example\n *\n * function Foo() {\n * this.a = 1;\n * this.b = 2;\n * }\n *\n * Foo.prototype.c = 3;\n *\n * _.toPairs(new Foo);\n * // => [['a', 1], ['b', 2]] (iteration order is not guaranteed)\n */\n\n\n var toPairs = createToPairs(keys);\n /**\n * Creates an array of own and inherited enumerable string keyed-value pairs\n * for `object` which can be consumed by `_.fromPairs`. If `object` is a map\n * or set, its entries are returned.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @alias entriesIn\n * @category Object\n * @param {Object} object The object to query.\n * @returns {Array} Returns the key-value pairs.\n * @example\n *\n * function Foo() {\n * this.a = 1;\n * this.b = 2;\n * }\n *\n * Foo.prototype.c = 3;\n *\n * _.toPairsIn(new Foo);\n * // => [['a', 1], ['b', 2], ['c', 3]] (iteration order is not guaranteed)\n */\n\n var toPairsIn = createToPairs(keysIn);\n /**\n * An alternative to `_.reduce`; this method transforms `object` to a new\n * `accumulator` object which is the result of running each of its own\n * enumerable string keyed properties thru `iteratee`, with each invocation\n * potentially mutating the `accumulator` object. If `accumulator` is not\n * provided, a new object with the same `[[Prototype]]` will be used. The\n * iteratee is invoked with four arguments: (accumulator, value, key, object).\n * Iteratee functions may exit iteration early by explicitly returning `false`.\n *\n * @static\n * @memberOf _\n * @since 1.3.0\n * @category Object\n * @param {Object} object The object to iterate over.\n * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n * @param {*} [accumulator] The custom accumulator value.\n * @returns {*} Returns the accumulated value.\n * @example\n *\n * _.transform([2, 3, 4], function(result, n) {\n * result.push(n *= n);\n * return n % 2 == 0;\n * }, []);\n * // => [4, 9]\n *\n * _.transform({ 'a': 1, 'b': 2, 'c': 1 }, function(result, value, key) {\n * (result[value] || (result[value] = [])).push(key);\n * }, {});\n * // => { '1': ['a', 'c'], '2': ['b'] }\n */\n\n function transform(object, iteratee, accumulator) {\n var isArr = isArray(object),\n isArrLike = isArr || isBuffer(object) || isTypedArray(object);\n iteratee = getIteratee(iteratee, 4);\n\n if (accumulator == null) {\n var Ctor = object && object.constructor;\n\n if (isArrLike) {\n accumulator = isArr ? new Ctor() : [];\n } else if (isObject(object)) {\n accumulator = isFunction(Ctor) ? baseCreate(getPrototype(object)) : {};\n } else {\n accumulator = {};\n }\n }\n\n (isArrLike ? arrayEach : baseForOwn)(object, function (value, index, object) {\n return iteratee(accumulator, value, index, object);\n });\n return accumulator;\n }\n /**\n * Removes the property at `path` of `object`.\n *\n * **Note:** This method mutates `object`.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Object\n * @param {Object} object The object to modify.\n * @param {Array|string} path The path of the property to unset.\n * @returns {boolean} Returns `true` if the property is deleted, else `false`.\n * @example\n *\n * var object = { 'a': [{ 'b': { 'c': 7 } }] };\n * _.unset(object, 'a[0].b.c');\n * // => true\n *\n * console.log(object);\n * // => { 'a': [{ 'b': {} }] };\n *\n * _.unset(object, ['a', '0', 'b', 'c']);\n * // => true\n *\n * console.log(object);\n * // => { 'a': [{ 'b': {} }] };\n */\n\n\n function unset(object, path) {\n return object == null ? true : baseUnset(object, path);\n }\n /**\n * This method is like `_.set` except that accepts `updater` to produce the\n * value to set. Use `_.updateWith` to customize `path` creation. The `updater`\n * is invoked with one argument: (value).\n *\n * **Note:** This method mutates `object`.\n *\n * @static\n * @memberOf _\n * @since 4.6.0\n * @category Object\n * @param {Object} object The object to modify.\n * @param {Array|string} path The path of the property to set.\n * @param {Function} updater The function to produce the updated value.\n * @returns {Object} Returns `object`.\n * @example\n *\n * var object = { 'a': [{ 'b': { 'c': 3 } }] };\n *\n * _.update(object, 'a[0].b.c', function(n) { return n * n; });\n * console.log(object.a[0].b.c);\n * // => 9\n *\n * _.update(object, 'x[0].y.z', function(n) { return n ? n + 1 : 0; });\n * console.log(object.x[0].y.z);\n * // => 0\n */\n\n\n function update(object, path, updater) {\n return object == null ? object : baseUpdate(object, path, castFunction(updater));\n }\n /**\n * This method is like `_.update` except that it accepts `customizer` which is\n * invoked to produce the objects of `path`. If `customizer` returns `undefined`\n * path creation is handled by the method instead. The `customizer` is invoked\n * with three arguments: (nsValue, key, nsObject).\n *\n * **Note:** This method mutates `object`.\n *\n * @static\n * @memberOf _\n * @since 4.6.0\n * @category Object\n * @param {Object} object The object to modify.\n * @param {Array|string} path The path of the property to set.\n * @param {Function} updater The function to produce the updated value.\n * @param {Function} [customizer] The function to customize assigned values.\n * @returns {Object} Returns `object`.\n * @example\n *\n * var object = {};\n *\n * _.updateWith(object, '[0][1]', _.constant('a'), Object);\n * // => { '0': { '1': 'a' } }\n */\n\n\n function updateWith(object, path, updater, customizer) {\n customizer = typeof customizer == 'function' ? customizer : undefined;\n return object == null ? object : baseUpdate(object, path, castFunction(updater), customizer);\n }\n /**\n * Creates an array of the own enumerable string keyed property values of `object`.\n *\n * **Note:** Non-object values are coerced to objects.\n *\n * @static\n * @since 0.1.0\n * @memberOf _\n * @category Object\n * @param {Object} object The object to query.\n * @returns {Array} Returns the array of property values.\n * @example\n *\n * function Foo() {\n * this.a = 1;\n * this.b = 2;\n * }\n *\n * Foo.prototype.c = 3;\n *\n * _.values(new Foo);\n * // => [1, 2] (iteration order is not guaranteed)\n *\n * _.values('hi');\n * // => ['h', 'i']\n */\n\n\n function values(object) {\n return object == null ? [] : baseValues(object, keys(object));\n }\n /**\n * Creates an array of the own and inherited enumerable string keyed property\n * values of `object`.\n *\n * **Note:** Non-object values are coerced to objects.\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category Object\n * @param {Object} object The object to query.\n * @returns {Array} Returns the array of property values.\n * @example\n *\n * function Foo() {\n * this.a = 1;\n * this.b = 2;\n * }\n *\n * Foo.prototype.c = 3;\n *\n * _.valuesIn(new Foo);\n * // => [1, 2, 3] (iteration order is not guaranteed)\n */\n\n\n function valuesIn(object) {\n return object == null ? [] : baseValues(object, keysIn(object));\n }\n /*------------------------------------------------------------------------*/\n\n /**\n * Clamps `number` within the inclusive `lower` and `upper` bounds.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category Number\n * @param {number} number The number to clamp.\n * @param {number} [lower] The lower bound.\n * @param {number} upper The upper bound.\n * @returns {number} Returns the clamped number.\n * @example\n *\n * _.clamp(-10, -5, 5);\n * // => -5\n *\n * _.clamp(10, -5, 5);\n * // => 5\n */\n\n\n function clamp(number, lower, upper) {\n if (upper === undefined) {\n upper = lower;\n lower = undefined;\n }\n\n if (upper !== undefined) {\n upper = toNumber(upper);\n upper = upper === upper ? upper : 0;\n }\n\n if (lower !== undefined) {\n lower = toNumber(lower);\n lower = lower === lower ? lower : 0;\n }\n\n return baseClamp(toNumber(number), lower, upper);\n }\n /**\n * Checks if `n` is between `start` and up to, but not including, `end`. If\n * `end` is not specified, it's set to `start` with `start` then set to `0`.\n * If `start` is greater than `end` the params are swapped to support\n * negative ranges.\n *\n * @static\n * @memberOf _\n * @since 3.3.0\n * @category Number\n * @param {number} number The number to check.\n * @param {number} [start=0] The start of the range.\n * @param {number} end The end of the range.\n * @returns {boolean} Returns `true` if `number` is in the range, else `false`.\n * @see _.range, _.rangeRight\n * @example\n *\n * _.inRange(3, 2, 4);\n * // => true\n *\n * _.inRange(4, 8);\n * // => true\n *\n * _.inRange(4, 2);\n * // => false\n *\n * _.inRange(2, 2);\n * // => false\n *\n * _.inRange(1.2, 2);\n * // => true\n *\n * _.inRange(5.2, 4);\n * // => false\n *\n * _.inRange(-3, -2, -6);\n * // => true\n */\n\n\n function inRange(number, start, end) {\n start = toFinite(start);\n\n if (end === undefined) {\n end = start;\n start = 0;\n } else {\n end = toFinite(end);\n }\n\n number = toNumber(number);\n return baseInRange(number, start, end);\n }\n /**\n * Produces a random number between the inclusive `lower` and `upper` bounds.\n * If only one argument is provided a number between `0` and the given number\n * is returned. If `floating` is `true`, or either `lower` or `upper` are\n * floats, a floating-point number is returned instead of an integer.\n *\n * **Note:** JavaScript follows the IEEE-754 standard for resolving\n * floating-point values which can produce unexpected results.\n *\n * @static\n * @memberOf _\n * @since 0.7.0\n * @category Number\n * @param {number} [lower=0] The lower bound.\n * @param {number} [upper=1] The upper bound.\n * @param {boolean} [floating] Specify returning a floating-point number.\n * @returns {number} Returns the random number.\n * @example\n *\n * _.random(0, 5);\n * // => an integer between 0 and 5\n *\n * _.random(5);\n * // => also an integer between 0 and 5\n *\n * _.random(5, true);\n * // => a floating-point number between 0 and 5\n *\n * _.random(1.2, 5.2);\n * // => a floating-point number between 1.2 and 5.2\n */\n\n\n function random(lower, upper, floating) {\n if (floating && typeof floating != 'boolean' && isIterateeCall(lower, upper, floating)) {\n upper = floating = undefined;\n }\n\n if (floating === undefined) {\n if (typeof upper == 'boolean') {\n floating = upper;\n upper = undefined;\n } else if (typeof lower == 'boolean') {\n floating = lower;\n lower = undefined;\n }\n }\n\n if (lower === undefined && upper === undefined) {\n lower = 0;\n upper = 1;\n } else {\n lower = toFinite(lower);\n\n if (upper === undefined) {\n upper = lower;\n lower = 0;\n } else {\n upper = toFinite(upper);\n }\n }\n\n if (lower > upper) {\n var temp = lower;\n lower = upper;\n upper = temp;\n }\n\n if (floating || lower % 1 || upper % 1) {\n var rand = nativeRandom();\n return nativeMin(lower + rand * (upper - lower + freeParseFloat('1e-' + ((rand + '').length - 1))), upper);\n }\n\n return baseRandom(lower, upper);\n }\n /*------------------------------------------------------------------------*/\n\n /**\n * Converts `string` to [camel case](https://en.wikipedia.org/wiki/CamelCase).\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category String\n * @param {string} [string=''] The string to convert.\n * @returns {string} Returns the camel cased string.\n * @example\n *\n * _.camelCase('Foo Bar');\n * // => 'fooBar'\n *\n * _.camelCase('--foo-bar--');\n * // => 'fooBar'\n *\n * _.camelCase('__FOO_BAR__');\n * // => 'fooBar'\n */\n\n\n var camelCase = createCompounder(function (result, word, index) {\n word = word.toLowerCase();\n return result + (index ? capitalize(word) : word);\n });\n /**\n * Converts the first character of `string` to upper case and the remaining\n * to lower case.\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category String\n * @param {string} [string=''] The string to capitalize.\n * @returns {string} Returns the capitalized string.\n * @example\n *\n * _.capitalize('FRED');\n * // => 'Fred'\n */\n\n function capitalize(string) {\n return upperFirst(toString(string).toLowerCase());\n }\n /**\n * Deburrs `string` by converting\n * [Latin-1 Supplement](https://en.wikipedia.org/wiki/Latin-1_Supplement_(Unicode_block)#Character_table)\n * and [Latin Extended-A](https://en.wikipedia.org/wiki/Latin_Extended-A)\n * letters to basic Latin letters and removing\n * [combining diacritical marks](https://en.wikipedia.org/wiki/Combining_Diacritical_Marks).\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category String\n * @param {string} [string=''] The string to deburr.\n * @returns {string} Returns the deburred string.\n * @example\n *\n * _.deburr('déjà vu');\n * // => 'deja vu'\n */\n\n\n function deburr(string) {\n string = toString(string);\n return string && string.replace(reLatin, deburrLetter).replace(reComboMark, '');\n }\n /**\n * Checks if `string` ends with the given target string.\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category String\n * @param {string} [string=''] The string to inspect.\n * @param {string} [target] The string to search for.\n * @param {number} [position=string.length] The position to search up to.\n * @returns {boolean} Returns `true` if `string` ends with `target`,\n * else `false`.\n * @example\n *\n * _.endsWith('abc', 'c');\n * // => true\n *\n * _.endsWith('abc', 'b');\n * // => false\n *\n * _.endsWith('abc', 'b', 2);\n * // => true\n */\n\n\n function endsWith(string, target, position) {\n string = toString(string);\n target = baseToString(target);\n var length = string.length;\n position = position === undefined ? length : baseClamp(toInteger(position), 0, length);\n var end = position;\n position -= target.length;\n return position >= 0 && string.slice(position, end) == target;\n }\n /**\n * Converts the characters \"&\", \"<\", \">\", '\"', and \"'\" in `string` to their\n * corresponding HTML entities.\n *\n * **Note:** No other characters are escaped. To escape additional\n * characters use a third-party library like [_he_](https://mths.be/he).\n *\n * Though the \">\" character is escaped for symmetry, characters like\n * \">\" and \"/\" don't need escaping in HTML and have no special meaning\n * unless they're part of a tag or unquoted attribute value. See\n * [Mathias Bynens's article](https://mathiasbynens.be/notes/ambiguous-ampersands)\n * (under \"semi-related fun fact\") for more details.\n *\n * When working with HTML you should always\n * [quote attribute values](http://wonko.com/post/html-escaping) to reduce\n * XSS vectors.\n *\n * @static\n * @since 0.1.0\n * @memberOf _\n * @category String\n * @param {string} [string=''] The string to escape.\n * @returns {string} Returns the escaped string.\n * @example\n *\n * _.escape('fred, barney, & pebbles');\n * // => 'fred, barney, & pebbles'\n */\n\n\n function escape(string) {\n string = toString(string);\n return string && reHasUnescapedHtml.test(string) ? string.replace(reUnescapedHtml, escapeHtmlChar) : string;\n }\n /**\n * Escapes the `RegExp` special characters \"^\", \"$\", \"\\\", \".\", \"*\", \"+\",\n * \"?\", \"(\", \")\", \"[\", \"]\", \"{\", \"}\", and \"|\" in `string`.\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category String\n * @param {string} [string=''] The string to escape.\n * @returns {string} Returns the escaped string.\n * @example\n *\n * _.escapeRegExp('[lodash](https://lodash.com/)');\n * // => '\\[lodash\\]\\(https://lodash\\.com/\\)'\n */\n\n\n function escapeRegExp(string) {\n string = toString(string);\n return string && reHasRegExpChar.test(string) ? string.replace(reRegExpChar, '\\\\$&') : string;\n }\n /**\n * Converts `string` to\n * [kebab case](https://en.wikipedia.org/wiki/Letter_case#Special_case_styles).\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category String\n * @param {string} [string=''] The string to convert.\n * @returns {string} Returns the kebab cased string.\n * @example\n *\n * _.kebabCase('Foo Bar');\n * // => 'foo-bar'\n *\n * _.kebabCase('fooBar');\n * // => 'foo-bar'\n *\n * _.kebabCase('__FOO_BAR__');\n * // => 'foo-bar'\n */\n\n\n var kebabCase = createCompounder(function (result, word, index) {\n return result + (index ? '-' : '') + word.toLowerCase();\n });\n /**\n * Converts `string`, as space separated words, to lower case.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category String\n * @param {string} [string=''] The string to convert.\n * @returns {string} Returns the lower cased string.\n * @example\n *\n * _.lowerCase('--Foo-Bar--');\n * // => 'foo bar'\n *\n * _.lowerCase('fooBar');\n * // => 'foo bar'\n *\n * _.lowerCase('__FOO_BAR__');\n * // => 'foo bar'\n */\n\n var lowerCase = createCompounder(function (result, word, index) {\n return result + (index ? ' ' : '') + word.toLowerCase();\n });\n /**\n * Converts the first character of `string` to lower case.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category String\n * @param {string} [string=''] The string to convert.\n * @returns {string} Returns the converted string.\n * @example\n *\n * _.lowerFirst('Fred');\n * // => 'fred'\n *\n * _.lowerFirst('FRED');\n * // => 'fRED'\n */\n\n var lowerFirst = createCaseFirst('toLowerCase');\n /**\n * Pads `string` on the left and right sides if it's shorter than `length`.\n * Padding characters are truncated if they can't be evenly divided by `length`.\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category String\n * @param {string} [string=''] The string to pad.\n * @param {number} [length=0] The padding length.\n * @param {string} [chars=' '] The string used as padding.\n * @returns {string} Returns the padded string.\n * @example\n *\n * _.pad('abc', 8);\n * // => ' abc '\n *\n * _.pad('abc', 8, '_-');\n * // => '_-abc_-_'\n *\n * _.pad('abc', 3);\n * // => 'abc'\n */\n\n function pad(string, length, chars) {\n string = toString(string);\n length = toInteger(length);\n var strLength = length ? stringSize(string) : 0;\n\n if (!length || strLength >= length) {\n return string;\n }\n\n var mid = (length - strLength) / 2;\n return createPadding(nativeFloor(mid), chars) + string + createPadding(nativeCeil(mid), chars);\n }\n /**\n * Pads `string` on the right side if it's shorter than `length`. Padding\n * characters are truncated if they exceed `length`.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category String\n * @param {string} [string=''] The string to pad.\n * @param {number} [length=0] The padding length.\n * @param {string} [chars=' '] The string used as padding.\n * @returns {string} Returns the padded string.\n * @example\n *\n * _.padEnd('abc', 6);\n * // => 'abc '\n *\n * _.padEnd('abc', 6, '_-');\n * // => 'abc_-_'\n *\n * _.padEnd('abc', 3);\n * // => 'abc'\n */\n\n\n function padEnd(string, length, chars) {\n string = toString(string);\n length = toInteger(length);\n var strLength = length ? stringSize(string) : 0;\n return length && strLength < length ? string + createPadding(length - strLength, chars) : string;\n }\n /**\n * Pads `string` on the left side if it's shorter than `length`. Padding\n * characters are truncated if they exceed `length`.\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category String\n * @param {string} [string=''] The string to pad.\n * @param {number} [length=0] The padding length.\n * @param {string} [chars=' '] The string used as padding.\n * @returns {string} Returns the padded string.\n * @example\n *\n * _.padStart('abc', 6);\n * // => ' abc'\n *\n * _.padStart('abc', 6, '_-');\n * // => '_-_abc'\n *\n * _.padStart('abc', 3);\n * // => 'abc'\n */\n\n\n function padStart(string, length, chars) {\n string = toString(string);\n length = toInteger(length);\n var strLength = length ? stringSize(string) : 0;\n return length && strLength < length ? createPadding(length - strLength, chars) + string : string;\n }\n /**\n * Converts `string` to an integer of the specified radix. If `radix` is\n * `undefined` or `0`, a `radix` of `10` is used unless `value` is a\n * hexadecimal, in which case a `radix` of `16` is used.\n *\n * **Note:** This method aligns with the\n * [ES5 implementation](https://es5.github.io/#x15.1.2.2) of `parseInt`.\n *\n * @static\n * @memberOf _\n * @since 1.1.0\n * @category String\n * @param {string} string The string to convert.\n * @param {number} [radix=10] The radix to interpret `value` by.\n * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.\n * @returns {number} Returns the converted integer.\n * @example\n *\n * _.parseInt('08');\n * // => 8\n *\n * _.map(['6', '08', '10'], _.parseInt);\n * // => [6, 8, 10]\n */\n\n\n function parseInt(string, radix, guard) {\n if (guard || radix == null) {\n radix = 0;\n } else if (radix) {\n radix = +radix;\n }\n\n return nativeParseInt(toString(string).replace(reTrimStart, ''), radix || 0);\n }\n /**\n * Repeats the given string `n` times.\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category String\n * @param {string} [string=''] The string to repeat.\n * @param {number} [n=1] The number of times to repeat the string.\n * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.\n * @returns {string} Returns the repeated string.\n * @example\n *\n * _.repeat('*', 3);\n * // => '***'\n *\n * _.repeat('abc', 2);\n * // => 'abcabc'\n *\n * _.repeat('abc', 0);\n * // => ''\n */\n\n\n function repeat(string, n, guard) {\n if (guard ? isIterateeCall(string, n, guard) : n === undefined) {\n n = 1;\n } else {\n n = toInteger(n);\n }\n\n return baseRepeat(toString(string), n);\n }\n /**\n * Replaces matches for `pattern` in `string` with `replacement`.\n *\n * **Note:** This method is based on\n * [`String#replace`](https://mdn.io/String/replace).\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category String\n * @param {string} [string=''] The string to modify.\n * @param {RegExp|string} pattern The pattern to replace.\n * @param {Function|string} replacement The match replacement.\n * @returns {string} Returns the modified string.\n * @example\n *\n * _.replace('Hi Fred', 'Fred', 'Barney');\n * // => 'Hi Barney'\n */\n\n\n function replace() {\n var args = arguments,\n string = toString(args[0]);\n return args.length < 3 ? string : string.replace(args[1], args[2]);\n }\n /**\n * Converts `string` to\n * [snake case](https://en.wikipedia.org/wiki/Snake_case).\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category String\n * @param {string} [string=''] The string to convert.\n * @returns {string} Returns the snake cased string.\n * @example\n *\n * _.snakeCase('Foo Bar');\n * // => 'foo_bar'\n *\n * _.snakeCase('fooBar');\n * // => 'foo_bar'\n *\n * _.snakeCase('--FOO-BAR--');\n * // => 'foo_bar'\n */\n\n\n var snakeCase = createCompounder(function (result, word, index) {\n return result + (index ? '_' : '') + word.toLowerCase();\n });\n /**\n * Splits `string` by `separator`.\n *\n * **Note:** This method is based on\n * [`String#split`](https://mdn.io/String/split).\n *\n * @static\n * @memberOf _\n * @since 4.0.0\n * @category String\n * @param {string} [string=''] The string to split.\n * @param {RegExp|string} separator The separator pattern to split by.\n * @param {number} [limit] The length to truncate results to.\n * @returns {Array} Returns the string segments.\n * @example\n *\n * _.split('a-b-c', '-', 2);\n * // => ['a', 'b']\n */\n\n function split(string, separator, limit) {\n if (limit && typeof limit != 'number' && isIterateeCall(string, separator, limit)) {\n separator = limit = undefined;\n }\n\n limit = limit === undefined ? MAX_ARRAY_LENGTH : limit >>> 0;\n\n if (!limit) {\n return [];\n }\n\n string = toString(string);\n\n if (string && (typeof separator == 'string' || separator != null && !isRegExp(separator))) {\n separator = baseToString(separator);\n\n if (!separator && hasUnicode(string)) {\n return castSlice(stringToArray(string), 0, limit);\n }\n }\n\n return string.split(separator, limit);\n }\n /**\n * Converts `string` to\n * [start case](https://en.wikipedia.org/wiki/Letter_case#Stylistic_or_specialised_usage).\n *\n * @static\n * @memberOf _\n * @since 3.1.0\n * @category String\n * @param {string} [string=''] The string to convert.\n * @returns {string} Returns the start cased string.\n * @example\n *\n * _.startCase('--foo-bar--');\n * // => 'Foo Bar'\n *\n * _.startCase('fooBar');\n * // => 'Foo Bar'\n *\n * _.startCase('__FOO_BAR__');\n * // => 'FOO BAR'\n */\n\n\n var startCase = createCompounder(function (result, word, index) {\n return result + (index ? ' ' : '') + upperFirst(word);\n });\n /**\n * Checks if `string` starts with the given target string.\n *\n * @static\n * @memberOf _\n * @since 3.0.0\n * @category String\n * @param {string} [string=''] The string to inspect.\n * @param {string} [target] The string to search for.\n * @param {number} [position=0] The position to search from.\n * @returns {boolean} Returns `true` if `string` starts with `target`,\n * else `false`.\n * @example\n *\n * _.startsWith('abc', 'a');\n * // => true\n *\n * _.startsWith('abc', 'b');\n * // => false\n *\n * _.startsWith('abc', 'b', 1);\n * // => true\n */\n\n function startsWith(string, target, position) {\n string = toString(string);\n position = position == null ? 0 : baseClamp(toInteger(position), 0, string.length);\n target = baseToString(target);\n return string.slice(position, position + target.length) == target;\n }\n /**\n * Creates a compiled template function that can interpolate data properties\n * in \"interpolate\" delimiters, HTML-escape interpolated data properties in\n * \"escape\" delimiters, and execute JavaScript in \"evaluate\" delimiters. Data\n * properties may be accessed as free variables in the template. If a setting\n * object is given, it takes precedence over `_.templateSettings` values.\n *\n * **Note:** In the development build `_.template` utilizes\n * [sourceURLs](http://www.html5rocks.com/en/tutorials/developertools/sourcemaps/#toc-sourceurl)\n * for easier debugging.\n *\n * For more information on precompiling templates see\n * [lodash's custom builds documentation](https://lodash.com/custom-builds).\n *\n * For more information on Chrome extension sandboxes see\n * [Chrome's extensions documentation](https://developer.chrome.com/extensions/sandboxingEval).\n *\n * @static\n * @since 0.1.0\n * @memberOf _\n * @category String\n * @param {string} [string=''] The template string.\n * @param {Object} [options={}] The options object.\n * @param {RegExp} [options.escape=_.templateSettings.escape]\n * The HTML \"escape\" delimiter.\n * @param {RegExp} [options.evaluate=_.templateSettings.evaluate]\n * The \"evaluate\" delimiter.\n * @param {Object} [options.imports=_.templateSettings.imports]\n * An object to import into the template as free variables.\n * @param {RegExp} [options.interpolate=_.templateSettings.interpolate]\n * The \"interpolate\" delimiter.\n * @param {string} [options.sourceURL='lodash.templateSources[n]']\n * The sourceURL of the compiled template.\n * @param {string} [options.variable='obj']\n * The data object variable name.\n * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.\n * @returns {Function} Returns the compiled template function.\n * @example\n *\n * // Use the \"interpolate\" delimiter to create a compiled template.\n * var compiled = _.template('hello <%= user %>!');\n * compiled({ 'user': 'fred' });\n * // => 'hello fred!'\n *\n * // Use the HTML \"escape\" delimiter to escape data property values.\n * var compiled = _.template('<%- value %>');\n * compiled({ 'value': '\n if (val === '') return true;\n if (val === 'false') return false;\n if (val === 'true') return true;\n return val;\n}\n\nif (DOCUMENT && typeof DOCUMENT.querySelector === 'function') {\n var attrs = [['data-family-prefix', 'familyPrefix'], ['data-replacement-class', 'replacementClass'], ['data-auto-replace-svg', 'autoReplaceSvg'], ['data-auto-add-css', 'autoAddCss'], ['data-auto-a11y', 'autoA11y'], ['data-search-pseudo-elements', 'searchPseudoElements'], ['data-observe-mutations', 'observeMutations'], ['data-mutate-approach', 'mutateApproach'], ['data-keep-original-source', 'keepOriginalSource'], ['data-measure-performance', 'measurePerformance'], ['data-show-missing-icons', 'showMissingIcons']];\n attrs.forEach(function (_ref) {\n var _ref2 = _slicedToArray(_ref, 2),\n attr = _ref2[0],\n key = _ref2[1];\n\n var val = coerce(getAttrConfig(attr));\n\n if (val !== undefined && val !== null) {\n initial[key] = val;\n }\n });\n}\n\nvar _default = {\n familyPrefix: DEFAULT_FAMILY_PREFIX,\n replacementClass: DEFAULT_REPLACEMENT_CLASS,\n autoReplaceSvg: true,\n autoAddCss: true,\n autoA11y: true,\n searchPseudoElements: false,\n observeMutations: true,\n mutateApproach: 'async',\n keepOriginalSource: true,\n measurePerformance: false,\n showMissingIcons: true\n};\n\nvar _config = _objectSpread({}, _default, initial);\n\nif (!_config.autoReplaceSvg) _config.observeMutations = false;\n\nvar config = _objectSpread({}, _config);\n\nWINDOW.FontAwesomeConfig = config;\nvar w = WINDOW || {};\nif (!w[NAMESPACE_IDENTIFIER]) w[NAMESPACE_IDENTIFIER] = {};\nif (!w[NAMESPACE_IDENTIFIER].styles) w[NAMESPACE_IDENTIFIER].styles = {};\nif (!w[NAMESPACE_IDENTIFIER].hooks) w[NAMESPACE_IDENTIFIER].hooks = {};\nif (!w[NAMESPACE_IDENTIFIER].shims) w[NAMESPACE_IDENTIFIER].shims = [];\nvar namespace = w[NAMESPACE_IDENTIFIER];\nvar functions = [];\n\nvar listener = function listener() {\n DOCUMENT.removeEventListener('DOMContentLoaded', listener);\n loaded = 1;\n functions.map(function (fn) {\n return fn();\n });\n};\n\nvar loaded = false;\n\nif (IS_DOM) {\n loaded = (DOCUMENT.documentElement.doScroll ? /^loaded|^c/ : /^loaded|^i|^c/).test(DOCUMENT.readyState);\n if (!loaded) DOCUMENT.addEventListener('DOMContentLoaded', listener);\n}\n\nfunction domready(fn) {\n if (!IS_DOM) return;\n loaded ? setTimeout(fn, 0) : functions.push(fn);\n}\n\nvar PENDING = 'pending';\nvar SETTLED = 'settled';\nvar FULFILLED = 'fulfilled';\nvar REJECTED = 'rejected';\n\nvar NOOP = function NOOP() {};\n\nvar isNode = typeof global !== 'undefined' && typeof global.process !== 'undefined' && typeof global.process.emit === 'function';\nvar asyncSetTimer = typeof setImmediate === 'undefined' ? setTimeout : setImmediate;\nvar asyncQueue = [];\nvar asyncTimer;\n\nfunction asyncFlush() {\n // run promise callbacks\n for (var i = 0; i < asyncQueue.length; i++) {\n asyncQueue[i][0](asyncQueue[i][1]);\n } // reset async asyncQueue\n\n\n asyncQueue = [];\n asyncTimer = false;\n}\n\nfunction asyncCall(callback, arg) {\n asyncQueue.push([callback, arg]);\n\n if (!asyncTimer) {\n asyncTimer = true;\n asyncSetTimer(asyncFlush, 0);\n }\n}\n\nfunction invokeResolver(resolver, promise) {\n function resolvePromise(value) {\n resolve(promise, value);\n }\n\n function rejectPromise(reason) {\n reject(promise, reason);\n }\n\n try {\n resolver(resolvePromise, rejectPromise);\n } catch (e) {\n rejectPromise(e);\n }\n}\n\nfunction invokeCallback(subscriber) {\n var owner = subscriber.owner;\n var settled = owner._state;\n var value = owner._data;\n var callback = subscriber[settled];\n var promise = subscriber.then;\n\n if (typeof callback === 'function') {\n settled = FULFILLED;\n\n try {\n value = callback(value);\n } catch (e) {\n reject(promise, e);\n }\n }\n\n if (!handleThenable(promise, value)) {\n if (settled === FULFILLED) {\n resolve(promise, value);\n }\n\n if (settled === REJECTED) {\n reject(promise, value);\n }\n }\n}\n\nfunction handleThenable(promise, value) {\n var resolved;\n\n try {\n if (promise === value) {\n throw new TypeError('A promises callback cannot return that same promise.');\n }\n\n if (value && (typeof value === 'function' || _typeof(value) === 'object')) {\n // then should be retrieved only once\n var then = value.then;\n\n if (typeof then === 'function') {\n then.call(value, function (val) {\n if (!resolved) {\n resolved = true;\n\n if (value === val) {\n fulfill(promise, val);\n } else {\n resolve(promise, val);\n }\n }\n }, function (reason) {\n if (!resolved) {\n resolved = true;\n reject(promise, reason);\n }\n });\n return true;\n }\n }\n } catch (e) {\n if (!resolved) {\n reject(promise, e);\n }\n\n return true;\n }\n\n return false;\n}\n\nfunction resolve(promise, value) {\n if (promise === value || !handleThenable(promise, value)) {\n fulfill(promise, value);\n }\n}\n\nfunction fulfill(promise, value) {\n if (promise._state === PENDING) {\n promise._state = SETTLED;\n promise._data = value;\n asyncCall(publishFulfillment, promise);\n }\n}\n\nfunction reject(promise, reason) {\n if (promise._state === PENDING) {\n promise._state = SETTLED;\n promise._data = reason;\n asyncCall(publishRejection, promise);\n }\n}\n\nfunction publish(promise) {\n promise._then = promise._then.forEach(invokeCallback);\n}\n\nfunction publishFulfillment(promise) {\n promise._state = FULFILLED;\n publish(promise);\n}\n\nfunction publishRejection(promise) {\n promise._state = REJECTED;\n publish(promise);\n\n if (!promise._handled && isNode) {\n global.process.emit('unhandledRejection', promise._data, promise);\n }\n}\n\nfunction notifyRejectionHandled(promise) {\n global.process.emit('rejectionHandled', promise);\n}\n/**\n * @class\n */\n\n\nfunction P(resolver) {\n if (typeof resolver !== 'function') {\n throw new TypeError('Promise resolver ' + resolver + ' is not a function');\n }\n\n if (this instanceof P === false) {\n throw new TypeError('Failed to construct \\'Promise\\': Please use the \\'new\\' operator, this object constructor cannot be called as a function.');\n }\n\n this._then = [];\n invokeResolver(resolver, this);\n}\n\nP.prototype = {\n constructor: P,\n _state: PENDING,\n _then: null,\n _data: undefined,\n _handled: false,\n then: function then(onFulfillment, onRejection) {\n var subscriber = {\n owner: this,\n then: new this.constructor(NOOP),\n fulfilled: onFulfillment,\n rejected: onRejection\n };\n\n if ((onRejection || onFulfillment) && !this._handled) {\n this._handled = true;\n\n if (this._state === REJECTED && isNode) {\n asyncCall(notifyRejectionHandled, this);\n }\n }\n\n if (this._state === FULFILLED || this._state === REJECTED) {\n // already resolved, call callback async\n asyncCall(invokeCallback, subscriber);\n } else {\n // subscribe\n this._then.push(subscriber);\n }\n\n return subscriber.then;\n },\n catch: function _catch(onRejection) {\n return this.then(null, onRejection);\n }\n};\n\nP.all = function (promises) {\n if (!Array.isArray(promises)) {\n throw new TypeError('You must pass an array to Promise.all().');\n }\n\n return new P(function (resolve, reject) {\n var results = [];\n var remaining = 0;\n\n function resolver(index) {\n remaining++;\n return function (value) {\n results[index] = value;\n\n if (! --remaining) {\n resolve(results);\n }\n };\n }\n\n for (var i = 0, promise; i < promises.length; i++) {\n promise = promises[i];\n\n if (promise && typeof promise.then === 'function') {\n promise.then(resolver(i), reject);\n } else {\n results[i] = promise;\n }\n }\n\n if (!remaining) {\n resolve(results);\n }\n });\n};\n\nP.race = function (promises) {\n if (!Array.isArray(promises)) {\n throw new TypeError('You must pass an array to Promise.race().');\n }\n\n return new P(function (resolve, reject) {\n for (var i = 0, promise; i < promises.length; i++) {\n promise = promises[i];\n\n if (promise && typeof promise.then === 'function') {\n promise.then(resolve, reject);\n } else {\n resolve(promise);\n }\n }\n });\n};\n\nP.resolve = function (value) {\n if (value && _typeof(value) === 'object' && value.constructor === P) {\n return value;\n }\n\n return new P(function (resolve) {\n resolve(value);\n });\n};\n\nP.reject = function (reason) {\n return new P(function (resolve, reject) {\n reject(reason);\n });\n};\n\nvar picked = typeof Promise === 'function' ? Promise : P;\nvar d = UNITS_IN_GRID;\nvar meaninglessTransform = {\n size: 16,\n x: 0,\n y: 0,\n rotate: 0,\n flipX: false,\n flipY: false\n};\n\nfunction isReserved(name) {\n return ~RESERVED_CLASSES.indexOf(name);\n}\n\nfunction insertCss(css) {\n if (!css || !IS_DOM) {\n return;\n }\n\n var style = DOCUMENT.createElement('style');\n style.setAttribute('type', 'text/css');\n style.innerHTML = css;\n var headChildren = DOCUMENT.head.childNodes;\n var beforeChild = null;\n\n for (var i = headChildren.length - 1; i > -1; i--) {\n var child = headChildren[i];\n var tagName = (child.tagName || '').toUpperCase();\n\n if (['STYLE', 'LINK'].indexOf(tagName) > -1) {\n beforeChild = child;\n }\n }\n\n DOCUMENT.head.insertBefore(style, beforeChild);\n return css;\n}\n\nvar idPool = '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ';\n\nfunction nextUniqueId() {\n var size = 12;\n var id = '';\n\n while (size-- > 0) {\n id += idPool[Math.random() * 62 | 0];\n }\n\n return id;\n}\n\nfunction toArray(obj) {\n var array = [];\n\n for (var i = (obj || []).length >>> 0; i--;) {\n array[i] = obj[i];\n }\n\n return array;\n}\n\nfunction classArray(node) {\n if (node.classList) {\n return toArray(node.classList);\n } else {\n return (node.getAttribute('class') || '').split(' ').filter(function (i) {\n return i;\n });\n }\n}\n\nfunction getIconName(familyPrefix, cls) {\n var parts = cls.split('-');\n var prefix = parts[0];\n var iconName = parts.slice(1).join('-');\n\n if (prefix === familyPrefix && iconName !== '' && !isReserved(iconName)) {\n return iconName;\n } else {\n return null;\n }\n}\n\nfunction htmlEscape(str) {\n return \"\".concat(str).replace(/&/g, '&').replace(/\"/g, '"').replace(/'/g, ''').replace(//g, '>');\n}\n\nfunction joinAttributes(attributes) {\n return Object.keys(attributes || {}).reduce(function (acc, attributeName) {\n return acc + \"\".concat(attributeName, \"=\\\"\").concat(htmlEscape(attributes[attributeName]), \"\\\" \");\n }, '').trim();\n}\n\nfunction joinStyles(styles) {\n return Object.keys(styles || {}).reduce(function (acc, styleName) {\n return acc + \"\".concat(styleName, \": \").concat(styles[styleName], \";\");\n }, '');\n}\n\nfunction transformIsMeaningful(transform) {\n return transform.size !== meaninglessTransform.size || transform.x !== meaninglessTransform.x || transform.y !== meaninglessTransform.y || transform.rotate !== meaninglessTransform.rotate || transform.flipX || transform.flipY;\n}\n\nfunction transformForSvg(_ref) {\n var transform = _ref.transform,\n containerWidth = _ref.containerWidth,\n iconWidth = _ref.iconWidth;\n var outer = {\n transform: \"translate(\".concat(containerWidth / 2, \" 256)\")\n };\n var innerTranslate = \"translate(\".concat(transform.x * 32, \", \").concat(transform.y * 32, \") \");\n var innerScale = \"scale(\".concat(transform.size / 16 * (transform.flipX ? -1 : 1), \", \").concat(transform.size / 16 * (transform.flipY ? -1 : 1), \") \");\n var innerRotate = \"rotate(\".concat(transform.rotate, \" 0 0)\");\n var inner = {\n transform: \"\".concat(innerTranslate, \" \").concat(innerScale, \" \").concat(innerRotate)\n };\n var path = {\n transform: \"translate(\".concat(iconWidth / 2 * -1, \" -256)\")\n };\n return {\n outer: outer,\n inner: inner,\n path: path\n };\n}\n\nfunction transformForCss(_ref2) {\n var transform = _ref2.transform,\n _ref2$width = _ref2.width,\n width = _ref2$width === void 0 ? UNITS_IN_GRID : _ref2$width,\n _ref2$height = _ref2.height,\n height = _ref2$height === void 0 ? UNITS_IN_GRID : _ref2$height,\n _ref2$startCentered = _ref2.startCentered,\n startCentered = _ref2$startCentered === void 0 ? false : _ref2$startCentered;\n var val = '';\n\n if (startCentered && IS_IE) {\n val += \"translate(\".concat(transform.x / d - width / 2, \"em, \").concat(transform.y / d - height / 2, \"em) \");\n } else if (startCentered) {\n val += \"translate(calc(-50% + \".concat(transform.x / d, \"em), calc(-50% + \").concat(transform.y / d, \"em)) \");\n } else {\n val += \"translate(\".concat(transform.x / d, \"em, \").concat(transform.y / d, \"em) \");\n }\n\n val += \"scale(\".concat(transform.size / d * (transform.flipX ? -1 : 1), \", \").concat(transform.size / d * (transform.flipY ? -1 : 1), \") \");\n val += \"rotate(\".concat(transform.rotate, \"deg) \");\n return val;\n}\n\nvar ALL_SPACE = {\n x: 0,\n y: 0,\n width: '100%',\n height: '100%'\n};\n\nfunction fillBlack(abstract) {\n var force = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : true;\n\n if (abstract.attributes && (abstract.attributes.fill || force)) {\n abstract.attributes.fill = 'black';\n }\n\n return abstract;\n}\n\nfunction deGroup(abstract) {\n if (abstract.tag === 'g') {\n return abstract.children;\n } else {\n return [abstract];\n }\n}\n\nfunction makeIconMasking(_ref) {\n var children = _ref.children,\n attributes = _ref.attributes,\n main = _ref.main,\n mask = _ref.mask,\n explicitMaskId = _ref.maskId,\n transform = _ref.transform;\n var mainWidth = main.width,\n mainPath = main.icon;\n var maskWidth = mask.width,\n maskPath = mask.icon;\n var trans = transformForSvg({\n transform: transform,\n containerWidth: maskWidth,\n iconWidth: mainWidth\n });\n var maskRect = {\n tag: 'rect',\n attributes: _objectSpread({}, ALL_SPACE, {\n fill: 'white'\n })\n };\n var maskInnerGroupChildrenMixin = mainPath.children ? {\n children: mainPath.children.map(fillBlack)\n } : {};\n var maskInnerGroup = {\n tag: 'g',\n attributes: _objectSpread({}, trans.inner),\n children: [fillBlack(_objectSpread({\n tag: mainPath.tag,\n attributes: _objectSpread({}, mainPath.attributes, trans.path)\n }, maskInnerGroupChildrenMixin))]\n };\n var maskOuterGroup = {\n tag: 'g',\n attributes: _objectSpread({}, trans.outer),\n children: [maskInnerGroup]\n };\n var maskId = \"mask-\".concat(explicitMaskId || nextUniqueId());\n var clipId = \"clip-\".concat(explicitMaskId || nextUniqueId());\n var maskTag = {\n tag: 'mask',\n attributes: _objectSpread({}, ALL_SPACE, {\n id: maskId,\n maskUnits: 'userSpaceOnUse',\n maskContentUnits: 'userSpaceOnUse'\n }),\n children: [maskRect, maskOuterGroup]\n };\n var defs = {\n tag: 'defs',\n children: [{\n tag: 'clipPath',\n attributes: {\n id: clipId\n },\n children: deGroup(maskPath)\n }, maskTag]\n };\n children.push(defs, {\n tag: 'rect',\n attributes: _objectSpread({\n fill: 'currentColor',\n 'clip-path': \"url(#\".concat(clipId, \")\"),\n mask: \"url(#\".concat(maskId, \")\")\n }, ALL_SPACE)\n });\n return {\n children: children,\n attributes: attributes\n };\n}\n\nfunction makeIconStandard(_ref) {\n var children = _ref.children,\n attributes = _ref.attributes,\n main = _ref.main,\n transform = _ref.transform,\n styles = _ref.styles;\n var styleString = joinStyles(styles);\n\n if (styleString.length > 0) {\n attributes['style'] = styleString;\n }\n\n if (transformIsMeaningful(transform)) {\n var trans = transformForSvg({\n transform: transform,\n containerWidth: main.width,\n iconWidth: main.width\n });\n children.push({\n tag: 'g',\n attributes: _objectSpread({}, trans.outer),\n children: [{\n tag: 'g',\n attributes: _objectSpread({}, trans.inner),\n children: [{\n tag: main.icon.tag,\n children: main.icon.children,\n attributes: _objectSpread({}, main.icon.attributes, trans.path)\n }]\n }]\n });\n } else {\n children.push(main.icon);\n }\n\n return {\n children: children,\n attributes: attributes\n };\n}\n\nfunction asIcon(_ref) {\n var children = _ref.children,\n main = _ref.main,\n mask = _ref.mask,\n attributes = _ref.attributes,\n styles = _ref.styles,\n transform = _ref.transform;\n\n if (transformIsMeaningful(transform) && main.found && !mask.found) {\n var width = main.width,\n height = main.height;\n var offset = {\n x: width / height / 2,\n y: 0.5\n };\n attributes['style'] = joinStyles(_objectSpread({}, styles, {\n 'transform-origin': \"\".concat(offset.x + transform.x / 16, \"em \").concat(offset.y + transform.y / 16, \"em\")\n }));\n }\n\n return [{\n tag: 'svg',\n attributes: attributes,\n children: children\n }];\n}\n\nfunction asSymbol(_ref) {\n var prefix = _ref.prefix,\n iconName = _ref.iconName,\n children = _ref.children,\n attributes = _ref.attributes,\n symbol = _ref.symbol;\n var id = symbol === true ? \"\".concat(prefix, \"-\").concat(config.familyPrefix, \"-\").concat(iconName) : symbol;\n return [{\n tag: 'svg',\n attributes: {\n style: 'display: none;'\n },\n children: [{\n tag: 'symbol',\n attributes: _objectSpread({}, attributes, {\n id: id\n }),\n children: children\n }]\n }];\n}\n\nfunction makeInlineSvgAbstract(params) {\n var _params$icons = params.icons,\n main = _params$icons.main,\n mask = _params$icons.mask,\n prefix = params.prefix,\n iconName = params.iconName,\n transform = params.transform,\n symbol = params.symbol,\n title = params.title,\n maskId = params.maskId,\n titleId = params.titleId,\n extra = params.extra,\n _params$watchable = params.watchable,\n watchable = _params$watchable === void 0 ? false : _params$watchable;\n\n var _ref = mask.found ? mask : main,\n width = _ref.width,\n height = _ref.height;\n\n var isUploadedIcon = prefix === 'fak';\n var widthClass = isUploadedIcon ? '' : \"fa-w-\".concat(Math.ceil(width / height * 16));\n var attrClass = [config.replacementClass, iconName ? \"\".concat(config.familyPrefix, \"-\").concat(iconName) : '', widthClass].filter(function (c) {\n return extra.classes.indexOf(c) === -1;\n }).filter(function (c) {\n return c !== '' || !!c;\n }).concat(extra.classes).join(' ');\n var content = {\n children: [],\n attributes: _objectSpread({}, extra.attributes, {\n 'data-prefix': prefix,\n 'data-icon': iconName,\n 'class': attrClass,\n 'role': extra.attributes.role || 'img',\n 'xmlns': 'http://www.w3.org/2000/svg',\n 'viewBox': \"0 0 \".concat(width, \" \").concat(height)\n })\n };\n var uploadedIconWidthStyle = isUploadedIcon && !~extra.classes.indexOf('fa-fw') ? {\n width: \"\".concat(width / height * 16 * 0.0625, \"em\")\n } : {};\n\n if (watchable) {\n content.attributes[DATA_FA_I2SVG] = '';\n }\n\n if (title) content.children.push({\n tag: 'title',\n attributes: {\n id: content.attributes['aria-labelledby'] || \"title-\".concat(titleId || nextUniqueId())\n },\n children: [title]\n });\n\n var args = _objectSpread({}, content, {\n prefix: prefix,\n iconName: iconName,\n main: main,\n mask: mask,\n maskId: maskId,\n transform: transform,\n symbol: symbol,\n styles: _objectSpread({}, uploadedIconWidthStyle, extra.styles)\n });\n\n var _ref2 = mask.found && main.found ? makeIconMasking(args) : makeIconStandard(args),\n children = _ref2.children,\n attributes = _ref2.attributes;\n\n args.children = children;\n args.attributes = attributes;\n\n if (symbol) {\n return asSymbol(args);\n } else {\n return asIcon(args);\n }\n}\n\nfunction makeLayersTextAbstract(params) {\n var content = params.content,\n width = params.width,\n height = params.height,\n transform = params.transform,\n title = params.title,\n extra = params.extra,\n _params$watchable2 = params.watchable,\n watchable = _params$watchable2 === void 0 ? false : _params$watchable2;\n\n var attributes = _objectSpread({}, extra.attributes, title ? {\n 'title': title\n } : {}, {\n 'class': extra.classes.join(' ')\n });\n\n if (watchable) {\n attributes[DATA_FA_I2SVG] = '';\n }\n\n var styles = _objectSpread({}, extra.styles);\n\n if (transformIsMeaningful(transform)) {\n styles['transform'] = transformForCss({\n transform: transform,\n startCentered: true,\n width: width,\n height: height\n });\n styles['-webkit-transform'] = styles['transform'];\n }\n\n var styleString = joinStyles(styles);\n\n if (styleString.length > 0) {\n attributes['style'] = styleString;\n }\n\n var val = [];\n val.push({\n tag: 'span',\n attributes: attributes,\n children: [content]\n });\n\n if (title) {\n val.push({\n tag: 'span',\n attributes: {\n class: 'sr-only'\n },\n children: [title]\n });\n }\n\n return val;\n}\n\nfunction makeLayersCounterAbstract(params) {\n var content = params.content,\n title = params.title,\n extra = params.extra;\n\n var attributes = _objectSpread({}, extra.attributes, title ? {\n 'title': title\n } : {}, {\n 'class': extra.classes.join(' ')\n });\n\n var styleString = joinStyles(extra.styles);\n\n if (styleString.length > 0) {\n attributes['style'] = styleString;\n }\n\n var val = [];\n val.push({\n tag: 'span',\n attributes: attributes,\n children: [content]\n });\n\n if (title) {\n val.push({\n tag: 'span',\n attributes: {\n class: 'sr-only'\n },\n children: [title]\n });\n }\n\n return val;\n}\n\nvar noop$1 = function noop() {};\n\nvar p = config.measurePerformance && PERFORMANCE && PERFORMANCE.mark && PERFORMANCE.measure ? PERFORMANCE : {\n mark: noop$1,\n measure: noop$1\n};\nvar preamble = \"FA \\\"5.15.3\\\"\";\n\nvar begin = function begin(name) {\n p.mark(\"\".concat(preamble, \" \").concat(name, \" begins\"));\n return function () {\n return end(name);\n };\n};\n\nvar end = function end(name) {\n p.mark(\"\".concat(preamble, \" \").concat(name, \" ends\"));\n p.measure(\"\".concat(preamble, \" \").concat(name), \"\".concat(preamble, \" \").concat(name, \" begins\"), \"\".concat(preamble, \" \").concat(name, \" ends\"));\n};\n\nvar perf = {\n begin: begin,\n end: end\n};\n/**\n * Internal helper to bind a function known to have 4 arguments\n * to a given context.\n */\n\nvar bindInternal4 = function bindInternal4(func, thisContext) {\n return function (a, b, c, d) {\n return func.call(thisContext, a, b, c, d);\n };\n};\n/**\n * # Reduce\n *\n * A fast object `.reduce()` implementation.\n *\n * @param {Object} subject The object to reduce over.\n * @param {Function} fn The reducer function.\n * @param {mixed} initialValue The initial value for the reducer, defaults to subject[0].\n * @param {Object} thisContext The context for the reducer.\n * @return {mixed} The final result.\n */\n\n\nvar reduce = function fastReduceObject(subject, fn, initialValue, thisContext) {\n var keys = Object.keys(subject),\n length = keys.length,\n iterator = thisContext !== undefined ? bindInternal4(fn, thisContext) : fn,\n i,\n key,\n result;\n\n if (initialValue === undefined) {\n i = 1;\n result = subject[keys[0]];\n } else {\n i = 0;\n result = initialValue;\n }\n\n for (; i < length; i++) {\n key = keys[i];\n result = iterator(result, subject[key], key, subject);\n }\n\n return result;\n};\n\nfunction toHex(unicode) {\n var result = '';\n\n for (var i = 0; i < unicode.length; i++) {\n var hex = unicode.charCodeAt(i).toString(16);\n result += ('000' + hex).slice(-4);\n }\n\n return result;\n}\n\nfunction defineIcons(prefix, icons) {\n var params = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n var _params$skipHooks = params.skipHooks,\n skipHooks = _params$skipHooks === void 0 ? false : _params$skipHooks;\n var normalized = Object.keys(icons).reduce(function (acc, iconName) {\n var icon = icons[iconName];\n var expanded = !!icon.icon;\n\n if (expanded) {\n acc[icon.iconName] = icon.icon;\n } else {\n acc[iconName] = icon;\n }\n\n return acc;\n }, {});\n\n if (typeof namespace.hooks.addPack === 'function' && !skipHooks) {\n namespace.hooks.addPack(prefix, normalized);\n } else {\n namespace.styles[prefix] = _objectSpread({}, namespace.styles[prefix] || {}, normalized);\n }\n /**\n * Font Awesome 4 used the prefix of `fa` for all icons. With the introduction\n * of new styles we needed to differentiate between them. Prefix `fa` is now an alias\n * for `fas` so we'll easy the upgrade process for our users by automatically defining\n * this as well.\n */\n\n\n if (prefix === 'fas') {\n defineIcons('fa', icons);\n }\n}\n\nvar styles = namespace.styles,\n shims = namespace.shims;\nvar _byUnicode = {};\nvar _byLigature = {};\nvar _byOldName = {};\n\nvar build = function build() {\n var lookup = function lookup(reducer) {\n return reduce(styles, function (o, style, prefix) {\n o[prefix] = reduce(style, reducer, {});\n return o;\n }, {});\n };\n\n _byUnicode = lookup(function (acc, icon, iconName) {\n if (icon[3]) {\n acc[icon[3]] = iconName;\n }\n\n return acc;\n });\n _byLigature = lookup(function (acc, icon, iconName) {\n var ligatures = icon[2];\n acc[iconName] = iconName;\n ligatures.forEach(function (ligature) {\n acc[ligature] = iconName;\n });\n return acc;\n });\n var hasRegular = ('far' in styles);\n _byOldName = reduce(shims, function (acc, shim) {\n var oldName = shim[0];\n var prefix = shim[1];\n var iconName = shim[2];\n\n if (prefix === 'far' && !hasRegular) {\n prefix = 'fas';\n }\n\n acc[oldName] = {\n prefix: prefix,\n iconName: iconName\n };\n return acc;\n }, {});\n};\n\nbuild();\n\nfunction byUnicode(prefix, unicode) {\n return (_byUnicode[prefix] || {})[unicode];\n}\n\nfunction byLigature(prefix, ligature) {\n return (_byLigature[prefix] || {})[ligature];\n}\n\nfunction byOldName(name) {\n return _byOldName[name] || {\n prefix: null,\n iconName: null\n };\n}\n\nvar styles$1 = namespace.styles;\n\nvar emptyCanonicalIcon = function emptyCanonicalIcon() {\n return {\n prefix: null,\n iconName: null,\n rest: []\n };\n};\n\nfunction getCanonicalIcon(values) {\n return values.reduce(function (acc, cls) {\n var iconName = getIconName(config.familyPrefix, cls);\n\n if (styles$1[cls]) {\n acc.prefix = cls;\n } else if (config.autoFetchSvg && Object.keys(PREFIX_TO_STYLE).indexOf(cls) > -1) {\n acc.prefix = cls;\n } else if (iconName) {\n var shim = acc.prefix === 'fa' ? byOldName(iconName) : {};\n acc.iconName = shim.iconName || iconName;\n acc.prefix = shim.prefix || acc.prefix;\n } else if (cls !== config.replacementClass && cls.indexOf('fa-w-') !== 0) {\n acc.rest.push(cls);\n }\n\n return acc;\n }, emptyCanonicalIcon());\n}\n\nfunction iconFromMapping(mapping, prefix, iconName) {\n if (mapping && mapping[prefix] && mapping[prefix][iconName]) {\n return {\n prefix: prefix,\n iconName: iconName,\n icon: mapping[prefix][iconName]\n };\n }\n}\n\nfunction toHtml(abstractNodes) {\n var tag = abstractNodes.tag,\n _abstractNodes$attrib = abstractNodes.attributes,\n attributes = _abstractNodes$attrib === void 0 ? {} : _abstractNodes$attrib,\n _abstractNodes$childr = abstractNodes.children,\n children = _abstractNodes$childr === void 0 ? [] : _abstractNodes$childr;\n\n if (typeof abstractNodes === 'string') {\n return htmlEscape(abstractNodes);\n } else {\n return \"<\".concat(tag, \" \").concat(joinAttributes(attributes), \">\").concat(children.map(toHtml).join(''), \"\").concat(tag, \">\");\n }\n}\n\nvar noop$2 = function noop() {};\n\nfunction isWatched(node) {\n var i2svg = node.getAttribute ? node.getAttribute(DATA_FA_I2SVG) : null;\n return typeof i2svg === 'string';\n}\n\nfunction getMutator() {\n if (config.autoReplaceSvg === true) {\n return mutators.replace;\n }\n\n var mutator = mutators[config.autoReplaceSvg];\n return mutator || mutators.replace;\n}\n\nvar mutators = {\n replace: function replace(mutation) {\n var node = mutation[0];\n var abstract = mutation[1];\n var newOuterHTML = abstract.map(function (a) {\n return toHtml(a);\n }).join('\\n');\n\n if (node.parentNode && node.outerHTML) {\n node.outerHTML = newOuterHTML + (config.keepOriginalSource && node.tagName.toLowerCase() !== 'svg' ? \"\") : '');\n } else if (node.parentNode) {\n var newNode = document.createElement('span');\n node.parentNode.replaceChild(newNode, node);\n newNode.outerHTML = newOuterHTML;\n }\n },\n nest: function nest(mutation) {\n var node = mutation[0];\n var abstract = mutation[1]; // If we already have a replaced node we do not want to continue nesting within it.\n // Short-circuit to the standard replacement\n\n if (~classArray(node).indexOf(config.replacementClass)) {\n return mutators.replace(mutation);\n }\n\n var forSvg = new RegExp(\"\".concat(config.familyPrefix, \"-.*\"));\n delete abstract[0].attributes.style;\n delete abstract[0].attributes.id;\n var splitClasses = abstract[0].attributes.class.split(' ').reduce(function (acc, cls) {\n if (cls === config.replacementClass || cls.match(forSvg)) {\n acc.toSvg.push(cls);\n } else {\n acc.toNode.push(cls);\n }\n\n return acc;\n }, {\n toNode: [],\n toSvg: []\n });\n abstract[0].attributes.class = splitClasses.toSvg.join(' ');\n var newInnerHTML = abstract.map(function (a) {\n return toHtml(a);\n }).join('\\n');\n node.setAttribute('class', splitClasses.toNode.join(' '));\n node.setAttribute(DATA_FA_I2SVG, '');\n node.innerHTML = newInnerHTML;\n }\n};\n\nfunction performOperationSync(op) {\n op();\n}\n\nfunction perform(mutations, callback) {\n var callbackFunction = typeof callback === 'function' ? callback : noop$2;\n\n if (mutations.length === 0) {\n callbackFunction();\n } else {\n var frame = performOperationSync;\n\n if (config.mutateApproach === MUTATION_APPROACH_ASYNC) {\n frame = WINDOW.requestAnimationFrame || performOperationSync;\n }\n\n frame(function () {\n var mutator = getMutator();\n var mark = perf.begin('mutate');\n mutations.map(mutator);\n mark();\n callbackFunction();\n });\n }\n}\n\nvar disabled = false;\n\nfunction disableObservation() {\n disabled = true;\n}\n\nfunction enableObservation() {\n disabled = false;\n}\n\nvar mo = null;\n\nfunction observe(options) {\n if (!MUTATION_OBSERVER) {\n return;\n }\n\n if (!config.observeMutations) {\n return;\n }\n\n var treeCallback = options.treeCallback,\n nodeCallback = options.nodeCallback,\n pseudoElementsCallback = options.pseudoElementsCallback,\n _options$observeMutat = options.observeMutationsRoot,\n observeMutationsRoot = _options$observeMutat === void 0 ? DOCUMENT : _options$observeMutat;\n mo = new MUTATION_OBSERVER(function (objects) {\n if (disabled) return;\n toArray(objects).forEach(function (mutationRecord) {\n if (mutationRecord.type === 'childList' && mutationRecord.addedNodes.length > 0 && !isWatched(mutationRecord.addedNodes[0])) {\n if (config.searchPseudoElements) {\n pseudoElementsCallback(mutationRecord.target);\n }\n\n treeCallback(mutationRecord.target);\n }\n\n if (mutationRecord.type === 'attributes' && mutationRecord.target.parentNode && config.searchPseudoElements) {\n pseudoElementsCallback(mutationRecord.target.parentNode);\n }\n\n if (mutationRecord.type === 'attributes' && isWatched(mutationRecord.target) && ~ATTRIBUTES_WATCHED_FOR_MUTATION.indexOf(mutationRecord.attributeName)) {\n if (mutationRecord.attributeName === 'class') {\n var _getCanonicalIcon = getCanonicalIcon(classArray(mutationRecord.target)),\n prefix = _getCanonicalIcon.prefix,\n iconName = _getCanonicalIcon.iconName;\n\n if (prefix) mutationRecord.target.setAttribute('data-prefix', prefix);\n if (iconName) mutationRecord.target.setAttribute('data-icon', iconName);\n } else {\n nodeCallback(mutationRecord.target);\n }\n }\n });\n });\n if (!IS_DOM) return;\n mo.observe(observeMutationsRoot, {\n childList: true,\n attributes: true,\n characterData: true,\n subtree: true\n });\n}\n\nfunction disconnect() {\n if (!mo) return;\n mo.disconnect();\n}\n\nfunction styleParser(node) {\n var style = node.getAttribute('style');\n var val = [];\n\n if (style) {\n val = style.split(';').reduce(function (acc, style) {\n var styles = style.split(':');\n var prop = styles[0];\n var value = styles.slice(1);\n\n if (prop && value.length > 0) {\n acc[prop] = value.join(':').trim();\n }\n\n return acc;\n }, {});\n }\n\n return val;\n}\n\nfunction classParser(node) {\n var existingPrefix = node.getAttribute('data-prefix');\n var existingIconName = node.getAttribute('data-icon');\n var innerText = node.innerText !== undefined ? node.innerText.trim() : '';\n var val = getCanonicalIcon(classArray(node));\n\n if (existingPrefix && existingIconName) {\n val.prefix = existingPrefix;\n val.iconName = existingIconName;\n }\n\n if (val.prefix && innerText.length > 1) {\n val.iconName = byLigature(val.prefix, node.innerText);\n } else if (val.prefix && innerText.length === 1) {\n val.iconName = byUnicode(val.prefix, toHex(node.innerText));\n }\n\n return val;\n}\n\nvar parseTransformString = function parseTransformString(transformString) {\n var transform = {\n size: 16,\n x: 0,\n y: 0,\n flipX: false,\n flipY: false,\n rotate: 0\n };\n\n if (!transformString) {\n return transform;\n } else {\n return transformString.toLowerCase().split(' ').reduce(function (acc, n) {\n var parts = n.toLowerCase().split('-');\n var first = parts[0];\n var rest = parts.slice(1).join('-');\n\n if (first && rest === 'h') {\n acc.flipX = true;\n return acc;\n }\n\n if (first && rest === 'v') {\n acc.flipY = true;\n return acc;\n }\n\n rest = parseFloat(rest);\n\n if (isNaN(rest)) {\n return acc;\n }\n\n switch (first) {\n case 'grow':\n acc.size = acc.size + rest;\n break;\n\n case 'shrink':\n acc.size = acc.size - rest;\n break;\n\n case 'left':\n acc.x = acc.x - rest;\n break;\n\n case 'right':\n acc.x = acc.x + rest;\n break;\n\n case 'up':\n acc.y = acc.y - rest;\n break;\n\n case 'down':\n acc.y = acc.y + rest;\n break;\n\n case 'rotate':\n acc.rotate = acc.rotate + rest;\n break;\n }\n\n return acc;\n }, transform);\n }\n};\n\nfunction transformParser(node) {\n return parseTransformString(node.getAttribute('data-fa-transform'));\n}\n\nfunction symbolParser(node) {\n var symbol = node.getAttribute('data-fa-symbol');\n return symbol === null ? false : symbol === '' ? true : symbol;\n}\n\nfunction attributesParser(node) {\n var extraAttributes = toArray(node.attributes).reduce(function (acc, attr) {\n if (acc.name !== 'class' && acc.name !== 'style') {\n acc[attr.name] = attr.value;\n }\n\n return acc;\n }, {});\n var title = node.getAttribute('title');\n var titleId = node.getAttribute('data-fa-title-id');\n\n if (config.autoA11y) {\n if (title) {\n extraAttributes['aria-labelledby'] = \"\".concat(config.replacementClass, \"-title-\").concat(titleId || nextUniqueId());\n } else {\n extraAttributes['aria-hidden'] = 'true';\n extraAttributes['focusable'] = 'false';\n }\n }\n\n return extraAttributes;\n}\n\nfunction maskParser(node) {\n var mask = node.getAttribute('data-fa-mask');\n\n if (!mask) {\n return emptyCanonicalIcon();\n } else {\n return getCanonicalIcon(mask.split(' ').map(function (i) {\n return i.trim();\n }));\n }\n}\n\nfunction blankMeta() {\n return {\n iconName: null,\n title: null,\n titleId: null,\n prefix: null,\n transform: meaninglessTransform,\n symbol: false,\n mask: null,\n maskId: null,\n extra: {\n classes: [],\n styles: {},\n attributes: {}\n }\n };\n}\n\nfunction parseMeta(node) {\n var _classParser = classParser(node),\n iconName = _classParser.iconName,\n prefix = _classParser.prefix,\n extraClasses = _classParser.rest;\n\n var extraStyles = styleParser(node);\n var transform = transformParser(node);\n var symbol = symbolParser(node);\n var extraAttributes = attributesParser(node);\n var mask = maskParser(node);\n return {\n iconName: iconName,\n title: node.getAttribute('title'),\n titleId: node.getAttribute('data-fa-title-id'),\n prefix: prefix,\n transform: transform,\n symbol: symbol,\n mask: mask,\n maskId: node.getAttribute('data-fa-mask-id'),\n extra: {\n classes: extraClasses,\n styles: extraStyles,\n attributes: extraAttributes\n }\n };\n}\n\nfunction MissingIcon(error) {\n this.name = 'MissingIcon';\n this.message = error || 'Icon unavailable';\n this.stack = new Error().stack;\n}\n\nMissingIcon.prototype = Object.create(Error.prototype);\nMissingIcon.prototype.constructor = MissingIcon;\nvar FILL = {\n fill: 'currentColor'\n};\nvar ANIMATION_BASE = {\n attributeType: 'XML',\n repeatCount: 'indefinite',\n dur: '2s'\n};\nvar RING = {\n tag: 'path',\n attributes: _objectSpread({}, FILL, {\n d: 'M156.5,447.7l-12.6,29.5c-18.7-9.5-35.9-21.2-51.5-34.9l22.7-22.7C127.6,430.5,141.5,440,156.5,447.7z M40.6,272H8.5 c1.4,21.2,5.4,41.7,11.7,61.1L50,321.2C45.1,305.5,41.8,289,40.6,272z M40.6,240c1.4-18.8,5.2-37,11.1-54.1l-29.5-12.6 C14.7,194.3,10,216.7,8.5,240H40.6z M64.3,156.5c7.8-14.9,17.2-28.8,28.1-41.5L69.7,92.3c-13.7,15.6-25.5,32.8-34.9,51.5 L64.3,156.5z M397,419.6c-13.9,12-29.4,22.3-46.1,30.4l11.9,29.8c20.7-9.9,39.8-22.6,56.9-37.6L397,419.6z M115,92.4 c13.9-12,29.4-22.3,46.1-30.4l-11.9-29.8c-20.7,9.9-39.8,22.6-56.8,37.6L115,92.4z M447.7,355.5c-7.8,14.9-17.2,28.8-28.1,41.5 l22.7,22.7c13.7-15.6,25.5-32.9,34.9-51.5L447.7,355.5z M471.4,272c-1.4,18.8-5.2,37-11.1,54.1l29.5,12.6 c7.5-21.1,12.2-43.5,13.6-66.8H471.4z M321.2,462c-15.7,5-32.2,8.2-49.2,9.4v32.1c21.2-1.4,41.7-5.4,61.1-11.7L321.2,462z M240,471.4c-18.8-1.4-37-5.2-54.1-11.1l-12.6,29.5c21.1,7.5,43.5,12.2,66.8,13.6V471.4z M462,190.8c5,15.7,8.2,32.2,9.4,49.2h32.1 c-1.4-21.2-5.4-41.7-11.7-61.1L462,190.8z M92.4,397c-12-13.9-22.3-29.4-30.4-46.1l-29.8,11.9c9.9,20.7,22.6,39.8,37.6,56.9 L92.4,397z M272,40.6c18.8,1.4,36.9,5.2,54.1,11.1l12.6-29.5C317.7,14.7,295.3,10,272,8.5V40.6z M190.8,50 c15.7-5,32.2-8.2,49.2-9.4V8.5c-21.2,1.4-41.7,5.4-61.1,11.7L190.8,50z M442.3,92.3L419.6,115c12,13.9,22.3,29.4,30.5,46.1 l29.8-11.9C470,128.5,457.3,109.4,442.3,92.3z M397,92.4l22.7-22.7c-15.6-13.7-32.8-25.5-51.5-34.9l-12.6,29.5 C370.4,72.1,384.4,81.5,397,92.4z'\n })\n};\n\nvar OPACITY_ANIMATE = _objectSpread({}, ANIMATION_BASE, {\n attributeName: 'opacity'\n});\n\nvar DOT = {\n tag: 'circle',\n attributes: _objectSpread({}, FILL, {\n cx: '256',\n cy: '364',\n r: '28'\n }),\n children: [{\n tag: 'animate',\n attributes: _objectSpread({}, ANIMATION_BASE, {\n attributeName: 'r',\n values: '28;14;28;28;14;28;'\n })\n }, {\n tag: 'animate',\n attributes: _objectSpread({}, OPACITY_ANIMATE, {\n values: '1;0;1;1;0;1;'\n })\n }]\n};\nvar QUESTION = {\n tag: 'path',\n attributes: _objectSpread({}, FILL, {\n opacity: '1',\n d: 'M263.7,312h-16c-6.6,0-12-5.4-12-12c0-71,77.4-63.9,77.4-107.8c0-20-17.8-40.2-57.4-40.2c-29.1,0-44.3,9.6-59.2,28.7 c-3.9,5-11.1,6-16.2,2.4l-13.1-9.2c-5.6-3.9-6.9-11.8-2.6-17.2c21.2-27.2,46.4-44.7,91.2-44.7c52.3,0,97.4,29.8,97.4,80.2 c0,67.6-77.4,63.5-77.4,107.8C275.7,306.6,270.3,312,263.7,312z'\n }),\n children: [{\n tag: 'animate',\n attributes: _objectSpread({}, OPACITY_ANIMATE, {\n values: '1;0;0;0;0;1;'\n })\n }]\n};\nvar EXCLAMATION = {\n tag: 'path',\n attributes: _objectSpread({}, FILL, {\n opacity: '0',\n d: 'M232.5,134.5l7,168c0.3,6.4,5.6,11.5,12,11.5h9c6.4,0,11.7-5.1,12-11.5l7-168c0.3-6.8-5.2-12.5-12-12.5h-23 C237.7,122,232.2,127.7,232.5,134.5z'\n }),\n children: [{\n tag: 'animate',\n attributes: _objectSpread({}, OPACITY_ANIMATE, {\n values: '0;0;1;1;0;0;'\n })\n }]\n};\nvar missing = {\n tag: 'g',\n children: [RING, DOT, QUESTION, EXCLAMATION]\n};\nvar styles$2 = namespace.styles;\n\nfunction asFoundIcon(icon) {\n var width = icon[0];\n var height = icon[1];\n\n var _icon$slice = icon.slice(4),\n _icon$slice2 = _slicedToArray(_icon$slice, 1),\n vectorData = _icon$slice2[0];\n\n var element = null;\n\n if (Array.isArray(vectorData)) {\n element = {\n tag: 'g',\n attributes: {\n class: \"\".concat(config.familyPrefix, \"-\").concat(DUOTONE_CLASSES.GROUP)\n },\n children: [{\n tag: 'path',\n attributes: {\n class: \"\".concat(config.familyPrefix, \"-\").concat(DUOTONE_CLASSES.SECONDARY),\n fill: 'currentColor',\n d: vectorData[0]\n }\n }, {\n tag: 'path',\n attributes: {\n class: \"\".concat(config.familyPrefix, \"-\").concat(DUOTONE_CLASSES.PRIMARY),\n fill: 'currentColor',\n d: vectorData[1]\n }\n }]\n };\n } else {\n element = {\n tag: 'path',\n attributes: {\n fill: 'currentColor',\n d: vectorData\n }\n };\n }\n\n return {\n found: true,\n width: width,\n height: height,\n icon: element\n };\n}\n\nfunction findIcon(iconName, prefix) {\n return new picked(function (resolve, reject) {\n var val = {\n found: false,\n width: 512,\n height: 512,\n icon: missing\n };\n\n if (iconName && prefix && styles$2[prefix] && styles$2[prefix][iconName]) {\n var icon = styles$2[prefix][iconName];\n return resolve(asFoundIcon(icon));\n }\n\n if (iconName && prefix && !config.showMissingIcons) {\n reject(new MissingIcon(\"Icon is missing for prefix \".concat(prefix, \" with icon name \").concat(iconName)));\n } else {\n resolve(val);\n }\n });\n}\n\nvar styles$3 = namespace.styles;\n\nfunction generateSvgReplacementMutation(node, nodeMeta) {\n var iconName = nodeMeta.iconName,\n title = nodeMeta.title,\n titleId = nodeMeta.titleId,\n prefix = nodeMeta.prefix,\n transform = nodeMeta.transform,\n symbol = nodeMeta.symbol,\n mask = nodeMeta.mask,\n maskId = nodeMeta.maskId,\n extra = nodeMeta.extra;\n return new picked(function (resolve, reject) {\n picked.all([findIcon(iconName, prefix), findIcon(mask.iconName, mask.prefix)]).then(function (_ref) {\n var _ref2 = _slicedToArray(_ref, 2),\n main = _ref2[0],\n mask = _ref2[1];\n\n resolve([node, makeInlineSvgAbstract({\n icons: {\n main: main,\n mask: mask\n },\n prefix: prefix,\n iconName: iconName,\n transform: transform,\n symbol: symbol,\n mask: mask,\n maskId: maskId,\n title: title,\n titleId: titleId,\n extra: extra,\n watchable: true\n })]);\n });\n });\n}\n\nfunction generateLayersText(node, nodeMeta) {\n var title = nodeMeta.title,\n transform = nodeMeta.transform,\n extra = nodeMeta.extra;\n var width = null;\n var height = null;\n\n if (IS_IE) {\n var computedFontSize = parseInt(getComputedStyle(node).fontSize, 10);\n var boundingClientRect = node.getBoundingClientRect();\n width = boundingClientRect.width / computedFontSize;\n height = boundingClientRect.height / computedFontSize;\n }\n\n if (config.autoA11y && !title) {\n extra.attributes['aria-hidden'] = 'true';\n }\n\n return picked.resolve([node, makeLayersTextAbstract({\n content: node.innerHTML,\n width: width,\n height: height,\n transform: transform,\n title: title,\n extra: extra,\n watchable: true\n })]);\n}\n\nfunction generateMutation(node) {\n var nodeMeta = parseMeta(node);\n\n if (~nodeMeta.extra.classes.indexOf(LAYERS_TEXT_CLASSNAME)) {\n return generateLayersText(node, nodeMeta);\n } else {\n return generateSvgReplacementMutation(node, nodeMeta);\n }\n}\n\nfunction onTree(root) {\n var callback = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : null;\n if (!IS_DOM) return;\n var htmlClassList = DOCUMENT.documentElement.classList;\n\n var hclAdd = function hclAdd(suffix) {\n return htmlClassList.add(\"\".concat(HTML_CLASS_I2SVG_BASE_CLASS, \"-\").concat(suffix));\n };\n\n var hclRemove = function hclRemove(suffix) {\n return htmlClassList.remove(\"\".concat(HTML_CLASS_I2SVG_BASE_CLASS, \"-\").concat(suffix));\n };\n\n var prefixes = config.autoFetchSvg ? Object.keys(PREFIX_TO_STYLE) : Object.keys(styles$3);\n var prefixesDomQuery = [\".\".concat(LAYERS_TEXT_CLASSNAME, \":not([\").concat(DATA_FA_I2SVG, \"])\")].concat(prefixes.map(function (p) {\n return \".\".concat(p, \":not([\").concat(DATA_FA_I2SVG, \"])\");\n })).join(', ');\n\n if (prefixesDomQuery.length === 0) {\n return;\n }\n\n var candidates = [];\n\n try {\n candidates = toArray(root.querySelectorAll(prefixesDomQuery));\n } catch (e) {// noop\n }\n\n if (candidates.length > 0) {\n hclAdd('pending');\n hclRemove('complete');\n } else {\n return;\n }\n\n var mark = perf.begin('onTree');\n var mutations = candidates.reduce(function (acc, node) {\n try {\n var mutation = generateMutation(node);\n\n if (mutation) {\n acc.push(mutation);\n }\n } catch (e) {\n if (!PRODUCTION) {\n if (e instanceof MissingIcon) {\n console.error(e);\n }\n }\n }\n\n return acc;\n }, []);\n return new picked(function (resolve, reject) {\n picked.all(mutations).then(function (resolvedMutations) {\n perform(resolvedMutations, function () {\n hclAdd('active');\n hclAdd('complete');\n hclRemove('pending');\n if (typeof callback === 'function') callback();\n mark();\n resolve();\n });\n }).catch(function () {\n mark();\n reject();\n });\n });\n}\n\nfunction onNode(node) {\n var callback = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : null;\n generateMutation(node).then(function (mutation) {\n if (mutation) {\n perform([mutation], callback);\n }\n });\n}\n\nfunction replaceForPosition(node, position) {\n var pendingAttribute = \"\".concat(DATA_FA_PSEUDO_ELEMENT_PENDING).concat(position.replace(':', '-'));\n return new picked(function (resolve, reject) {\n if (node.getAttribute(pendingAttribute) !== null) {\n // This node is already being processed\n return resolve();\n }\n\n var children = toArray(node.children);\n var alreadyProcessedPseudoElement = children.filter(function (c) {\n return c.getAttribute(DATA_FA_PSEUDO_ELEMENT) === position;\n })[0];\n var styles = WINDOW.getComputedStyle(node, position);\n var fontFamily = styles.getPropertyValue('font-family').match(FONT_FAMILY_PATTERN);\n var fontWeight = styles.getPropertyValue('font-weight');\n var content = styles.getPropertyValue('content');\n\n if (alreadyProcessedPseudoElement && !fontFamily) {\n // If we've already processed it but the current computed style does not result in a font-family,\n // that probably means that a class name that was previously present to make the icon has been\n // removed. So we now should delete the icon.\n node.removeChild(alreadyProcessedPseudoElement);\n return resolve();\n } else if (fontFamily && content !== 'none' && content !== '') {\n var _content = styles.getPropertyValue('content');\n\n var prefix = ~['Solid', 'Regular', 'Light', 'Duotone', 'Brands', 'Kit'].indexOf(fontFamily[2]) ? STYLE_TO_PREFIX[fontFamily[2].toLowerCase()] : FONT_WEIGHT_TO_PREFIX[fontWeight];\n var hexValue = toHex(_content.length === 3 ? _content.substr(1, 1) : _content);\n var iconName = byUnicode(prefix, hexValue);\n var iconIdentifier = iconName; // Only convert the pseudo element in this :before/:after position into an icon if we haven't\n // already done so with the same prefix and iconName\n\n if (iconName && (!alreadyProcessedPseudoElement || alreadyProcessedPseudoElement.getAttribute(DATA_PREFIX) !== prefix || alreadyProcessedPseudoElement.getAttribute(DATA_ICON) !== iconIdentifier)) {\n node.setAttribute(pendingAttribute, iconIdentifier);\n\n if (alreadyProcessedPseudoElement) {\n // Delete the old one, since we're replacing it with a new one\n node.removeChild(alreadyProcessedPseudoElement);\n }\n\n var meta = blankMeta();\n var extra = meta.extra;\n extra.attributes[DATA_FA_PSEUDO_ELEMENT] = position;\n findIcon(iconName, prefix).then(function (main) {\n var abstract = makeInlineSvgAbstract(_objectSpread({}, meta, {\n icons: {\n main: main,\n mask: emptyCanonicalIcon()\n },\n prefix: prefix,\n iconName: iconIdentifier,\n extra: extra,\n watchable: true\n }));\n var element = DOCUMENT.createElement('svg');\n\n if (position === ':before') {\n node.insertBefore(element, node.firstChild);\n } else {\n node.appendChild(element);\n }\n\n element.outerHTML = abstract.map(function (a) {\n return toHtml(a);\n }).join('\\n');\n node.removeAttribute(pendingAttribute);\n resolve();\n }).catch(reject);\n } else {\n resolve();\n }\n } else {\n resolve();\n }\n });\n}\n\nfunction replace(node) {\n return picked.all([replaceForPosition(node, ':before'), replaceForPosition(node, ':after')]);\n}\n\nfunction processable(node) {\n return node.parentNode !== document.head && !~TAGNAMES_TO_SKIP_FOR_PSEUDOELEMENTS.indexOf(node.tagName.toUpperCase()) && !node.getAttribute(DATA_FA_PSEUDO_ELEMENT) && (!node.parentNode || node.parentNode.tagName !== 'svg');\n}\n\nfunction searchPseudoElements(root) {\n if (!IS_DOM) return;\n return new picked(function (resolve, reject) {\n var operations = toArray(root.querySelectorAll('*')).filter(processable).map(replace);\n var end = perf.begin('searchPseudoElements');\n disableObservation();\n picked.all(operations).then(function () {\n end();\n enableObservation();\n resolve();\n }).catch(function () {\n end();\n enableObservation();\n reject();\n });\n });\n}\n\nvar baseStyles = \"svg:not(:root).svg-inline--fa {\\n overflow: visible;\\n}\\n\\n.svg-inline--fa {\\n display: inline-block;\\n font-size: inherit;\\n height: 1em;\\n overflow: visible;\\n vertical-align: -0.125em;\\n}\\n.svg-inline--fa.fa-lg {\\n vertical-align: -0.225em;\\n}\\n.svg-inline--fa.fa-w-1 {\\n width: 0.0625em;\\n}\\n.svg-inline--fa.fa-w-2 {\\n width: 0.125em;\\n}\\n.svg-inline--fa.fa-w-3 {\\n width: 0.1875em;\\n}\\n.svg-inline--fa.fa-w-4 {\\n width: 0.25em;\\n}\\n.svg-inline--fa.fa-w-5 {\\n width: 0.3125em;\\n}\\n.svg-inline--fa.fa-w-6 {\\n width: 0.375em;\\n}\\n.svg-inline--fa.fa-w-7 {\\n width: 0.4375em;\\n}\\n.svg-inline--fa.fa-w-8 {\\n width: 0.5em;\\n}\\n.svg-inline--fa.fa-w-9 {\\n width: 0.5625em;\\n}\\n.svg-inline--fa.fa-w-10 {\\n width: 0.625em;\\n}\\n.svg-inline--fa.fa-w-11 {\\n width: 0.6875em;\\n}\\n.svg-inline--fa.fa-w-12 {\\n width: 0.75em;\\n}\\n.svg-inline--fa.fa-w-13 {\\n width: 0.8125em;\\n}\\n.svg-inline--fa.fa-w-14 {\\n width: 0.875em;\\n}\\n.svg-inline--fa.fa-w-15 {\\n width: 0.9375em;\\n}\\n.svg-inline--fa.fa-w-16 {\\n width: 1em;\\n}\\n.svg-inline--fa.fa-w-17 {\\n width: 1.0625em;\\n}\\n.svg-inline--fa.fa-w-18 {\\n width: 1.125em;\\n}\\n.svg-inline--fa.fa-w-19 {\\n width: 1.1875em;\\n}\\n.svg-inline--fa.fa-w-20 {\\n width: 1.25em;\\n}\\n.svg-inline--fa.fa-pull-left {\\n margin-right: 0.3em;\\n width: auto;\\n}\\n.svg-inline--fa.fa-pull-right {\\n margin-left: 0.3em;\\n width: auto;\\n}\\n.svg-inline--fa.fa-border {\\n height: 1.5em;\\n}\\n.svg-inline--fa.fa-li {\\n width: 2em;\\n}\\n.svg-inline--fa.fa-fw {\\n width: 1.25em;\\n}\\n\\n.fa-layers svg.svg-inline--fa {\\n bottom: 0;\\n left: 0;\\n margin: auto;\\n position: absolute;\\n right: 0;\\n top: 0;\\n}\\n\\n.fa-layers {\\n display: inline-block;\\n height: 1em;\\n position: relative;\\n text-align: center;\\n vertical-align: -0.125em;\\n width: 1em;\\n}\\n.fa-layers svg.svg-inline--fa {\\n -webkit-transform-origin: center center;\\n transform-origin: center center;\\n}\\n\\n.fa-layers-counter, .fa-layers-text {\\n display: inline-block;\\n position: absolute;\\n text-align: center;\\n}\\n\\n.fa-layers-text {\\n left: 50%;\\n top: 50%;\\n -webkit-transform: translate(-50%, -50%);\\n transform: translate(-50%, -50%);\\n -webkit-transform-origin: center center;\\n transform-origin: center center;\\n}\\n\\n.fa-layers-counter {\\n background-color: #ff253a;\\n border-radius: 1em;\\n -webkit-box-sizing: border-box;\\n box-sizing: border-box;\\n color: #fff;\\n height: 1.5em;\\n line-height: 1;\\n max-width: 5em;\\n min-width: 1.5em;\\n overflow: hidden;\\n padding: 0.25em;\\n right: 0;\\n text-overflow: ellipsis;\\n top: 0;\\n -webkit-transform: scale(0.25);\\n transform: scale(0.25);\\n -webkit-transform-origin: top right;\\n transform-origin: top right;\\n}\\n\\n.fa-layers-bottom-right {\\n bottom: 0;\\n right: 0;\\n top: auto;\\n -webkit-transform: scale(0.25);\\n transform: scale(0.25);\\n -webkit-transform-origin: bottom right;\\n transform-origin: bottom right;\\n}\\n\\n.fa-layers-bottom-left {\\n bottom: 0;\\n left: 0;\\n right: auto;\\n top: auto;\\n -webkit-transform: scale(0.25);\\n transform: scale(0.25);\\n -webkit-transform-origin: bottom left;\\n transform-origin: bottom left;\\n}\\n\\n.fa-layers-top-right {\\n right: 0;\\n top: 0;\\n -webkit-transform: scale(0.25);\\n transform: scale(0.25);\\n -webkit-transform-origin: top right;\\n transform-origin: top right;\\n}\\n\\n.fa-layers-top-left {\\n left: 0;\\n right: auto;\\n top: 0;\\n -webkit-transform: scale(0.25);\\n transform: scale(0.25);\\n -webkit-transform-origin: top left;\\n transform-origin: top left;\\n}\\n\\n.fa-lg {\\n font-size: 1.3333333333em;\\n line-height: 0.75em;\\n vertical-align: -0.0667em;\\n}\\n\\n.fa-xs {\\n font-size: 0.75em;\\n}\\n\\n.fa-sm {\\n font-size: 0.875em;\\n}\\n\\n.fa-1x {\\n font-size: 1em;\\n}\\n\\n.fa-2x {\\n font-size: 2em;\\n}\\n\\n.fa-3x {\\n font-size: 3em;\\n}\\n\\n.fa-4x {\\n font-size: 4em;\\n}\\n\\n.fa-5x {\\n font-size: 5em;\\n}\\n\\n.fa-6x {\\n font-size: 6em;\\n}\\n\\n.fa-7x {\\n font-size: 7em;\\n}\\n\\n.fa-8x {\\n font-size: 8em;\\n}\\n\\n.fa-9x {\\n font-size: 9em;\\n}\\n\\n.fa-10x {\\n font-size: 10em;\\n}\\n\\n.fa-fw {\\n text-align: center;\\n width: 1.25em;\\n}\\n\\n.fa-ul {\\n list-style-type: none;\\n margin-left: 2.5em;\\n padding-left: 0;\\n}\\n.fa-ul > li {\\n position: relative;\\n}\\n\\n.fa-li {\\n left: -2em;\\n position: absolute;\\n text-align: center;\\n width: 2em;\\n line-height: inherit;\\n}\\n\\n.fa-border {\\n border: solid 0.08em #eee;\\n border-radius: 0.1em;\\n padding: 0.2em 0.25em 0.15em;\\n}\\n\\n.fa-pull-left {\\n float: left;\\n}\\n\\n.fa-pull-right {\\n float: right;\\n}\\n\\n.fa.fa-pull-left,\\n.fas.fa-pull-left,\\n.far.fa-pull-left,\\n.fal.fa-pull-left,\\n.fab.fa-pull-left {\\n margin-right: 0.3em;\\n}\\n.fa.fa-pull-right,\\n.fas.fa-pull-right,\\n.far.fa-pull-right,\\n.fal.fa-pull-right,\\n.fab.fa-pull-right {\\n margin-left: 0.3em;\\n}\\n\\n.fa-spin {\\n -webkit-animation: fa-spin 2s infinite linear;\\n animation: fa-spin 2s infinite linear;\\n}\\n\\n.fa-pulse {\\n -webkit-animation: fa-spin 1s infinite steps(8);\\n animation: fa-spin 1s infinite steps(8);\\n}\\n\\n@-webkit-keyframes fa-spin {\\n 0% {\\n -webkit-transform: rotate(0deg);\\n transform: rotate(0deg);\\n }\\n 100% {\\n -webkit-transform: rotate(360deg);\\n transform: rotate(360deg);\\n }\\n}\\n\\n@keyframes fa-spin {\\n 0% {\\n -webkit-transform: rotate(0deg);\\n transform: rotate(0deg);\\n }\\n 100% {\\n -webkit-transform: rotate(360deg);\\n transform: rotate(360deg);\\n }\\n}\\n.fa-rotate-90 {\\n -ms-filter: \\\"progid:DXImageTransform.Microsoft.BasicImage(rotation=1)\\\";\\n -webkit-transform: rotate(90deg);\\n transform: rotate(90deg);\\n}\\n\\n.fa-rotate-180 {\\n -ms-filter: \\\"progid:DXImageTransform.Microsoft.BasicImage(rotation=2)\\\";\\n -webkit-transform: rotate(180deg);\\n transform: rotate(180deg);\\n}\\n\\n.fa-rotate-270 {\\n -ms-filter: \\\"progid:DXImageTransform.Microsoft.BasicImage(rotation=3)\\\";\\n -webkit-transform: rotate(270deg);\\n transform: rotate(270deg);\\n}\\n\\n.fa-flip-horizontal {\\n -ms-filter: \\\"progid:DXImageTransform.Microsoft.BasicImage(rotation=0, mirror=1)\\\";\\n -webkit-transform: scale(-1, 1);\\n transform: scale(-1, 1);\\n}\\n\\n.fa-flip-vertical {\\n -ms-filter: \\\"progid:DXImageTransform.Microsoft.BasicImage(rotation=2, mirror=1)\\\";\\n -webkit-transform: scale(1, -1);\\n transform: scale(1, -1);\\n}\\n\\n.fa-flip-both, .fa-flip-horizontal.fa-flip-vertical {\\n -ms-filter: \\\"progid:DXImageTransform.Microsoft.BasicImage(rotation=2, mirror=1)\\\";\\n -webkit-transform: scale(-1, -1);\\n transform: scale(-1, -1);\\n}\\n\\n:root .fa-rotate-90,\\n:root .fa-rotate-180,\\n:root .fa-rotate-270,\\n:root .fa-flip-horizontal,\\n:root .fa-flip-vertical,\\n:root .fa-flip-both {\\n -webkit-filter: none;\\n filter: none;\\n}\\n\\n.fa-stack {\\n display: inline-block;\\n height: 2em;\\n position: relative;\\n width: 2.5em;\\n}\\n\\n.fa-stack-1x,\\n.fa-stack-2x {\\n bottom: 0;\\n left: 0;\\n margin: auto;\\n position: absolute;\\n right: 0;\\n top: 0;\\n}\\n\\n.svg-inline--fa.fa-stack-1x {\\n height: 1em;\\n width: 1.25em;\\n}\\n.svg-inline--fa.fa-stack-2x {\\n height: 2em;\\n width: 2.5em;\\n}\\n\\n.fa-inverse {\\n color: #fff;\\n}\\n\\n.sr-only {\\n border: 0;\\n clip: rect(0, 0, 0, 0);\\n height: 1px;\\n margin: -1px;\\n overflow: hidden;\\n padding: 0;\\n position: absolute;\\n width: 1px;\\n}\\n\\n.sr-only-focusable:active, .sr-only-focusable:focus {\\n clip: auto;\\n height: auto;\\n margin: 0;\\n overflow: visible;\\n position: static;\\n width: auto;\\n}\\n\\n.svg-inline--fa .fa-primary {\\n fill: var(--fa-primary-color, currentColor);\\n opacity: 1;\\n opacity: var(--fa-primary-opacity, 1);\\n}\\n\\n.svg-inline--fa .fa-secondary {\\n fill: var(--fa-secondary-color, currentColor);\\n opacity: 0.4;\\n opacity: var(--fa-secondary-opacity, 0.4);\\n}\\n\\n.svg-inline--fa.fa-swap-opacity .fa-primary {\\n opacity: 0.4;\\n opacity: var(--fa-secondary-opacity, 0.4);\\n}\\n\\n.svg-inline--fa.fa-swap-opacity .fa-secondary {\\n opacity: 1;\\n opacity: var(--fa-primary-opacity, 1);\\n}\\n\\n.svg-inline--fa mask .fa-primary,\\n.svg-inline--fa mask .fa-secondary {\\n fill: black;\\n}\\n\\n.fad.fa-inverse {\\n color: #fff;\\n}\";\n\nfunction css() {\n var dfp = DEFAULT_FAMILY_PREFIX;\n var drc = DEFAULT_REPLACEMENT_CLASS;\n var fp = config.familyPrefix;\n var rc = config.replacementClass;\n var s = baseStyles;\n\n if (fp !== dfp || rc !== drc) {\n var dPatt = new RegExp(\"\\\\.\".concat(dfp, \"\\\\-\"), 'g');\n var customPropPatt = new RegExp(\"\\\\--\".concat(dfp, \"\\\\-\"), 'g');\n var rPatt = new RegExp(\"\\\\.\".concat(drc), 'g');\n s = s.replace(dPatt, \".\".concat(fp, \"-\")).replace(customPropPatt, \"--\".concat(fp, \"-\")).replace(rPatt, \".\".concat(rc));\n }\n\n return s;\n}\n\nvar Library = /*#__PURE__*/function () {\n function Library() {\n _classCallCheck(this, Library);\n\n this.definitions = {};\n }\n\n _createClass(Library, [{\n key: \"add\",\n value: function add() {\n var _this = this;\n\n for (var _len = arguments.length, definitions = new Array(_len), _key = 0; _key < _len; _key++) {\n definitions[_key] = arguments[_key];\n }\n\n var additions = definitions.reduce(this._pullDefinitions, {});\n Object.keys(additions).forEach(function (key) {\n _this.definitions[key] = _objectSpread({}, _this.definitions[key] || {}, additions[key]);\n defineIcons(key, additions[key]);\n build();\n });\n }\n }, {\n key: \"reset\",\n value: function reset() {\n this.definitions = {};\n }\n }, {\n key: \"_pullDefinitions\",\n value: function _pullDefinitions(additions, definition) {\n var normalized = definition.prefix && definition.iconName && definition.icon ? {\n 0: definition\n } : definition;\n Object.keys(normalized).map(function (key) {\n var _normalized$key = normalized[key],\n prefix = _normalized$key.prefix,\n iconName = _normalized$key.iconName,\n icon = _normalized$key.icon;\n if (!additions[prefix]) additions[prefix] = {};\n additions[prefix][iconName] = icon;\n });\n return additions;\n }\n }]);\n\n return Library;\n}();\n\nfunction ensureCss() {\n if (config.autoAddCss && !_cssInserted) {\n insertCss(css());\n _cssInserted = true;\n }\n}\n\nfunction apiObject(val, abstractCreator) {\n Object.defineProperty(val, 'abstract', {\n get: abstractCreator\n });\n Object.defineProperty(val, 'html', {\n get: function get() {\n return val.abstract.map(function (a) {\n return toHtml(a);\n });\n }\n });\n Object.defineProperty(val, 'node', {\n get: function get() {\n if (!IS_DOM) return;\n var container = DOCUMENT.createElement('div');\n container.innerHTML = val.html;\n return container.children;\n }\n });\n return val;\n}\n\nfunction findIconDefinition(iconLookup) {\n var _iconLookup$prefix = iconLookup.prefix,\n prefix = _iconLookup$prefix === void 0 ? 'fa' : _iconLookup$prefix,\n iconName = iconLookup.iconName;\n if (!iconName) return;\n return iconFromMapping(library.definitions, prefix, iconName) || iconFromMapping(namespace.styles, prefix, iconName);\n}\n\nfunction resolveIcons(next) {\n return function (maybeIconDefinition) {\n var params = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var iconDefinition = (maybeIconDefinition || {}).icon ? maybeIconDefinition : findIconDefinition(maybeIconDefinition || {});\n var mask = params.mask;\n\n if (mask) {\n mask = (mask || {}).icon ? mask : findIconDefinition(mask || {});\n }\n\n return next(iconDefinition, _objectSpread({}, params, {\n mask: mask\n }));\n };\n}\n\nvar library = new Library();\n\nvar noAuto = function noAuto() {\n config.autoReplaceSvg = false;\n config.observeMutations = false;\n disconnect();\n};\n\nvar _cssInserted = false;\nvar dom = {\n i2svg: function i2svg() {\n var params = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n\n if (IS_DOM) {\n ensureCss();\n var _params$node = params.node,\n node = _params$node === void 0 ? DOCUMENT : _params$node,\n _params$callback = params.callback,\n callback = _params$callback === void 0 ? function () {} : _params$callback;\n\n if (config.searchPseudoElements) {\n searchPseudoElements(node);\n }\n\n return onTree(node, callback);\n } else {\n return picked.reject('Operation requires a DOM of some kind.');\n }\n },\n css: css,\n insertCss: function insertCss$$1() {\n if (!_cssInserted) {\n insertCss(css());\n _cssInserted = true;\n }\n },\n watch: function watch() {\n var params = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n var autoReplaceSvgRoot = params.autoReplaceSvgRoot,\n observeMutationsRoot = params.observeMutationsRoot;\n\n if (config.autoReplaceSvg === false) {\n config.autoReplaceSvg = true;\n }\n\n config.observeMutations = true;\n domready(function () {\n autoReplace({\n autoReplaceSvgRoot: autoReplaceSvgRoot\n });\n observe({\n treeCallback: onTree,\n nodeCallback: onNode,\n pseudoElementsCallback: searchPseudoElements,\n observeMutationsRoot: observeMutationsRoot\n });\n });\n }\n};\nvar parse = {\n transform: function transform(transformString) {\n return parseTransformString(transformString);\n }\n};\nvar icon = resolveIcons(function (iconDefinition) {\n var params = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var _params$transform = params.transform,\n transform = _params$transform === void 0 ? meaninglessTransform : _params$transform,\n _params$symbol = params.symbol,\n symbol = _params$symbol === void 0 ? false : _params$symbol,\n _params$mask = params.mask,\n mask = _params$mask === void 0 ? null : _params$mask,\n _params$maskId = params.maskId,\n maskId = _params$maskId === void 0 ? null : _params$maskId,\n _params$title = params.title,\n title = _params$title === void 0 ? null : _params$title,\n _params$titleId = params.titleId,\n titleId = _params$titleId === void 0 ? null : _params$titleId,\n _params$classes = params.classes,\n classes = _params$classes === void 0 ? [] : _params$classes,\n _params$attributes = params.attributes,\n attributes = _params$attributes === void 0 ? {} : _params$attributes,\n _params$styles = params.styles,\n styles = _params$styles === void 0 ? {} : _params$styles;\n if (!iconDefinition) return;\n var prefix = iconDefinition.prefix,\n iconName = iconDefinition.iconName,\n icon = iconDefinition.icon;\n return apiObject(_objectSpread({\n type: 'icon'\n }, iconDefinition), function () {\n ensureCss();\n\n if (config.autoA11y) {\n if (title) {\n attributes['aria-labelledby'] = \"\".concat(config.replacementClass, \"-title-\").concat(titleId || nextUniqueId());\n } else {\n attributes['aria-hidden'] = 'true';\n attributes['focusable'] = 'false';\n }\n }\n\n return makeInlineSvgAbstract({\n icons: {\n main: asFoundIcon(icon),\n mask: mask ? asFoundIcon(mask.icon) : {\n found: false,\n width: null,\n height: null,\n icon: {}\n }\n },\n prefix: prefix,\n iconName: iconName,\n transform: _objectSpread({}, meaninglessTransform, transform),\n symbol: symbol,\n title: title,\n maskId: maskId,\n titleId: titleId,\n extra: {\n attributes: attributes,\n styles: styles,\n classes: classes\n }\n });\n });\n});\n\nvar text = function text(content) {\n var params = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var _params$transform2 = params.transform,\n transform = _params$transform2 === void 0 ? meaninglessTransform : _params$transform2,\n _params$title2 = params.title,\n title = _params$title2 === void 0 ? null : _params$title2,\n _params$classes2 = params.classes,\n classes = _params$classes2 === void 0 ? [] : _params$classes2,\n _params$attributes2 = params.attributes,\n attributes = _params$attributes2 === void 0 ? {} : _params$attributes2,\n _params$styles2 = params.styles,\n styles = _params$styles2 === void 0 ? {} : _params$styles2;\n return apiObject({\n type: 'text',\n content: content\n }, function () {\n ensureCss();\n return makeLayersTextAbstract({\n content: content,\n transform: _objectSpread({}, meaninglessTransform, transform),\n title: title,\n extra: {\n attributes: attributes,\n styles: styles,\n classes: [\"\".concat(config.familyPrefix, \"-layers-text\")].concat(_toConsumableArray(classes))\n }\n });\n });\n};\n\nvar counter = function counter(content) {\n var params = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var _params$title3 = params.title,\n title = _params$title3 === void 0 ? null : _params$title3,\n _params$classes3 = params.classes,\n classes = _params$classes3 === void 0 ? [] : _params$classes3,\n _params$attributes3 = params.attributes,\n attributes = _params$attributes3 === void 0 ? {} : _params$attributes3,\n _params$styles3 = params.styles,\n styles = _params$styles3 === void 0 ? {} : _params$styles3;\n return apiObject({\n type: 'counter',\n content: content\n }, function () {\n ensureCss();\n return makeLayersCounterAbstract({\n content: content.toString(),\n title: title,\n extra: {\n attributes: attributes,\n styles: styles,\n classes: [\"\".concat(config.familyPrefix, \"-layers-counter\")].concat(_toConsumableArray(classes))\n }\n });\n });\n};\n\nvar layer = function layer(assembler) {\n var params = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var _params$classes4 = params.classes,\n classes = _params$classes4 === void 0 ? [] : _params$classes4;\n return apiObject({\n type: 'layer'\n }, function () {\n ensureCss();\n var children = [];\n assembler(function (args) {\n Array.isArray(args) ? args.map(function (a) {\n children = children.concat(a.abstract);\n }) : children = children.concat(args.abstract);\n });\n return [{\n tag: 'span',\n attributes: {\n class: [\"\".concat(config.familyPrefix, \"-layers\")].concat(_toConsumableArray(classes)).join(' ')\n },\n children: children\n }];\n });\n};\n\nvar api = {\n noAuto: noAuto,\n config: config,\n dom: dom,\n library: library,\n parse: parse,\n findIconDefinition: findIconDefinition,\n icon: icon,\n text: text,\n counter: counter,\n layer: layer,\n toHtml: toHtml\n};\n\nvar autoReplace = function autoReplace() {\n var params = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n var _params$autoReplaceSv = params.autoReplaceSvgRoot,\n autoReplaceSvgRoot = _params$autoReplaceSv === void 0 ? DOCUMENT : _params$autoReplaceSv;\n if ((Object.keys(namespace.styles).length > 0 || config.autoFetchSvg) && IS_DOM && config.autoReplaceSvg) api.dom.i2svg({\n node: autoReplaceSvgRoot\n });\n};\n\nexport { icon, noAuto, config, toHtml, layer, text, counter, library, dom, parse, findIconDefinition };","var global = require('../internals/global');\nvar getOwnPropertyDescriptor = require('../internals/object-get-own-property-descriptor').f;\nvar createNonEnumerableProperty = require('../internals/create-non-enumerable-property');\nvar redefine = require('../internals/redefine');\nvar setGlobal = require('../internals/set-global');\nvar copyConstructorProperties = require('../internals/copy-constructor-properties');\nvar isForced = require('../internals/is-forced');\n\n/*\n options.target - name of the target object\n options.global - target is the global object\n options.stat - export as static methods of target\n options.proto - export as prototype methods of target\n options.real - real prototype method for the `pure` version\n options.forced - export even if the native feature is available\n options.bind - bind methods to the target, required for the `pure` version\n options.wrap - wrap constructors to preventing global pollution, required for the `pure` version\n options.unsafe - use the simple assignment of property instead of delete + defineProperty\n options.sham - add a flag to not completely full polyfills\n options.enumerable - export as enumerable property\n options.noTargetGet - prevent calling a getter on target\n*/\nmodule.exports = function (options, source) {\n var TARGET = options.target;\n var GLOBAL = options.global;\n var STATIC = options.stat;\n var FORCED, target, key, targetProperty, sourceProperty, descriptor;\n if (GLOBAL) {\n target = global;\n } else if (STATIC) {\n target = global[TARGET] || setGlobal(TARGET, {});\n } else {\n target = (global[TARGET] || {}).prototype;\n }\n if (target) for (key in source) {\n sourceProperty = source[key];\n if (options.noTargetGet) {\n descriptor = getOwnPropertyDescriptor(target, key);\n targetProperty = descriptor && descriptor.value;\n } else targetProperty = target[key];\n FORCED = isForced(GLOBAL ? key : TARGET + (STATIC ? '.' : '#') + key, options.forced);\n // contained in target\n if (!FORCED && targetProperty !== undefined) {\n if (typeof sourceProperty === typeof targetProperty) continue;\n copyConstructorProperties(sourceProperty, targetProperty);\n }\n // add a flag to not completely full polyfills\n if (options.sham || (targetProperty && targetProperty.sham)) {\n createNonEnumerableProperty(sourceProperty, 'sham', true);\n }\n // extend global\n redefine(target, key, sourceProperty, options);\n }\n};\n","// toObject with fallback for non-array-like ES3 strings\nvar IndexedObject = require('../internals/indexed-object');\nvar requireObjectCoercible = require('../internals/require-object-coercible');\n\nmodule.exports = function (it) {\n return IndexedObject(requireObjectCoercible(it));\n};\n","var toString = {}.toString;\n\nmodule.exports = function (it) {\n return toString.call(it).slice(8, -1);\n};\n","// `RequireObjectCoercible` abstract operation\n// https://tc39.es/ecma262/#sec-requireobjectcoercible\nmodule.exports = function (it) {\n if (it == undefined) throw TypeError(\"Can't call method on \" + it);\n return it;\n};\n","module.exports = false;\n","var path = require('../internals/path');\nvar global = require('../internals/global');\n\nvar aFunction = function (variable) {\n return typeof variable == 'function' ? variable : undefined;\n};\n\nmodule.exports = function (namespace, method) {\n return arguments.length < 2 ? aFunction(path[namespace]) || aFunction(global[namespace])\n : path[namespace] && path[namespace][method] || global[namespace] && global[namespace][method];\n};\n","var ceil = Math.ceil;\nvar floor = Math.floor;\n\n// `ToInteger` abstract operation\n// https://tc39.es/ecma262/#sec-tointeger\nmodule.exports = function (argument) {\n return isNaN(argument = +argument) ? 0 : (argument > 0 ? floor : ceil)(argument);\n};\n","var requireObjectCoercible = require('../internals/require-object-coercible');\n\n// `ToObject` abstract operation\n// https://tc39.es/ecma262/#sec-toobject\nmodule.exports = function (argument) {\n return Object(requireObjectCoercible(argument));\n};\n","var defineProperty = require('../internals/object-define-property').f;\nvar has = require('../internals/has');\nvar wellKnownSymbol = require('../internals/well-known-symbol');\n\nvar TO_STRING_TAG = wellKnownSymbol('toStringTag');\n\nmodule.exports = function (it, TAG, STATIC) {\n if (it && !has(it = STATIC ? it : it.prototype, TO_STRING_TAG)) {\n defineProperty(it, TO_STRING_TAG, { configurable: true, value: TAG });\n }\n};\n","\"use strict\";\n\nfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\nfunction _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if (\"value\" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } }\n\nfunction _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, \"prototype\", { writable: false }); return Constructor; }\n\nrequire(\"core-js/modules/web.dom-collections.iterator\");\n\nrequire(\"core-js/modules/web.url\");\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\nexports.default = void 0;\n\nvar _path = _interopRequireDefault(require(\"./path\"));\n\nvar _pathWebpack = _interopRequireDefault(require(\"path-webpack\"));\n\nfunction _interopRequireDefault(obj) {\n return obj && obj.__esModule ? obj : {\n default: obj\n };\n}\n/**\n * creates a Url object for parsing and manipulation of a url string\n * @param\t{string} urlString\ta url string (relative or absolute)\n * @param\t{string} [baseString] optional base for the url,\n * default to window.location.href\n */\n\n\nvar Url = /*#__PURE__*/function () {\n function Url(urlString, baseString) {\n _classCallCheck(this, Url);\n\n var absolute = urlString.indexOf(\"://\") > -1;\n var pathname = urlString;\n var basePath;\n this.Url = undefined;\n this.href = urlString;\n this.protocol = \"\";\n this.origin = \"\";\n this.hash = \"\";\n this.hash = \"\";\n this.search = \"\";\n this.base = baseString;\n\n if (!absolute && baseString !== false && typeof baseString !== \"string\" && window && window.location) {\n this.base = window.location.href;\n } // URL Polyfill doesn't throw an error if base is empty\n\n\n if (absolute || this.base) {\n try {\n if (this.base) {\n // Safari doesn't like an undefined base\n this.Url = new URL(urlString, this.base);\n } else {\n this.Url = new URL(urlString);\n }\n\n this.href = this.Url.href;\n this.protocol = this.Url.protocol;\n this.origin = this.Url.origin;\n this.hash = this.Url.hash;\n this.search = this.Url.search;\n pathname = this.Url.pathname + (this.Url.search ? this.Url.search : '');\n } catch (e) {\n // Skip URL parsing\n this.Url = undefined; // resolve the pathname from the base\n\n if (this.base) {\n basePath = new _path.default(this.base);\n pathname = basePath.resolve(pathname);\n }\n }\n }\n\n this.Path = new _path.default(pathname);\n this.directory = this.Path.directory;\n this.filename = this.Path.filename;\n this.extension = this.Path.extension;\n }\n /**\n * @returns {Path}\n */\n\n\n _createClass(Url, [{\n key: \"path\",\n value: function path() {\n return this.Path;\n }\n /**\n * Resolves a relative path to a absolute url\n * @param {string} what\n * @returns {string} url\n */\n\n }, {\n key: \"resolve\",\n value: function resolve(what) {\n var isAbsolute = what.indexOf(\"://\") > -1;\n var fullpath;\n\n if (isAbsolute) {\n return what;\n }\n\n fullpath = _pathWebpack.default.resolve(this.directory, what);\n return this.origin + fullpath;\n }\n /**\n * Resolve a path relative to the url\n * @param {string} what\n * @returns {string} path\n */\n\n }, {\n key: \"relative\",\n value: function relative(what) {\n return _pathWebpack.default.relative(what, this.directory);\n }\n /**\n * @returns {string}\n */\n\n }, {\n key: \"toString\",\n value: function toString() {\n return this.href;\n }\n }]);\n\n return Url;\n}();\n\nvar _default = Url;\nexports.default = _default;","'use strict';\n\nfunction _typeof(obj) { \"@babel/helpers - typeof\"; return _typeof = \"function\" == typeof Symbol && \"symbol\" == typeof Symbol.iterator ? function (obj) { return typeof obj; } : function (obj) { return obj && \"function\" == typeof Symbol && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj; }, _typeof(obj); }\n\nif (!process) {\n var process = {\n \"cwd\": function cwd() {\n return '/';\n }\n };\n}\n\nfunction assertPath(path) {\n if (typeof path !== 'string') {\n throw new TypeError('Path must be a string. Received ' + path);\n }\n} // Resolves . and .. elements in a path with directory names\n\n\nfunction normalizeStringPosix(path, allowAboveRoot) {\n var res = '';\n var lastSlash = -1;\n var dots = 0;\n var code;\n\n for (var i = 0; i <= path.length; ++i) {\n if (i < path.length) code = path.charCodeAt(i);else if (code === 47\n /*/*/\n ) break;else code = 47\n /*/*/\n ;\n\n if (code === 47\n /*/*/\n ) {\n if (lastSlash === i - 1 || dots === 1) {// NOOP\n } else if (lastSlash !== i - 1 && dots === 2) {\n if (res.length < 2 || res.charCodeAt(res.length - 1) !== 46\n /*.*/\n || res.charCodeAt(res.length - 2) !== 46\n /*.*/\n ) {\n if (res.length > 2) {\n var start = res.length - 1;\n var j = start;\n\n for (; j >= 0; --j) {\n if (res.charCodeAt(j) === 47\n /*/*/\n ) break;\n }\n\n if (j !== start) {\n if (j === -1) res = '';else res = res.slice(0, j);\n lastSlash = i;\n dots = 0;\n continue;\n }\n } else if (res.length === 2 || res.length === 1) {\n res = '';\n lastSlash = i;\n dots = 0;\n continue;\n }\n }\n\n if (allowAboveRoot) {\n if (res.length > 0) res += '/..';else res = '..';\n }\n } else {\n if (res.length > 0) res += '/' + path.slice(lastSlash + 1, i);else res = path.slice(lastSlash + 1, i);\n }\n\n lastSlash = i;\n dots = 0;\n } else if (code === 46\n /*.*/\n && dots !== -1) {\n ++dots;\n } else {\n dots = -1;\n }\n }\n\n return res;\n}\n\nfunction _format(sep, pathObject) {\n var dir = pathObject.dir || pathObject.root;\n var base = pathObject.base || (pathObject.name || '') + (pathObject.ext || '');\n\n if (!dir) {\n return base;\n }\n\n if (dir === pathObject.root) {\n return dir + base;\n }\n\n return dir + sep + base;\n}\n\nvar posix = {\n // path.resolve([from ...], to)\n resolve: function resolve() {\n var resolvedPath = '';\n var resolvedAbsolute = false;\n var cwd;\n\n for (var i = arguments.length - 1; i >= -1 && !resolvedAbsolute; i--) {\n var path;\n if (i >= 0) path = arguments[i];else {\n if (cwd === undefined) cwd = process.cwd();\n path = cwd;\n }\n assertPath(path); // Skip empty entries\n\n if (path.length === 0) {\n continue;\n }\n\n resolvedPath = path + '/' + resolvedPath;\n resolvedAbsolute = path.charCodeAt(0) === 47\n /*/*/\n ;\n } // At this point the path should be resolved to a full absolute path, but\n // handle relative paths to be safe (might happen when process.cwd() fails)\n // Normalize the path\n\n\n resolvedPath = normalizeStringPosix(resolvedPath, !resolvedAbsolute);\n\n if (resolvedAbsolute) {\n if (resolvedPath.length > 0) return '/' + resolvedPath;else return '/';\n } else if (resolvedPath.length > 0) {\n return resolvedPath;\n } else {\n return '.';\n }\n },\n normalize: function normalize(path) {\n assertPath(path);\n if (path.length === 0) return '.';\n var isAbsolute = path.charCodeAt(0) === 47\n /*/*/\n ;\n var trailingSeparator = path.charCodeAt(path.length - 1) === 47\n /*/*/\n ; // Normalize the path\n\n path = normalizeStringPosix(path, !isAbsolute);\n if (path.length === 0 && !isAbsolute) path = '.';\n if (path.length > 0 && trailingSeparator) path += '/';\n if (isAbsolute) return '/' + path;\n return path;\n },\n isAbsolute: function isAbsolute(path) {\n assertPath(path);\n return path.length > 0 && path.charCodeAt(0) === 47\n /*/*/\n ;\n },\n join: function join() {\n if (arguments.length === 0) return '.';\n var joined;\n\n for (var i = 0; i < arguments.length; ++i) {\n var arg = arguments[i];\n assertPath(arg);\n\n if (arg.length > 0) {\n if (joined === undefined) joined = arg;else joined += '/' + arg;\n }\n }\n\n if (joined === undefined) return '.';\n return posix.normalize(joined);\n },\n relative: function relative(from, to) {\n assertPath(from);\n assertPath(to);\n if (from === to) return '';\n from = posix.resolve(from);\n to = posix.resolve(to);\n if (from === to) return ''; // Trim any leading backslashes\n\n var fromStart = 1;\n\n for (; fromStart < from.length; ++fromStart) {\n if (from.charCodeAt(fromStart) !== 47\n /*/*/\n ) break;\n }\n\n var fromEnd = from.length;\n var fromLen = fromEnd - fromStart; // Trim any leading backslashes\n\n var toStart = 1;\n\n for (; toStart < to.length; ++toStart) {\n if (to.charCodeAt(toStart) !== 47\n /*/*/\n ) break;\n }\n\n var toEnd = to.length;\n var toLen = toEnd - toStart; // Compare paths to find the longest common path from root\n\n var length = fromLen < toLen ? fromLen : toLen;\n var lastCommonSep = -1;\n var i = 0;\n\n for (; i <= length; ++i) {\n if (i === length) {\n if (toLen > length) {\n if (to.charCodeAt(toStart + i) === 47\n /*/*/\n ) {\n // We get here if `from` is the exact base path for `to`.\n // For example: from='/foo/bar'; to='/foo/bar/baz'\n return to.slice(toStart + i + 1);\n } else if (i === 0) {\n // We get here if `from` is the root\n // For example: from='/'; to='/foo'\n return to.slice(toStart + i);\n }\n } else if (fromLen > length) {\n if (from.charCodeAt(fromStart + i) === 47\n /*/*/\n ) {\n // We get here if `to` is the exact base path for `from`.\n // For example: from='/foo/bar/baz'; to='/foo/bar'\n lastCommonSep = i;\n } else if (i === 0) {\n // We get here if `to` is the root.\n // For example: from='/foo'; to='/'\n lastCommonSep = 0;\n }\n }\n\n break;\n }\n\n var fromCode = from.charCodeAt(fromStart + i);\n var toCode = to.charCodeAt(toStart + i);\n if (fromCode !== toCode) break;else if (fromCode === 47\n /*/*/\n ) lastCommonSep = i;\n }\n\n var out = ''; // Generate the relative path based on the path difference between `to`\n // and `from`\n\n for (i = fromStart + lastCommonSep + 1; i <= fromEnd; ++i) {\n if (i === fromEnd || from.charCodeAt(i) === 47\n /*/*/\n ) {\n if (out.length === 0) out += '..';else out += '/..';\n }\n } // Lastly, append the rest of the destination (`to`) path that comes after\n // the common path parts\n\n\n if (out.length > 0) return out + to.slice(toStart + lastCommonSep);else {\n toStart += lastCommonSep;\n if (to.charCodeAt(toStart) === 47\n /*/*/\n ) ++toStart;\n return to.slice(toStart);\n }\n },\n _makeLong: function _makeLong(path) {\n return path;\n },\n dirname: function dirname(path) {\n assertPath(path);\n if (path.length === 0) return '.';\n var code = path.charCodeAt(0);\n var hasRoot = code === 47\n /*/*/\n ;\n var end = -1;\n var matchedSlash = true;\n\n for (var i = path.length - 1; i >= 1; --i) {\n code = path.charCodeAt(i);\n\n if (code === 47\n /*/*/\n ) {\n if (!matchedSlash) {\n end = i;\n break;\n }\n } else {\n // We saw the first non-path separator\n matchedSlash = false;\n }\n }\n\n if (end === -1) return hasRoot ? '/' : '.';\n if (hasRoot && end === 1) return '//';\n return path.slice(0, end);\n },\n basename: function basename(path, ext) {\n if (ext !== undefined && typeof ext !== 'string') throw new TypeError('\"ext\" argument must be a string');\n assertPath(path);\n var start = 0;\n var end = -1;\n var matchedSlash = true;\n var i;\n\n if (ext !== undefined && ext.length > 0 && ext.length <= path.length) {\n if (ext.length === path.length && ext === path) return '';\n var extIdx = ext.length - 1;\n var firstNonSlashEnd = -1;\n\n for (i = path.length - 1; i >= 0; --i) {\n var code = path.charCodeAt(i);\n\n if (code === 47\n /*/*/\n ) {\n // If we reached a path separator that was not part of a set of path\n // separators at the end of the string, stop now\n if (!matchedSlash) {\n start = i + 1;\n break;\n }\n } else {\n if (firstNonSlashEnd === -1) {\n // We saw the first non-path separator, remember this index in case\n // we need it if the extension ends up not matching\n matchedSlash = false;\n firstNonSlashEnd = i + 1;\n }\n\n if (extIdx >= 0) {\n // Try to match the explicit extension\n if (code === ext.charCodeAt(extIdx)) {\n if (--extIdx === -1) {\n // We matched the extension, so mark this as the end of our path\n // component\n end = i;\n }\n } else {\n // Extension does not match, so our result is the entire path\n // component\n extIdx = -1;\n end = firstNonSlashEnd;\n }\n }\n }\n }\n\n if (start === end) end = firstNonSlashEnd;else if (end === -1) end = path.length;\n return path.slice(start, end);\n } else {\n for (i = path.length - 1; i >= 0; --i) {\n if (path.charCodeAt(i) === 47\n /*/*/\n ) {\n // If we reached a path separator that was not part of a set of path\n // separators at the end of the string, stop now\n if (!matchedSlash) {\n start = i + 1;\n break;\n }\n } else if (end === -1) {\n // We saw the first non-path separator, mark this as the end of our\n // path component\n matchedSlash = false;\n end = i + 1;\n }\n }\n\n if (end === -1) return '';\n return path.slice(start, end);\n }\n },\n extname: function extname(path) {\n assertPath(path);\n var startDot = -1;\n var startPart = 0;\n var end = -1;\n var matchedSlash = true; // Track the state of characters (if any) we see before our first dot and\n // after any path separator we find\n\n var preDotState = 0;\n\n for (var i = path.length - 1; i >= 0; --i) {\n var code = path.charCodeAt(i);\n\n if (code === 47\n /*/*/\n ) {\n // If we reached a path separator that was not part of a set of path\n // separators at the end of the string, stop now\n if (!matchedSlash) {\n startPart = i + 1;\n break;\n }\n\n continue;\n }\n\n if (end === -1) {\n // We saw the first non-path separator, mark this as the end of our\n // extension\n matchedSlash = false;\n end = i + 1;\n }\n\n if (code === 46\n /*.*/\n ) {\n // If this is our first dot, mark it as the start of our extension\n if (startDot === -1) startDot = i;else if (preDotState !== 1) preDotState = 1;\n } else if (startDot !== -1) {\n // We saw a non-dot and non-path separator before our dot, so we should\n // have a good chance at having a non-empty extension\n preDotState = -1;\n }\n }\n\n if (startDot === -1 || end === -1 || // We saw a non-dot character immediately before the dot\n preDotState === 0 || // The (right-most) trimmed path component is exactly '..'\n preDotState === 1 && startDot === end - 1 && startDot === startPart + 1) {\n return '';\n }\n\n return path.slice(startDot, end);\n },\n format: function format(pathObject) {\n if (pathObject === null || _typeof(pathObject) !== 'object') {\n throw new TypeError('Parameter \"pathObject\" must be an object, not ' + _typeof(pathObject));\n }\n\n return _format('/', pathObject);\n },\n parse: function parse(path) {\n assertPath(path);\n var ret = {\n root: '',\n dir: '',\n base: '',\n ext: '',\n name: ''\n };\n if (path.length === 0) return ret;\n var code = path.charCodeAt(0);\n var isAbsolute = code === 47\n /*/*/\n ;\n var start;\n\n if (isAbsolute) {\n ret.root = '/';\n start = 1;\n } else {\n start = 0;\n }\n\n var startDot = -1;\n var startPart = 0;\n var end = -1;\n var matchedSlash = true;\n var i = path.length - 1; // Track the state of characters (if any) we see before our first dot and\n // after any path separator we find\n\n var preDotState = 0; // Get non-dir info\n\n for (; i >= start; --i) {\n code = path.charCodeAt(i);\n\n if (code === 47\n /*/*/\n ) {\n // If we reached a path separator that was not part of a set of path\n // separators at the end of the string, stop now\n if (!matchedSlash) {\n startPart = i + 1;\n break;\n }\n\n continue;\n }\n\n if (end === -1) {\n // We saw the first non-path separator, mark this as the end of our\n // extension\n matchedSlash = false;\n end = i + 1;\n }\n\n if (code === 46\n /*.*/\n ) {\n // If this is our first dot, mark it as the start of our extension\n if (startDot === -1) startDot = i;else if (preDotState !== 1) preDotState = 1;\n } else if (startDot !== -1) {\n // We saw a non-dot and non-path separator before our dot, so we should\n // have a good chance at having a non-empty extension\n preDotState = -1;\n }\n }\n\n if (startDot === -1 || end === -1 || // We saw a non-dot character immediately before the dot\n preDotState === 0 || // The (right-most) trimmed path component is exactly '..'\n preDotState === 1 && startDot === end - 1 && startDot === startPart + 1) {\n if (end !== -1) {\n if (startPart === 0 && isAbsolute) ret.base = ret.name = path.slice(1, end);else ret.base = ret.name = path.slice(startPart, end);\n }\n } else {\n if (startPart === 0 && isAbsolute) {\n ret.name = path.slice(1, startDot);\n ret.base = path.slice(1, end);\n } else {\n ret.name = path.slice(startPart, startDot);\n ret.base = path.slice(startPart, end);\n }\n\n ret.ext = path.slice(startDot, end);\n }\n\n if (startPart > 0) ret.dir = path.slice(0, startPart - 1);else if (isAbsolute) ret.dir = '/';\n return ret;\n },\n sep: '/',\n delimiter: ':',\n posix: null\n};\nmodule.exports = posix;","\"use strict\";\n\nrequire(\"core-js/modules/es.string.replace\");\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\nexports.replaceBase = replaceBase;\nexports.replaceCanonical = replaceCanonical;\nexports.replaceMeta = replaceMeta;\nexports.replaceLinks = replaceLinks;\nexports.substitute = substitute;\n\nvar _core = require(\"./core\");\n\nvar _url = _interopRequireDefault(require(\"./url\"));\n\nvar _path = _interopRequireDefault(require(\"./path\"));\n\nfunction _interopRequireDefault(obj) {\n return obj && obj.__esModule ? obj : {\n default: obj\n };\n}\n\nfunction replaceBase(doc, section) {\n var base;\n var head;\n var url = section.url;\n var absolute = url.indexOf(\"://\") > -1;\n\n if (!doc) {\n return;\n }\n\n head = (0, _core.qs)(doc, \"head\");\n base = (0, _core.qs)(head, \"base\");\n\n if (!base) {\n base = doc.createElement(\"base\");\n head.insertBefore(base, head.firstChild);\n } // Fix for Safari crashing if the url doesn't have an origin\n\n\n if (!absolute && window && window.location) {\n url = window.location.origin + url;\n }\n\n base.setAttribute(\"href\", url);\n}\n\nfunction replaceCanonical(doc, section) {\n var head;\n var link;\n var url = section.canonical;\n\n if (!doc) {\n return;\n }\n\n head = (0, _core.qs)(doc, \"head\");\n link = (0, _core.qs)(head, \"link[rel='canonical']\");\n\n if (link) {\n link.setAttribute(\"href\", url);\n } else {\n link = doc.createElement(\"link\");\n link.setAttribute(\"rel\", \"canonical\");\n link.setAttribute(\"href\", url);\n head.appendChild(link);\n }\n}\n\nfunction replaceMeta(doc, section) {\n var head;\n var meta;\n var id = section.idref;\n\n if (!doc) {\n return;\n }\n\n head = (0, _core.qs)(doc, \"head\");\n meta = (0, _core.qs)(head, \"link[property='dc.identifier']\");\n\n if (meta) {\n meta.setAttribute(\"content\", id);\n } else {\n meta = doc.createElement(\"meta\");\n meta.setAttribute(\"name\", \"dc.identifier\");\n meta.setAttribute(\"content\", id);\n head.appendChild(meta);\n }\n} // TODO: move me to Contents\n\n\nfunction replaceLinks(contents, fn) {\n var links = contents.querySelectorAll(\"a[href]\");\n\n if (!links.length) {\n return;\n }\n\n var base = (0, _core.qs)(contents.ownerDocument, \"base\");\n var location = base ? base.getAttribute(\"href\") : undefined;\n\n var replaceLink = function (link) {\n var href = link.getAttribute(\"href\");\n\n if (href.indexOf(\"mailto:\") === 0) {\n return;\n }\n\n var absolute = href.indexOf(\"://\") > -1;\n\n if (absolute) {\n link.setAttribute(\"target\", \"_blank\");\n } else {\n var linkUrl;\n\n try {\n linkUrl = new _url.default(href, location);\n } catch (error) {// NOOP\n }\n\n link.onclick = function () {\n if (linkUrl && linkUrl.hash) {\n fn(linkUrl.Path.path + linkUrl.hash);\n } else if (linkUrl) {\n fn(linkUrl.Path.path);\n } else {\n fn(href);\n }\n\n return false;\n };\n }\n }.bind(this);\n\n for (var i = 0; i < links.length; i++) {\n replaceLink(links[i]);\n }\n}\n\nfunction substitute(content, urls, replacements) {\n urls.forEach(function (url, i) {\n if (url && replacements[i]) {\n // Account for special characters in the file name.\n // See https://stackoverflow.com/a/6318729.\n url = url.replace(/[-[\\]{}()*+?.,\\\\^$|#\\s]/g, \"\\\\$&\");\n content = content.replace(new RegExp(url, \"g\"), replacements[i]);\n }\n });\n return content;\n}","\"use strict\";\n\nrequire(\"core-js/modules/web.dom-collections.iterator\");\n\nrequire(\"core-js/modules/web.url\");\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\nexports.default = void 0;\n\nvar _core = require(\"./core\");\n\nvar _path = _interopRequireDefault(require(\"./path\"));\n\nfunction _interopRequireDefault(obj) {\n return obj && obj.__esModule ? obj : {\n default: obj\n };\n}\n\nfunction request(url, type, withCredentials, headers) {\n var supportsURL = typeof window != \"undefined\" ? window.URL : false; // TODO: fallback for url if window isn't defined\n\n var BLOB_RESPONSE = supportsURL ? \"blob\" : \"arraybuffer\";\n var deferred = new _core.defer();\n var xhr = new XMLHttpRequest(); //-- Check from PDF.js:\n // https://github.com/mozilla/pdf.js/blob/master/web/compatibility.js\n\n var xhrPrototype = XMLHttpRequest.prototype;\n var header;\n\n if (!(\"overrideMimeType\" in xhrPrototype)) {\n // IE10 might have response, but not overrideMimeType\n Object.defineProperty(xhrPrototype, \"overrideMimeType\", {\n value: function xmlHttpRequestOverrideMimeType() {}\n });\n }\n\n if (withCredentials) {\n xhr.withCredentials = true;\n }\n\n xhr.onreadystatechange = handler;\n xhr.onerror = err;\n xhr.open(\"GET\", url, true);\n\n for (header in headers) {\n xhr.setRequestHeader(header, headers[header]);\n }\n\n if (type == \"json\") {\n xhr.setRequestHeader(\"Accept\", \"application/json\");\n } // If type isn\"t set, determine it from the file extension\n\n\n if (!type) {\n type = new _path.default(url).extension;\n }\n\n if (type == \"blob\") {\n xhr.responseType = BLOB_RESPONSE;\n }\n\n if ((0, _core.isXml)(type)) {\n // xhr.responseType = \"document\";\n xhr.overrideMimeType(\"text/xml\"); // for OPF parsing\n }\n\n if (type == \"xhtml\") {// xhr.responseType = \"document\";\n }\n\n if (type == \"html\" || type == \"htm\") {// xhr.responseType = \"document\";\n }\n\n if (type == \"binary\") {\n xhr.responseType = \"arraybuffer\";\n }\n\n xhr.send();\n\n function err(e) {\n deferred.reject(e);\n }\n\n function handler() {\n if (this.readyState === XMLHttpRequest.DONE) {\n var responseXML = false;\n\n if (this.responseType === \"\" || this.responseType === \"document\") {\n responseXML = this.responseXML;\n }\n\n if (this.status === 200 || this.status === 0 || responseXML) {\n //-- Firefox is reporting 0 for blob urls\n var r;\n\n if (!this.response && !responseXML) {\n deferred.reject({\n status: this.status,\n message: \"Empty Response\",\n stack: new Error().stack\n });\n return deferred.promise;\n }\n\n if (this.status === 403) {\n deferred.reject({\n status: this.status,\n response: this.response,\n message: \"Forbidden\",\n stack: new Error().stack\n });\n return deferred.promise;\n }\n\n if (responseXML) {\n r = this.responseXML;\n } else if ((0, _core.isXml)(type)) {\n // xhr.overrideMimeType(\"text/xml\"); // for OPF parsing\n // If this.responseXML wasn't set, try to parse using a DOMParser from text\n r = (0, _core.parse)(this.response, \"text/xml\");\n } else if (type == \"xhtml\") {\n r = (0, _core.parse)(this.response, \"application/xhtml+xml\");\n } else if (type == \"html\" || type == \"htm\") {\n r = (0, _core.parse)(this.response, \"text/html\");\n } else if (type == \"json\") {\n r = JSON.parse(this.response);\n } else if (type == \"blob\") {\n if (supportsURL) {\n r = this.response;\n } else {\n //-- Safari doesn't support responseType blob, so create a blob from arraybuffer\n r = new Blob([this.response]);\n }\n } else {\n r = this.response;\n }\n\n deferred.resolve(r);\n } else {\n deferred.reject({\n status: this.status,\n message: this.response,\n stack: new Error().stack\n });\n }\n }\n }\n\n return deferred.promise;\n}\n\nvar _default = request;\nexports.default = _default;","\"use strict\";\n\nfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\nfunction _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if (\"value\" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } }\n\nfunction _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, \"prototype\", { writable: false }); return Constructor; }\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\nexports.default = void 0;\n\nvar _eventEmitter = _interopRequireDefault(require(\"event-emitter\"));\n\nvar _core = require(\"./utils/core\");\n\nvar _epubcfi = _interopRequireDefault(require(\"./epubcfi\"));\n\nvar _mapping = _interopRequireDefault(require(\"./mapping\"));\n\nvar _replacements = require(\"./utils/replacements\");\n\nvar _constants = require(\"./utils/constants\");\n\nfunction _interopRequireDefault(obj) {\n return obj && obj.__esModule ? obj : {\n default: obj\n };\n}\n\nvar hasNavigator = typeof navigator !== \"undefined\";\nvar isChrome = hasNavigator && /Chrome/.test(navigator.userAgent);\nvar isWebkit = hasNavigator && !isChrome && /AppleWebKit/.test(navigator.userAgent);\nvar ELEMENT_NODE = 1;\nvar TEXT_NODE = 3;\n/**\n\t* Handles DOM manipulation, queries and events for View contents\n\t* @class\n\t* @param {document} doc Document\n\t* @param {element} content Parent Element (typically Body)\n\t* @param {string} cfiBase Section component of CFIs\n\t* @param {number} sectionIndex Index in Spine of Conntent's Section\n\t*/\n\nvar Contents = /*#__PURE__*/function () {\n function Contents(doc, content, cfiBase, sectionIndex) {\n _classCallCheck(this, Contents);\n\n // Blank Cfi for Parsing\n this.epubcfi = new _epubcfi.default();\n this.document = doc;\n this.documentElement = this.document.documentElement;\n this.content = content || this.document.body;\n this.window = this.document.defaultView;\n this._size = {\n width: 0,\n height: 0\n };\n this.sectionIndex = sectionIndex || 0;\n this.cfiBase = cfiBase || \"\";\n this.epubReadingSystem(\"epub.js\", _constants.EPUBJS_VERSION);\n this.called = 0;\n this.active = true;\n this.listeners();\n }\n /**\n \t* Get DOM events that are listened for and passed along\n \t*/\n\n\n _createClass(Contents, [{\n key: \"width\",\n value:\n /**\n \t* Get or Set width\n \t* @param {number} [w]\n \t* @returns {number} width\n \t*/\n function width(w) {\n // var frame = this.documentElement;\n var frame = this.content;\n\n if (w && (0, _core.isNumber)(w)) {\n w = w + \"px\";\n }\n\n if (w) {\n frame.style.width = w; // this.content.style.width = w;\n }\n\n return parseInt(this.window.getComputedStyle(frame)[\"width\"]);\n }\n /**\n \t* Get or Set height\n \t* @param {number} [h]\n \t* @returns {number} height\n \t*/\n\n }, {\n key: \"height\",\n value: function height(h) {\n // var frame = this.documentElement;\n var frame = this.content;\n\n if (h && (0, _core.isNumber)(h)) {\n h = h + \"px\";\n }\n\n if (h) {\n frame.style.height = h; // this.content.style.height = h;\n }\n\n return parseInt(this.window.getComputedStyle(frame)[\"height\"]);\n }\n /**\n \t* Get or Set width of the contents\n \t* @param {number} [w]\n \t* @returns {number} width\n \t*/\n\n }, {\n key: \"contentWidth\",\n value: function contentWidth(w) {\n var content = this.content || this.document.body;\n\n if (w && (0, _core.isNumber)(w)) {\n w = w + \"px\";\n }\n\n if (w) {\n content.style.width = w;\n }\n\n return parseInt(this.window.getComputedStyle(content)[\"width\"]);\n }\n /**\n \t* Get or Set height of the contents\n \t* @param {number} [h]\n \t* @returns {number} height\n \t*/\n\n }, {\n key: \"contentHeight\",\n value: function contentHeight(h) {\n var content = this.content || this.document.body;\n\n if (h && (0, _core.isNumber)(h)) {\n h = h + \"px\";\n }\n\n if (h) {\n content.style.height = h;\n }\n\n return parseInt(this.window.getComputedStyle(content)[\"height\"]);\n }\n /**\n \t* Get the width of the text using Range\n \t* @returns {number} width\n \t*/\n\n }, {\n key: \"textWidth\",\n value: function textWidth() {\n var rect;\n var width;\n var range = this.document.createRange();\n var content = this.content || this.document.body;\n var border = (0, _core.borders)(content); // Select the contents of frame\n\n range.selectNodeContents(content); // get the width of the text content\n\n rect = range.getBoundingClientRect();\n width = rect.width;\n\n if (border && border.width) {\n width += border.width;\n }\n\n return Math.round(width);\n }\n /**\n \t* Get the height of the text using Range\n \t* @returns {number} height\n \t*/\n\n }, {\n key: \"textHeight\",\n value: function textHeight() {\n var rect;\n var height;\n var range = this.document.createRange();\n var content = this.content || this.document.body;\n range.selectNodeContents(content);\n rect = range.getBoundingClientRect();\n height = rect.bottom;\n return Math.round(height);\n }\n /**\n \t* Get documentElement scrollWidth\n \t* @returns {number} width\n \t*/\n\n }, {\n key: \"scrollWidth\",\n value: function scrollWidth() {\n var width = this.documentElement.scrollWidth;\n return width;\n }\n /**\n \t* Get documentElement scrollHeight\n \t* @returns {number} height\n \t*/\n\n }, {\n key: \"scrollHeight\",\n value: function scrollHeight() {\n var height = this.documentElement.scrollHeight;\n return height;\n }\n /**\n \t* Set overflow css style of the contents\n \t* @param {string} [overflow]\n \t*/\n\n }, {\n key: \"overflow\",\n value: function overflow(_overflow) {\n if (_overflow) {\n this.documentElement.style.overflow = _overflow;\n }\n\n return this.window.getComputedStyle(this.documentElement)[\"overflow\"];\n }\n /**\n \t* Set overflowX css style of the documentElement\n \t* @param {string} [overflow]\n \t*/\n\n }, {\n key: \"overflowX\",\n value: function overflowX(overflow) {\n if (overflow) {\n this.documentElement.style.overflowX = overflow;\n }\n\n return this.window.getComputedStyle(this.documentElement)[\"overflowX\"];\n }\n /**\n \t* Set overflowY css style of the documentElement\n \t* @param {string} [overflow]\n \t*/\n\n }, {\n key: \"overflowY\",\n value: function overflowY(overflow) {\n if (overflow) {\n this.documentElement.style.overflowY = overflow;\n }\n\n return this.window.getComputedStyle(this.documentElement)[\"overflowY\"];\n }\n /**\n \t* Set Css styles on the contents element (typically Body)\n \t* @param {string} property\n \t* @param {string} value\n \t* @param {boolean} [priority] set as \"important\"\n \t*/\n\n }, {\n key: \"css\",\n value: function css(property, value, priority) {\n var content = this.content || this.document.body;\n\n if (value) {\n content.style.setProperty(property, value, priority ? \"important\" : \"\");\n } else {\n content.style.removeProperty(property);\n }\n\n return this.window.getComputedStyle(content)[property];\n }\n /**\n \t* Get or Set the viewport element\n \t* @param {object} [options]\n \t* @param {string} [options.width]\n \t* @param {string} [options.height]\n \t* @param {string} [options.scale]\n \t* @param {string} [options.minimum]\n \t* @param {string} [options.maximum]\n \t* @param {string} [options.scalable]\n \t*/\n\n }, {\n key: \"viewport\",\n value: function viewport(options) {\n var _width, _height, _scale, _minimum, _maximum, _scalable; // var width, height, scale, minimum, maximum, scalable;\n\n\n var $viewport = this.document.querySelector(\"meta[name='viewport']\");\n var parsed = {\n \"width\": undefined,\n \"height\": undefined,\n \"scale\": undefined,\n \"minimum\": undefined,\n \"maximum\": undefined,\n \"scalable\": undefined\n };\n var newContent = [];\n var settings = {};\n /*\n * check for the viewport size\n * \n */\n\n if ($viewport && $viewport.hasAttribute(\"content\")) {\n var content = $viewport.getAttribute(\"content\");\n\n var _width2 = content.match(/width\\s*=\\s*([^,]*)/);\n\n var _height2 = content.match(/height\\s*=\\s*([^,]*)/);\n\n var _scale2 = content.match(/initial-scale\\s*=\\s*([^,]*)/);\n\n var _minimum2 = content.match(/minimum-scale\\s*=\\s*([^,]*)/);\n\n var _maximum2 = content.match(/maximum-scale\\s*=\\s*([^,]*)/);\n\n var _scalable2 = content.match(/user-scalable\\s*=\\s*([^,]*)/);\n\n if (_width2 && _width2.length && typeof _width2[1] !== \"undefined\") {\n parsed.width = _width2[1];\n }\n\n if (_height2 && _height2.length && typeof _height2[1] !== \"undefined\") {\n parsed.height = _height2[1];\n }\n\n if (_scale2 && _scale2.length && typeof _scale2[1] !== \"undefined\") {\n parsed.scale = _scale2[1];\n }\n\n if (_minimum2 && _minimum2.length && typeof _minimum2[1] !== \"undefined\") {\n parsed.minimum = _minimum2[1];\n }\n\n if (_maximum2 && _maximum2.length && typeof _maximum2[1] !== \"undefined\") {\n parsed.maximum = _maximum2[1];\n }\n\n if (_scalable2 && _scalable2.length && typeof _scalable2[1] !== \"undefined\") {\n parsed.scalable = _scalable2[1];\n }\n }\n\n settings = (0, _core.defaults)(options || {}, parsed);\n\n if (options) {\n if (settings.width) {\n newContent.push(\"width=\" + settings.width);\n }\n\n if (settings.height) {\n newContent.push(\"height=\" + settings.height);\n }\n\n if (settings.scale) {\n newContent.push(\"initial-scale=\" + settings.scale);\n }\n\n if (settings.scalable === \"no\") {\n newContent.push(\"minimum-scale=\" + settings.scale);\n newContent.push(\"maximum-scale=\" + settings.scale);\n newContent.push(\"user-scalable=\" + settings.scalable);\n } else {\n if (settings.scalable) {\n newContent.push(\"user-scalable=\" + settings.scalable);\n }\n\n if (settings.minimum) {\n newContent.push(\"minimum-scale=\" + settings.minimum);\n }\n\n if (settings.maximum) {\n newContent.push(\"minimum-scale=\" + settings.maximum);\n }\n }\n\n if (!$viewport) {\n $viewport = this.document.createElement(\"meta\");\n $viewport.setAttribute(\"name\", \"viewport\");\n this.document.querySelector(\"head\").appendChild($viewport);\n }\n\n $viewport.setAttribute(\"content\", newContent.join(\", \"));\n this.window.scrollTo(0, 0);\n }\n\n return settings;\n }\n /**\n * Event emitter for when the contents has expanded\n * @private\n */\n\n }, {\n key: \"expand\",\n value: function expand() {\n this.emit(_constants.EVENTS.CONTENTS.EXPAND);\n }\n /**\n * Add DOM listeners\n * @private\n */\n\n }, {\n key: \"listeners\",\n value: function listeners() {\n this.imageLoadListeners();\n this.mediaQueryListeners(); // this.fontLoadListeners();\n\n this.addEventListeners();\n this.addSelectionListeners(); // this.transitionListeners();\n\n if (typeof ResizeObserver === \"undefined\") {\n this.resizeListeners();\n this.visibilityListeners();\n } else {\n this.resizeObservers();\n } // this.mutationObservers();\n\n\n this.linksHandler();\n }\n /**\n * Remove DOM listeners\n * @private\n */\n\n }, {\n key: \"removeListeners\",\n value: function removeListeners() {\n this.removeEventListeners();\n this.removeSelectionListeners();\n\n if (this.observer) {\n this.observer.disconnect();\n }\n\n clearTimeout(this.expanding);\n }\n /**\n * Check if size of contents has changed and\n * emit 'resize' event if it has.\n * @private\n */\n\n }, {\n key: \"resizeCheck\",\n value: function resizeCheck() {\n var width = this.textWidth();\n var height = this.textHeight();\n\n if (width != this._size.width || height != this._size.height) {\n this._size = {\n width: width,\n height: height\n };\n this.onResize && this.onResize(this._size);\n this.emit(_constants.EVENTS.CONTENTS.RESIZE, this._size);\n }\n }\n /**\n * Poll for resize detection\n * @private\n */\n\n }, {\n key: \"resizeListeners\",\n value: function resizeListeners() {\n var width, height; // Test size again\n\n clearTimeout(this.expanding);\n requestAnimationFrame(this.resizeCheck.bind(this));\n this.expanding = setTimeout(this.resizeListeners.bind(this), 350);\n }\n /**\n * Listen for visibility of tab to change\n * @private\n */\n\n }, {\n key: \"visibilityListeners\",\n value: function visibilityListeners() {\n var _this = this;\n\n document.addEventListener(\"visibilitychange\", function () {\n if (document.visibilityState === \"visible\" && _this.active === false) {\n _this.active = true;\n\n _this.resizeListeners();\n } else {\n _this.active = false;\n clearTimeout(_this.expanding);\n }\n });\n }\n /**\n * Use css transitions to detect resize\n * @private\n */\n\n }, {\n key: \"transitionListeners\",\n value: function transitionListeners() {\n var body = this.content;\n body.style['transitionProperty'] = \"font, font-size, font-size-adjust, font-stretch, font-variation-settings, font-weight, width, height\";\n body.style['transitionDuration'] = \"0.001ms\";\n body.style['transitionTimingFunction'] = \"linear\";\n body.style['transitionDelay'] = \"0\";\n this._resizeCheck = this.resizeCheck.bind(this);\n this.document.addEventListener('transitionend', this._resizeCheck);\n }\n /**\n * Listen for media query changes and emit 'expand' event\n * Adapted from: https://github.com/tylergaw/media-query-events/blob/master/js/mq-events.js\n * @private\n */\n\n }, {\n key: \"mediaQueryListeners\",\n value: function mediaQueryListeners() {\n var sheets = this.document.styleSheets;\n\n var mediaChangeHandler = function (m) {\n if (m.matches && !this._expanding) {\n setTimeout(this.expand.bind(this), 1);\n }\n }.bind(this);\n\n for (var i = 0; i < sheets.length; i += 1) {\n var rules; // Firefox errors if we access cssRules cross-domain\n\n try {\n rules = sheets[i].cssRules;\n } catch (e) {\n return;\n }\n\n if (!rules) return; // Stylesheets changed\n\n for (var j = 0; j < rules.length; j += 1) {\n //if (rules[j].constructor === CSSMediaRule) {\n if (rules[j].media) {\n var mql = this.window.matchMedia(rules[j].media.mediaText);\n mql.addListener(mediaChangeHandler); //mql.onchange = mediaChangeHandler;\n }\n }\n }\n }\n /**\n * Use ResizeObserver to listen for changes in the DOM and check for resize\n * @private\n */\n\n }, {\n key: \"resizeObservers\",\n value: function resizeObservers() {\n var _this2 = this;\n\n // create an observer instance\n this.observer = new ResizeObserver(function (e) {\n requestAnimationFrame(_this2.resizeCheck.bind(_this2));\n }); // pass in the target node\n\n this.observer.observe(this.document.documentElement);\n }\n /**\n * Use MutationObserver to listen for changes in the DOM and check for resize\n * @private\n */\n\n }, {\n key: \"mutationObservers\",\n value: function mutationObservers() {\n var _this3 = this;\n\n // create an observer instance\n this.observer = new MutationObserver(function (mutations) {\n _this3.resizeCheck();\n }); // configuration of the observer:\n\n var config = {\n attributes: true,\n childList: true,\n characterData: true,\n subtree: true\n }; // pass in the target node, as well as the observer options\n\n this.observer.observe(this.document, config);\n }\n /**\n * Test if images are loaded or add listener for when they load\n * @private\n */\n\n }, {\n key: \"imageLoadListeners\",\n value: function imageLoadListeners() {\n var images = this.document.querySelectorAll(\"img\");\n var img;\n\n for (var i = 0; i < images.length; i++) {\n img = images[i];\n\n if (typeof img.naturalWidth !== \"undefined\" && img.naturalWidth === 0) {\n img.onload = this.expand.bind(this);\n }\n }\n }\n /**\n * Listen for font load and check for resize when loaded\n * @private\n */\n\n }, {\n key: \"fontLoadListeners\",\n value: function fontLoadListeners() {\n if (!this.document || !this.document.fonts) {\n return;\n }\n\n this.document.fonts.ready.then(function () {\n this.resizeCheck();\n }.bind(this));\n }\n /**\n * Get the documentElement\n * @returns {element} documentElement\n */\n\n }, {\n key: \"root\",\n value: function root() {\n if (!this.document) return null;\n return this.document.documentElement;\n }\n /**\n * Get the location offset of a EpubCFI or an #id\n * @param {string | EpubCFI} target\n * @param {string} [ignoreClass] for the cfi\n * @returns { {left: Number, top: Number }\n */\n\n }, {\n key: \"locationOf\",\n value: function locationOf(target, ignoreClass) {\n var position;\n var targetPos = {\n \"left\": 0,\n \"top\": 0\n };\n if (!this.document) return targetPos;\n\n if (this.epubcfi.isCfiString(target)) {\n var range = new _epubcfi.default(target).toRange(this.document, ignoreClass);\n\n if (range) {\n try {\n if (!range.endContainer || range.startContainer == range.endContainer && range.startOffset == range.endOffset) {\n // If the end for the range is not set, it results in collapsed becoming\n // true. This in turn leads to inconsistent behaviour when calling\n // getBoundingRect. Wrong bounds lead to the wrong page being displayed.\n // https://developer.microsoft.com/en-us/microsoft-edge/platform/issues/15684911/\n var pos = range.startContainer.textContent.indexOf(\" \", range.startOffset);\n\n if (pos == -1) {\n pos = range.startContainer.textContent.length;\n }\n\n range.setEnd(range.startContainer, pos);\n }\n } catch (e) {\n console.error(\"setting end offset to start container length failed\", e);\n }\n\n if (range.startContainer.nodeType === Node.ELEMENT_NODE) {\n position = range.startContainer.getBoundingClientRect();\n targetPos.left = position.left;\n targetPos.top = position.top;\n } else {\n // Webkit does not handle collapsed range bounds correctly\n // https://bugs.webkit.org/show_bug.cgi?id=138949\n // Construct a new non-collapsed range\n if (isWebkit) {\n var container = range.startContainer;\n var newRange = new Range();\n\n try {\n if (container.nodeType === ELEMENT_NODE) {\n position = container.getBoundingClientRect();\n } else if (range.startOffset + 2 < container.length) {\n newRange.setStart(container, range.startOffset);\n newRange.setEnd(container, range.startOffset + 2);\n position = newRange.getBoundingClientRect();\n } else if (range.startOffset - 2 > 0) {\n newRange.setStart(container, range.startOffset - 2);\n newRange.setEnd(container, range.startOffset);\n position = newRange.getBoundingClientRect();\n } else {\n // empty, return the parent element\n position = container.parentNode.getBoundingClientRect();\n }\n } catch (e) {\n console.error(e, e.stack);\n }\n } else {\n position = range.getBoundingClientRect();\n }\n }\n }\n } else if (typeof target === \"string\" && target.indexOf(\"#\") > -1) {\n var id = target.substring(target.indexOf(\"#\") + 1);\n var el = this.document.getElementById(id);\n\n if (el) {\n if (isWebkit) {\n // Webkit reports incorrect bounding rects in Columns\n var _newRange = new Range();\n\n _newRange.selectNode(el);\n\n position = _newRange.getBoundingClientRect();\n } else {\n position = el.getBoundingClientRect();\n }\n }\n }\n\n if (position) {\n targetPos.left = position.left;\n targetPos.top = position.top;\n }\n\n return targetPos;\n }\n /**\n * Append a stylesheet link to the document head\n * @param {string} src url\n */\n\n }, {\n key: \"addStylesheet\",\n value: function addStylesheet(src) {\n return new Promise(function (resolve, reject) {\n var $stylesheet;\n var ready = false;\n\n if (!this.document) {\n resolve(false);\n return;\n } // Check if link already exists\n\n\n $stylesheet = this.document.querySelector(\"link[href='\" + src + \"']\");\n\n if ($stylesheet) {\n resolve(true);\n return; // already present\n }\n\n $stylesheet = this.document.createElement(\"link\");\n $stylesheet.type = \"text/css\";\n $stylesheet.rel = \"stylesheet\";\n $stylesheet.href = src;\n\n $stylesheet.onload = $stylesheet.onreadystatechange = function () {\n if (!ready && (!this.readyState || this.readyState == \"complete\")) {\n ready = true; // Let apply\n\n setTimeout(function () {\n resolve(true);\n }, 1);\n }\n };\n\n this.document.head.appendChild($stylesheet);\n }.bind(this));\n }\n }, {\n key: \"_getStylesheetNode\",\n value: function _getStylesheetNode(key) {\n var styleEl;\n key = \"epubjs-inserted-css-\" + (key || '');\n if (!this.document) return false; // Check if link already exists\n\n styleEl = this.document.getElementById(key);\n\n if (!styleEl) {\n styleEl = this.document.createElement(\"style\");\n styleEl.id = key; // Append style element to head\n\n this.document.head.appendChild(styleEl);\n }\n\n return styleEl;\n }\n /**\n * Append stylesheet css\n * @param {string} serializedCss\n * @param {string} key If the key is the same, the CSS will be replaced instead of inserted\n */\n\n }, {\n key: \"addStylesheetCss\",\n value: function addStylesheetCss(serializedCss, key) {\n if (!this.document || !serializedCss) return false;\n var styleEl;\n styleEl = this._getStylesheetNode(key);\n styleEl.innerHTML = serializedCss;\n return true;\n }\n /**\n * Append stylesheet rules to a generate stylesheet\n * Array: https://developer.mozilla.org/en-US/docs/Web/API/CSSStyleSheet/insertRule\n * Object: https://github.com/desirable-objects/json-to-css\n * @param {array | object} rules\n * @param {string} key If the key is the same, the CSS will be replaced instead of inserted\n */\n\n }, {\n key: \"addStylesheetRules\",\n value: function addStylesheetRules(rules, key) {\n var styleSheet;\n if (!this.document || !rules || rules.length === 0) return; // Grab style sheet\n\n styleSheet = this._getStylesheetNode(key).sheet;\n\n if (Object.prototype.toString.call(rules) === \"[object Array]\") {\n for (var i = 0, rl = rules.length; i < rl; i++) {\n var j = 1,\n rule = rules[i],\n selector = rules[i][0],\n propStr = \"\"; // If the second argument of a rule is an array of arrays, correct our variables.\n\n if (Object.prototype.toString.call(rule[1][0]) === \"[object Array]\") {\n rule = rule[1];\n j = 0;\n }\n\n for (var pl = rule.length; j < pl; j++) {\n var prop = rule[j];\n propStr += prop[0] + \":\" + prop[1] + (prop[2] ? \" !important\" : \"\") + \";\\n\";\n } // Insert CSS Rule\n\n\n styleSheet.insertRule(selector + \"{\" + propStr + \"}\", styleSheet.cssRules.length);\n }\n } else {\n var selectors = Object.keys(rules);\n selectors.forEach(function (selector) {\n var definition = rules[selector];\n\n if (Array.isArray(definition)) {\n definition.forEach(function (item) {\n var _rules = Object.keys(item);\n\n var result = _rules.map(function (rule) {\n return \"\".concat(rule, \":\").concat(item[rule]);\n }).join(';');\n\n styleSheet.insertRule(\"\".concat(selector, \"{\").concat(result, \"}\"), styleSheet.cssRules.length);\n });\n } else {\n var _rules = Object.keys(definition);\n\n var result = _rules.map(function (rule) {\n return \"\".concat(rule, \":\").concat(definition[rule]);\n }).join(';');\n\n styleSheet.insertRule(\"\".concat(selector, \"{\").concat(result, \"}\"), styleSheet.cssRules.length);\n }\n });\n }\n }\n /**\n * Append a script tag to the document head\n * @param {string} src url\n * @returns {Promise} loaded\n */\n\n }, {\n key: \"addScript\",\n value: function addScript(src) {\n return new Promise(function (resolve, reject) {\n var $script;\n var ready = false;\n\n if (!this.document) {\n resolve(false);\n return;\n }\n\n $script = this.document.createElement(\"script\");\n $script.type = \"text/javascript\";\n $script.async = true;\n $script.src = src;\n\n $script.onload = $script.onreadystatechange = function () {\n if (!ready && (!this.readyState || this.readyState == \"complete\")) {\n ready = true;\n setTimeout(function () {\n resolve(true);\n }, 1);\n }\n };\n\n this.document.head.appendChild($script);\n }.bind(this));\n }\n /**\n * Add a class to the contents container\n * @param {string} className\n */\n\n }, {\n key: \"addClass\",\n value: function addClass(className) {\n var content;\n if (!this.document) return;\n content = this.content || this.document.body;\n\n if (content) {\n content.classList.add(className);\n }\n }\n /**\n * Remove a class from the contents container\n * @param {string} removeClass\n */\n\n }, {\n key: \"removeClass\",\n value: function removeClass(className) {\n var content;\n if (!this.document) return;\n content = this.content || this.document.body;\n\n if (content) {\n content.classList.remove(className);\n }\n }\n /**\n * Add DOM event listeners\n * @private\n */\n\n }, {\n key: \"addEventListeners\",\n value: function addEventListeners() {\n if (!this.document) {\n return;\n }\n\n this._triggerEvent = this.triggerEvent.bind(this);\n\n _constants.DOM_EVENTS.forEach(function (eventName) {\n this.document.addEventListener(eventName, this._triggerEvent, {\n passive: true\n });\n }, this);\n }\n /**\n * Remove DOM event listeners\n * @private\n */\n\n }, {\n key: \"removeEventListeners\",\n value: function removeEventListeners() {\n if (!this.document) {\n return;\n }\n\n _constants.DOM_EVENTS.forEach(function (eventName) {\n this.document.removeEventListener(eventName, this._triggerEvent, {\n passive: true\n });\n }, this);\n\n this._triggerEvent = undefined;\n }\n /**\n * Emit passed browser events\n * @private\n */\n\n }, {\n key: \"triggerEvent\",\n value: function triggerEvent(e) {\n this.emit(e.type, e);\n }\n /**\n * Add listener for text selection\n * @private\n */\n\n }, {\n key: \"addSelectionListeners\",\n value: function addSelectionListeners() {\n if (!this.document) {\n return;\n }\n\n this._onSelectionChange = this.onSelectionChange.bind(this);\n this.document.addEventListener(\"selectionchange\", this._onSelectionChange, {\n passive: true\n });\n }\n /**\n * Remove listener for text selection\n * @private\n */\n\n }, {\n key: \"removeSelectionListeners\",\n value: function removeSelectionListeners() {\n if (!this.document) {\n return;\n }\n\n this.document.removeEventListener(\"selectionchange\", this._onSelectionChange, {\n passive: true\n });\n this._onSelectionChange = undefined;\n }\n /**\n * Handle getting text on selection\n * @private\n */\n\n }, {\n key: \"onSelectionChange\",\n value: function onSelectionChange(e) {\n if (this.selectionEndTimeout) {\n clearTimeout(this.selectionEndTimeout);\n }\n\n this.selectionEndTimeout = setTimeout(function () {\n var selection = this.window.getSelection();\n this.triggerSelectedEvent(selection);\n }.bind(this), 250);\n }\n /**\n * Emit event on text selection\n * @private\n */\n\n }, {\n key: \"triggerSelectedEvent\",\n value: function triggerSelectedEvent(selection) {\n var range, cfirange;\n\n if (selection && selection.rangeCount > 0) {\n range = selection.getRangeAt(0);\n\n if (!range.collapsed) {\n // cfirange = this.section.cfiFromRange(range);\n cfirange = new _epubcfi.default(range, this.cfiBase).toString();\n this.emit(_constants.EVENTS.CONTENTS.SELECTED, cfirange);\n this.emit(_constants.EVENTS.CONTENTS.SELECTED_RANGE, range);\n }\n }\n }\n /**\n * Get a Dom Range from EpubCFI\n * @param {EpubCFI} _cfi\n * @param {string} [ignoreClass]\n * @returns {Range} range\n */\n\n }, {\n key: \"range\",\n value: function range(_cfi, ignoreClass) {\n var cfi = new _epubcfi.default(_cfi);\n return cfi.toRange(this.document, ignoreClass);\n }\n /**\n * Get an EpubCFI from a Dom Range\n * @param {Range} range\n * @param {string} [ignoreClass]\n * @returns {EpubCFI} cfi\n */\n\n }, {\n key: \"cfiFromRange\",\n value: function cfiFromRange(range, ignoreClass) {\n return new _epubcfi.default(range, this.cfiBase, ignoreClass).toString();\n }\n /**\n * Get an EpubCFI from a Dom node\n * @param {node} node\n * @param {string} [ignoreClass]\n * @returns {EpubCFI} cfi\n */\n\n }, {\n key: \"cfiFromNode\",\n value: function cfiFromNode(node, ignoreClass) {\n return new _epubcfi.default(node, this.cfiBase, ignoreClass).toString();\n } // TODO: find where this is used - remove?\n\n }, {\n key: \"map\",\n value: function map(layout) {\n var map = new _mapping.default(layout);\n return map.section();\n }\n /**\n * Size the contents to a given width and height\n * @param {number} [width]\n * @param {number} [height]\n */\n\n }, {\n key: \"size\",\n value: function size(width, height) {\n var viewport = {\n scale: 1.0,\n scalable: \"no\"\n };\n this.layoutStyle(\"scrolling\");\n\n if (width >= 0) {\n this.width(width);\n viewport.width = width;\n this.css(\"padding\", \"0 \" + width / 12 + \"px\");\n }\n\n if (height >= 0) {\n this.height(height);\n viewport.height = height;\n }\n\n this.css(\"margin\", \"0\");\n this.css(\"box-sizing\", \"border-box\");\n this.viewport(viewport);\n }\n /**\n * Apply columns to the contents for pagination\n * @param {number} width\n * @param {number} height\n * @param {number} columnWidth\n * @param {number} gap\n */\n\n }, {\n key: \"columns\",\n value: function columns(width, height, columnWidth, gap, dir) {\n var COLUMN_AXIS = (0, _core.prefixed)(\"column-axis\");\n var COLUMN_GAP = (0, _core.prefixed)(\"column-gap\");\n var COLUMN_WIDTH = (0, _core.prefixed)(\"column-width\");\n var COLUMN_FILL = (0, _core.prefixed)(\"column-fill\");\n var writingMode = this.writingMode();\n var axis = writingMode.indexOf(\"vertical\") === 0 ? \"vertical\" : \"horizontal\";\n this.layoutStyle(\"paginated\");\n\n if (dir === \"rtl\" && axis === \"horizontal\") {\n this.direction(dir);\n }\n\n this.width(width);\n this.height(height); // Deal with Mobile trying to scale to viewport\n\n this.viewport({\n width: width,\n height: height,\n scale: 1.0,\n scalable: \"no\"\n }); // TODO: inline-block needs more testing\n // Fixes Safari column cut offs, but causes RTL issues\n // this.css(\"display\", \"inline-block\");\n\n this.css(\"overflow-y\", \"hidden\");\n this.css(\"margin\", \"0\", true);\n\n if (axis === \"vertical\") {\n this.css(\"padding-top\", gap / 2 + \"px\", true);\n this.css(\"padding-bottom\", gap / 2 + \"px\", true);\n this.css(\"padding-left\", \"20px\");\n this.css(\"padding-right\", \"20px\");\n this.css(COLUMN_AXIS, \"vertical\");\n } else {\n this.css(\"padding-top\", \"20px\");\n this.css(\"padding-bottom\", \"20px\");\n this.css(\"padding-left\", gap / 2 + \"px\", true);\n this.css(\"padding-right\", gap / 2 + \"px\", true);\n this.css(COLUMN_AXIS, \"horizontal\");\n }\n\n this.css(\"box-sizing\", \"border-box\");\n this.css(\"max-width\", \"inherit\");\n this.css(COLUMN_FILL, \"auto\");\n this.css(COLUMN_GAP, gap + \"px\");\n this.css(COLUMN_WIDTH, columnWidth + \"px\"); // Fix glyph clipping in WebKit\n // https://github.com/futurepress/epub.js/issues/983\n\n this.css(\"-webkit-line-box-contain\", \"block glyphs replaced\");\n }\n /**\n * Scale contents from center\n * @param {number} scale\n * @param {number} offsetX\n * @param {number} offsetY\n */\n\n }, {\n key: \"scaler\",\n value: function scaler(scale, offsetX, offsetY) {\n var scaleStr = \"scale(\" + scale + \")\";\n var translateStr = \"\"; // this.css(\"position\", \"absolute\"));\n\n this.css(\"transform-origin\", \"top left\");\n\n if (offsetX >= 0 || offsetY >= 0) {\n translateStr = \" translate(\" + (offsetX || 0) + \"px, \" + (offsetY || 0) + \"px )\";\n }\n\n this.css(\"transform\", scaleStr + translateStr);\n }\n /**\n * Fit contents into a fixed width and height\n * @param {number} width\n * @param {number} height\n */\n\n }, {\n key: \"fit\",\n value: function fit(width, height, section) {\n var viewport = this.viewport();\n var viewportWidth = parseInt(viewport.width);\n var viewportHeight = parseInt(viewport.height);\n var widthScale = width / viewportWidth;\n var heightScale = height / viewportHeight;\n var scale = widthScale < heightScale ? widthScale : heightScale; // the translate does not work as intended, elements can end up unaligned\n // var offsetY = (height - (viewportHeight * scale)) / 2;\n // var offsetX = 0;\n // if (this.sectionIndex % 2 === 1) {\n // \toffsetX = width - (viewportWidth * scale);\n // }\n\n this.layoutStyle(\"paginated\"); // scale needs width and height to be set\n\n this.width(viewportWidth);\n this.height(viewportHeight);\n this.overflow(\"hidden\"); // Scale to the correct size\n\n this.scaler(scale, 0, 0); // this.scaler(scale, offsetX > 0 ? offsetX : 0, offsetY);\n // background images are not scaled by transform\n\n this.css(\"background-size\", viewportWidth * scale + \"px \" + viewportHeight * scale + \"px\");\n this.css(\"background-color\", \"transparent\");\n\n if (section && section.properties.includes(\"page-spread-left\")) {\n // set margin since scale is weird\n var marginLeft = width - viewportWidth * scale;\n this.css(\"margin-left\", marginLeft + \"px\");\n }\n }\n /**\n * Set the direction of the text\n * @param {string} [dir=\"ltr\"] \"rtl\" | \"ltr\"\n */\n\n }, {\n key: \"direction\",\n value: function direction(dir) {\n if (this.documentElement) {\n this.documentElement.style[\"direction\"] = dir;\n }\n }\n }, {\n key: \"mapPage\",\n value: function mapPage(cfiBase, layout, start, end, dev) {\n var mapping = new _mapping.default(layout, dev);\n return mapping.page(this, cfiBase, start, end);\n }\n /**\n * Emit event when link in content is clicked\n * @private\n */\n\n }, {\n key: \"linksHandler\",\n value: function linksHandler() {\n var _this4 = this;\n\n (0, _replacements.replaceLinks)(this.content, function (href) {\n _this4.emit(_constants.EVENTS.CONTENTS.LINK_CLICKED, href);\n });\n }\n /**\n * Set the writingMode of the text\n * @param {string} [mode=\"horizontal-tb\"] \"horizontal-tb\" | \"vertical-rl\" | \"vertical-lr\"\n */\n\n }, {\n key: \"writingMode\",\n value: function writingMode(mode) {\n var WRITING_MODE = (0, _core.prefixed)(\"writing-mode\");\n\n if (mode && this.documentElement) {\n this.documentElement.style[WRITING_MODE] = mode;\n }\n\n return this.window.getComputedStyle(this.documentElement)[WRITING_MODE] || '';\n }\n /**\n * Set the layoutStyle of the content\n * @param {string} [style=\"paginated\"] \"scrolling\" | \"paginated\"\n * @private\n */\n\n }, {\n key: \"layoutStyle\",\n value: function layoutStyle(style) {\n if (style) {\n this._layoutStyle = style;\n navigator.epubReadingSystem.layoutStyle = this._layoutStyle;\n }\n\n return this._layoutStyle || \"paginated\";\n }\n /**\n * Add the epubReadingSystem object to the navigator\n * @param {string} name\n * @param {string} version\n * @private\n */\n\n }, {\n key: \"epubReadingSystem\",\n value: function epubReadingSystem(name, version) {\n navigator.epubReadingSystem = {\n name: name,\n version: version,\n layoutStyle: this.layoutStyle(),\n hasFeature: function hasFeature(feature) {\n switch (feature) {\n case \"dom-manipulation\":\n return true;\n\n case \"layout-changes\":\n return true;\n\n case \"touch-events\":\n return true;\n\n case \"mouse-events\":\n return true;\n\n case \"keyboard-events\":\n return true;\n\n case \"spine-scripting\":\n return false;\n\n default:\n return false;\n }\n }\n };\n return navigator.epubReadingSystem;\n }\n }, {\n key: \"destroy\",\n value: function destroy() {\n // this.document.removeEventListener('transitionend', this._resizeCheck);\n this.removeListeners();\n }\n }], [{\n key: \"listenedEvents\",\n get: function get() {\n return _constants.DOM_EVENTS;\n }\n }]);\n\n return Contents;\n}();\n\n(0, _eventEmitter.default)(Contents.prototype);\nvar _default = Contents;\nexports.default = _default;","'use strict';\n\nfunction checkDCE() {\n /* global __REACT_DEVTOOLS_GLOBAL_HOOK__ */\n if (typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ === 'undefined' || typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE !== 'function') {\n return;\n }\n\n if (process.env.NODE_ENV !== 'production') {\n // This branch is unreachable because this function is only called\n // in production, but the condition is true only in development.\n // Therefore if the branch is still here, dead code elimination wasn't\n // properly applied.\n // Don't change the message. React DevTools relies on it. Also make sure\n // this message doesn't occur elsewhere in this function, or it will cause\n // a false positive.\n throw new Error('^_^');\n }\n\n try {\n // Verify that the code above has been dead code eliminated (DCE'd).\n __REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE(checkDCE);\n } catch (err) {\n // DevTools shouldn't crash React, no matter what.\n // We should still report in case we break this code.\n console.error(err);\n }\n}\n\nif (process.env.NODE_ENV === 'production') {\n // DCE check should happen before ReactDOM bundle executes so that\n // DevTools can report bad minification during injection.\n checkDCE();\n module.exports = require('./cjs/react-dom.production.min.js');\n} else {\n module.exports = require('./cjs/react-dom.development.js');\n}","'use strict';\n\nif (process.env.NODE_ENV === 'production') {\n module.exports = require('./cjs/react-is.production.min.js');\n} else {\n module.exports = require('./cjs/react-is.development.js');\n}","export const emojis = [\"✌\", \"😂\", \"😝\", \"😁\", \"😱\", \"👉\", \"🙌\", \"🍻\", \"🔥\", \"🌈\", \"🎈\", \"🌹\", \"💄\", \"🎀\", \"⚽\", \"🎾\", \"🏁\", \"😡\", \"👿\", \"🐻\", \"🐶\", \"🐬\", \"🐟\", \"🍀\", \"👀\", \"🚗\", \"🍎\", \"💝\", \"💙\", \"👌\", \"😍\", \"😉\", \"😓\", \"😳\", \"💪\", \"💩\", \"🍸\", \"🔑\", \"💖\", \"🌟\", \"🎉\", \"🌺\", \"🎶\", \"👠\", \"🏈\", \"⚾\", \"🏆\", \"👽\", \"💀\", \"🐵\", \"🐮\", \"🐩\", \"🐎\", \"💣\", \"👃\", \"👂\", \"🍓\", \"💘\", \"💜\", \"👊\", \"💋\", \"😘\", \"😜\", \"😵\", \"🙏\", \"👋\", \"🚽\", \"💃\", \"💎\", \"🚀\", \"🌙\", \"🎁\", \"⛄\", \"🌊\", \"⛵\", \"🏀\", \"🎱\", \"💰\", \"👶\", \"👸\", \"🐰\", \"🐷\", \"🐍\", \"🐫\", \"🔫\", \"👄\", \"🚲\", \"🍉\", \"💛\", \"💚\"]\n","module.exports = function (module) {\n if (!module.webpackPolyfill) {\n module.deprecate = function () {};\n\n module.paths = []; // module.parent = undefined by default\n\n if (!module.children) module.children = [];\n Object.defineProperty(module, \"loaded\", {\n enumerable: true,\n get: function get() {\n return module.l;\n }\n });\n Object.defineProperty(module, \"id\", {\n enumerable: true,\n get: function get() {\n return module.i;\n }\n });\n module.webpackPolyfill = 1;\n }\n\n return module;\n};","var isObject = require('../internals/is-object');\n\n// `ToPrimitive` abstract operation\n// https://tc39.es/ecma262/#sec-toprimitive\n// instead of the ES6 spec version, we didn't implement @@toPrimitive case\n// and the second argument - flag - preferred type is a string\nmodule.exports = function (input, PREFERRED_STRING) {\n if (!isObject(input)) return input;\n var fn, val;\n if (PREFERRED_STRING && typeof (fn = input.toString) == 'function' && !isObject(val = fn.call(input))) return val;\n if (typeof (fn = input.valueOf) == 'function' && !isObject(val = fn.call(input))) return val;\n if (!PREFERRED_STRING && typeof (fn = input.toString) == 'function' && !isObject(val = fn.call(input))) return val;\n throw TypeError(\"Can't convert object to primitive value\");\n};\n","var global = require('../internals/global');\nvar createNonEnumerableProperty = require('../internals/create-non-enumerable-property');\n\nmodule.exports = function (key, value) {\n try {\n createNonEnumerableProperty(global, key, value);\n } catch (error) {\n global[key] = value;\n } return value;\n};\n","var global = require('../internals/global');\nvar setGlobal = require('../internals/set-global');\n\nvar SHARED = '__core-js_shared__';\nvar store = global[SHARED] || setGlobal(SHARED, {});\n\nmodule.exports = store;\n","var shared = require('../internals/shared');\nvar uid = require('../internals/uid');\n\nvar keys = shared('keys');\n\nmodule.exports = function (key) {\n return keys[key] || (keys[key] = uid(key));\n};\n","module.exports = {};\n","var toInteger = require('../internals/to-integer');\n\nvar min = Math.min;\n\n// `ToLength` abstract operation\n// https://tc39.es/ecma262/#sec-tolength\nmodule.exports = function (argument) {\n return argument > 0 ? min(toInteger(argument), 0x1FFFFFFFFFFFFF) : 0; // 2 ** 53 - 1 == 9007199254740991\n};\n","// IE8- don't enum bug keys\nmodule.exports = [\n 'constructor',\n 'hasOwnProperty',\n 'isPrototypeOf',\n 'propertyIsEnumerable',\n 'toLocaleString',\n 'toString',\n 'valueOf'\n];\n","'use strict';\nvar regexpFlags = require('./regexp-flags');\nvar stickyHelpers = require('./regexp-sticky-helpers');\n\nvar nativeExec = RegExp.prototype.exec;\n// This always refers to the native implementation, because the\n// String#replace polyfill uses ./fix-regexp-well-known-symbol-logic.js,\n// which loads this file before patching the method.\nvar nativeReplace = String.prototype.replace;\n\nvar patchedExec = nativeExec;\n\nvar UPDATES_LAST_INDEX_WRONG = (function () {\n var re1 = /a/;\n var re2 = /b*/g;\n nativeExec.call(re1, 'a');\n nativeExec.call(re2, 'a');\n return re1.lastIndex !== 0 || re2.lastIndex !== 0;\n})();\n\nvar UNSUPPORTED_Y = stickyHelpers.UNSUPPORTED_Y || stickyHelpers.BROKEN_CARET;\n\n// nonparticipating capturing group, copied from es5-shim's String#split patch.\n// eslint-disable-next-line regexp/no-assertion-capturing-group, regexp/no-empty-group -- required for testing\nvar NPCG_INCLUDED = /()??/.exec('')[1] !== undefined;\n\nvar PATCH = UPDATES_LAST_INDEX_WRONG || NPCG_INCLUDED || UNSUPPORTED_Y;\n\nif (PATCH) {\n patchedExec = function exec(str) {\n var re = this;\n var lastIndex, reCopy, match, i;\n var sticky = UNSUPPORTED_Y && re.sticky;\n var flags = regexpFlags.call(re);\n var source = re.source;\n var charsAdded = 0;\n var strCopy = str;\n\n if (sticky) {\n flags = flags.replace('y', '');\n if (flags.indexOf('g') === -1) {\n flags += 'g';\n }\n\n strCopy = String(str).slice(re.lastIndex);\n // Support anchored sticky behavior.\n if (re.lastIndex > 0 && (!re.multiline || re.multiline && str[re.lastIndex - 1] !== '\\n')) {\n source = '(?: ' + source + ')';\n strCopy = ' ' + strCopy;\n charsAdded++;\n }\n // ^(? + rx + ) is needed, in combination with some str slicing, to\n // simulate the 'y' flag.\n reCopy = new RegExp('^(?:' + source + ')', flags);\n }\n\n if (NPCG_INCLUDED) {\n reCopy = new RegExp('^' + source + '$(?!\\\\s)', flags);\n }\n if (UPDATES_LAST_INDEX_WRONG) lastIndex = re.lastIndex;\n\n match = nativeExec.call(sticky ? reCopy : re, strCopy);\n\n if (sticky) {\n if (match) {\n match.input = match.input.slice(charsAdded);\n match[0] = match[0].slice(charsAdded);\n match.index = re.lastIndex;\n re.lastIndex += match[0].length;\n } else re.lastIndex = 0;\n } else if (UPDATES_LAST_INDEX_WRONG && match) {\n re.lastIndex = re.global ? match.index + match[0].length : lastIndex;\n }\n if (NPCG_INCLUDED && match && match.length > 1) {\n // Fix browsers whose `exec` methods don't consistently return `undefined`\n // for NPCG, like IE8. NOTE: This doesn' work for /(.?)?/\n nativeReplace.call(match[0], reCopy, function () {\n for (i = 1; i < arguments.length - 2; i++) {\n if (arguments[i] === undefined) match[i] = undefined;\n }\n });\n }\n\n return match;\n };\n}\n\nmodule.exports = patchedExec;\n","var toInteger = require('../internals/to-integer');\nvar requireObjectCoercible = require('../internals/require-object-coercible');\n\n// `String.prototype.{ codePointAt, at }` methods implementation\nvar createMethod = function (CONVERT_TO_STRING) {\n return function ($this, pos) {\n var S = String(requireObjectCoercible($this));\n var position = toInteger(pos);\n var size = S.length;\n var first, second;\n if (position < 0 || position >= size) return CONVERT_TO_STRING ? '' : undefined;\n first = S.charCodeAt(position);\n return first < 0xD800 || first > 0xDBFF || position + 1 === size\n || (second = S.charCodeAt(position + 1)) < 0xDC00 || second > 0xDFFF\n ? CONVERT_TO_STRING ? S.charAt(position) : first\n : CONVERT_TO_STRING ? S.slice(position, position + 2) : (first - 0xD800 << 10) + (second - 0xDC00) + 0x10000;\n };\n};\n\nmodule.exports = {\n // `String.prototype.codePointAt` method\n // https://tc39.es/ecma262/#sec-string.prototype.codepointat\n codeAt: createMethod(false),\n // `String.prototype.at` method\n // https://github.com/mathiasbynens/String.prototype.at\n charAt: createMethod(true)\n};\n","var anObject = require('../internals/an-object');\nvar defineProperties = require('../internals/object-define-properties');\nvar enumBugKeys = require('../internals/enum-bug-keys');\nvar hiddenKeys = require('../internals/hidden-keys');\nvar html = require('../internals/html');\nvar documentCreateElement = require('../internals/document-create-element');\nvar sharedKey = require('../internals/shared-key');\n\nvar GT = '>';\nvar LT = '<';\nvar PROTOTYPE = 'prototype';\nvar SCRIPT = 'script';\nvar IE_PROTO = sharedKey('IE_PROTO');\n\nvar EmptyConstructor = function () { /* empty */ };\n\nvar scriptTag = function (content) {\n return LT + SCRIPT + GT + content + LT + '/' + SCRIPT + GT;\n};\n\n// Create object with fake `null` prototype: use ActiveX Object with cleared prototype\nvar NullProtoObjectViaActiveX = function (activeXDocument) {\n activeXDocument.write(scriptTag(''));\n activeXDocument.close();\n var temp = activeXDocument.parentWindow.Object;\n activeXDocument = null; // avoid memory leak\n return temp;\n};\n\n// Create object with fake `null` prototype: use iframe Object with cleared prototype\nvar NullProtoObjectViaIFrame = function () {\n // Thrash, waste and sodomy: IE GC bug\n var iframe = documentCreateElement('iframe');\n var JS = 'java' + SCRIPT + ':';\n var iframeDocument;\n iframe.style.display = 'none';\n html.appendChild(iframe);\n // https://github.com/zloirock/core-js/issues/475\n iframe.src = String(JS);\n iframeDocument = iframe.contentWindow.document;\n iframeDocument.open();\n iframeDocument.write(scriptTag('document.F=Object'));\n iframeDocument.close();\n return iframeDocument.F;\n};\n\n// Check for document.domain and active x support\n// No need to use active x approach when document.domain is not set\n// see https://github.com/es-shims/es5-shim/issues/150\n// variation of https://github.com/kitcambridge/es5-shim/commit/4f738ac066346\n// avoid IE GC bug\nvar activeXDocument;\nvar NullProtoObject = function () {\n try {\n /* global ActiveXObject -- old IE */\n activeXDocument = document.domain && new ActiveXObject('htmlfile');\n } catch (error) { /* ignore */ }\n NullProtoObject = activeXDocument ? NullProtoObjectViaActiveX(activeXDocument) : NullProtoObjectViaIFrame();\n var length = enumBugKeys.length;\n while (length--) delete NullProtoObject[PROTOTYPE][enumBugKeys[length]];\n return NullProtoObject();\n};\n\nhiddenKeys[IE_PROTO] = true;\n\n// `Object.create` method\n// https://tc39.es/ecma262/#sec-object.create\nmodule.exports = Object.create || function create(O, Properties) {\n var result;\n if (O !== null) {\n EmptyConstructor[PROTOTYPE] = anObject(O);\n result = new EmptyConstructor();\n EmptyConstructor[PROTOTYPE] = null;\n // add \"__proto__\" for Object.getPrototypeOf polyfill\n result[IE_PROTO] = O;\n } else result = NullProtoObject();\n return Properties === undefined ? result : defineProperties(result, Properties);\n};\n","\"use strict\";\n\nvar _undefined = require(\"../function/noop\")(); // Support ES3 engines\n\n\nmodule.exports = function (val) {\n return val !== _undefined && val !== null;\n};","var classof = require('../internals/classof');\nvar Iterators = require('../internals/iterators');\nvar wellKnownSymbol = require('../internals/well-known-symbol');\n\nvar ITERATOR = wellKnownSymbol('iterator');\n\nmodule.exports = function (it) {\n if (it != undefined) return it[ITERATOR]\n || it['@@iterator']\n || Iterators[classof(it)];\n};\n","\"use strict\";\n\nfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\nfunction _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if (\"value\" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } }\n\nfunction _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, \"prototype\", { writable: false }); return Constructor; }\n\nrequire(\"core-js/modules/web.dom-collections.iterator\");\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\nexports.default = void 0;\n/**\n * Hooks allow for injecting functions that must all complete in order before finishing\n * They will execute in parallel but all must finish before continuing\n * Functions may return a promise if they are asycn.\n * @param {any} context scope of this\n * @example this.content = new EPUBJS.Hook(this);\n */\n\nvar Hook = /*#__PURE__*/function () {\n function Hook(context) {\n _classCallCheck(this, Hook);\n\n this.context = context || this;\n this.hooks = [];\n }\n /**\n * Adds a function to be run before a hook completes\n * @example this.content.register(function(){...});\n */\n\n\n _createClass(Hook, [{\n key: \"register\",\n value: function register() {\n for (var i = 0; i < arguments.length; ++i) {\n if (typeof arguments[i] === \"function\") {\n this.hooks.push(arguments[i]);\n } else {\n // unpack array\n for (var j = 0; j < arguments[i].length; ++j) {\n this.hooks.push(arguments[i][j]);\n }\n }\n }\n }\n /**\n * Removes a function\n * @example this.content.deregister(function(){...});\n */\n\n }, {\n key: \"deregister\",\n value: function deregister(func) {\n var hook;\n\n for (var i = 0; i < this.hooks.length; i++) {\n hook = this.hooks[i];\n\n if (hook === func) {\n this.hooks.splice(i, 1);\n break;\n }\n }\n }\n /**\n * Triggers a hook to run all functions\n * @example this.content.trigger(args).then(function(){...});\n */\n\n }, {\n key: \"trigger\",\n value: function trigger() {\n var args = arguments;\n var context = this.context;\n var promises = [];\n this.hooks.forEach(function (task) {\n var executing = task.apply(context, args);\n\n if (executing && typeof executing[\"then\"] === \"function\") {\n // Task is a function that returns a promise\n promises.push(executing);\n } // Otherwise Task resolves immediately, continue\n\n });\n return Promise.all(promises);\n } // Adds a function to be run before a hook completes\n\n }, {\n key: \"list\",\n value: function list() {\n return this.hooks;\n }\n }, {\n key: \"clear\",\n value: function clear() {\n return this.hooks = [];\n }\n }]);\n\n return Hook;\n}();\n\nvar _default = Hook;\nexports.default = _default;","\"use strict\";\n\nfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\nfunction _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if (\"value\" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } }\n\nfunction _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, \"prototype\", { writable: false }); return Constructor; }\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\nexports.Task = exports.default = void 0;\n\nvar _core = require(\"./core\");\n/**\n * Queue for handling tasks one at a time\n * @class\n * @param {scope} context what this will resolve to in the tasks\n */\n\n\nvar Queue = /*#__PURE__*/function () {\n function Queue(context) {\n _classCallCheck(this, Queue);\n\n this._q = [];\n this.context = context;\n this.tick = _core.requestAnimationFrame;\n this.running = false;\n this.paused = false;\n }\n /**\n * Add an item to the queue\n * @return {Promise}\n */\n\n\n _createClass(Queue, [{\n key: \"enqueue\",\n value: function enqueue() {\n var deferred, promise;\n var queued;\n var task = [].shift.call(arguments);\n var args = arguments; // Handle single args without context\n // if(args && !Array.isArray(args)) {\n // args = [args];\n // }\n\n if (!task) {\n throw new Error(\"No Task Provided\");\n }\n\n if (typeof task === \"function\") {\n deferred = new _core.defer();\n promise = deferred.promise;\n queued = {\n \"task\": task,\n \"args\": args,\n //\"context\" : context,\n \"deferred\": deferred,\n \"promise\": promise\n };\n } else {\n // Task is a promise\n queued = {\n \"promise\": task\n };\n }\n\n this._q.push(queued); // Wait to start queue flush\n\n\n if (this.paused == false && !this.running) {\n // setTimeout(this.flush.bind(this), 0);\n // this.tick.call(window, this.run.bind(this));\n this.run();\n }\n\n return queued.promise;\n }\n /**\n * Run one item\n * @return {Promise}\n */\n\n }, {\n key: \"dequeue\",\n value: function dequeue() {\n var inwait, task, result;\n\n if (this._q.length && !this.paused) {\n inwait = this._q.shift();\n task = inwait.task;\n\n if (task) {\n // console.log(task)\n result = task.apply(this.context, inwait.args);\n\n if (result && typeof result[\"then\"] === \"function\") {\n // Task is a function that returns a promise\n return result.then(function () {\n inwait.deferred.resolve.apply(this.context, arguments);\n }.bind(this), function () {\n inwait.deferred.reject.apply(this.context, arguments);\n }.bind(this));\n } else {\n // Task resolves immediately\n inwait.deferred.resolve.apply(this.context, result);\n return inwait.promise;\n }\n } else if (inwait.promise) {\n // Task is a promise\n return inwait.promise;\n }\n } else {\n inwait = new _core.defer();\n inwait.deferred.resolve();\n return inwait.promise;\n }\n } // Run All Immediately\n\n }, {\n key: \"dump\",\n value: function dump() {\n while (this._q.length) {\n this.dequeue();\n }\n }\n /**\n * Run all tasks sequentially, at convince\n * @return {Promise}\n */\n\n }, {\n key: \"run\",\n value: function run() {\n var _this = this;\n\n if (!this.running) {\n this.running = true;\n this.defered = new _core.defer();\n }\n\n this.tick.call(window, function () {\n if (_this._q.length) {\n _this.dequeue().then(function () {\n this.run();\n }.bind(_this));\n } else {\n _this.defered.resolve();\n\n _this.running = undefined;\n }\n }); // Unpause\n\n if (this.paused == true) {\n this.paused = false;\n }\n\n return this.defered.promise;\n }\n /**\n * Flush all, as quickly as possible\n * @return {Promise}\n */\n\n }, {\n key: \"flush\",\n value: function flush() {\n if (this.running) {\n return this.running;\n }\n\n if (this._q.length) {\n this.running = this.dequeue().then(function () {\n this.running = undefined;\n return this.flush();\n }.bind(this));\n return this.running;\n }\n }\n /**\n * Clear all items in wait\n */\n\n }, {\n key: \"clear\",\n value: function clear() {\n this._q = [];\n }\n /**\n * Get the number of tasks in the queue\n * @return {number} tasks\n */\n\n }, {\n key: \"length\",\n value: function length() {\n return this._q.length;\n }\n /**\n * Pause a running queue\n */\n\n }, {\n key: \"pause\",\n value: function pause() {\n this.paused = true;\n }\n /**\n * End the queue\n */\n\n }, {\n key: \"stop\",\n value: function stop() {\n this._q = [];\n this.running = false;\n this.paused = true;\n }\n }]);\n\n return Queue;\n}();\n/**\n * Create a new task from a callback\n * @class\n * @private\n * @param {function} task\n * @param {array} args\n * @param {scope} context\n * @return {function} task\n */\n\n\nvar Task = /*#__PURE__*/_createClass(function Task(task, args, context) {\n _classCallCheck(this, Task);\n\n return function () {\n var _this2 = this;\n\n var toApply = arguments || [];\n return new Promise(function (resolve, reject) {\n var callback = function callback(value, err) {\n if (!value && err) {\n reject(err);\n } else {\n resolve(value);\n }\n }; // Add the callback to the arguments list\n\n\n toApply.push(callback); // Apply all arguments to the functions\n\n task.apply(context || _this2, toApply);\n });\n };\n});\n\nexports.Task = Task;\nvar _default = Queue;\nexports.default = _default;","/*\n From Zip.js, by Gildas Lormeau\nedited down\n */\nvar table = {\n \"application\": {\n \"ecmascript\": [\"es\", \"ecma\"],\n \"javascript\": \"js\",\n \"ogg\": \"ogx\",\n \"pdf\": \"pdf\",\n \"postscript\": [\"ps\", \"ai\", \"eps\", \"epsi\", \"epsf\", \"eps2\", \"eps3\"],\n \"rdf+xml\": \"rdf\",\n \"smil\": [\"smi\", \"smil\"],\n \"xhtml+xml\": [\"xhtml\", \"xht\"],\n \"xml\": [\"xml\", \"xsl\", \"xsd\", \"opf\", \"ncx\"],\n \"zip\": \"zip\",\n \"x-httpd-eruby\": \"rhtml\",\n \"x-latex\": \"latex\",\n \"x-maker\": [\"frm\", \"maker\", \"frame\", \"fm\", \"fb\", \"book\", \"fbdoc\"],\n \"x-object\": \"o\",\n \"x-shockwave-flash\": [\"swf\", \"swfl\"],\n \"x-silverlight\": \"scr\",\n \"epub+zip\": \"epub\",\n \"font-tdpfr\": \"pfr\",\n \"inkml+xml\": [\"ink\", \"inkml\"],\n \"json\": \"json\",\n \"jsonml+json\": \"jsonml\",\n \"mathml+xml\": \"mathml\",\n \"metalink+xml\": \"metalink\",\n \"mp4\": \"mp4s\",\n // \"oebps-package+xml\" : \"opf\",\n \"omdoc+xml\": \"omdoc\",\n \"oxps\": \"oxps\",\n \"vnd.amazon.ebook\": \"azw\",\n \"widget\": \"wgt\",\n // \"x-dtbncx+xml\" : \"ncx\",\n \"x-dtbook+xml\": \"dtb\",\n \"x-dtbresource+xml\": \"res\",\n \"x-font-bdf\": \"bdf\",\n \"x-font-ghostscript\": \"gsf\",\n \"x-font-linux-psf\": \"psf\",\n \"x-font-otf\": \"otf\",\n \"x-font-pcf\": \"pcf\",\n \"x-font-snf\": \"snf\",\n \"x-font-ttf\": [\"ttf\", \"ttc\"],\n \"x-font-type1\": [\"pfa\", \"pfb\", \"pfm\", \"afm\"],\n \"x-font-woff\": \"woff\",\n \"x-mobipocket-ebook\": [\"prc\", \"mobi\"],\n \"x-mspublisher\": \"pub\",\n \"x-nzb\": \"nzb\",\n \"x-tgif\": \"obj\",\n \"xaml+xml\": \"xaml\",\n \"xml-dtd\": \"dtd\",\n \"xproc+xml\": \"xpl\",\n \"xslt+xml\": \"xslt\",\n \"internet-property-stream\": \"acx\",\n \"x-compress\": \"z\",\n \"x-compressed\": \"tgz\",\n \"x-gzip\": \"gz\"\n },\n \"audio\": {\n \"flac\": \"flac\",\n \"midi\": [\"mid\", \"midi\", \"kar\", \"rmi\"],\n \"mpeg\": [\"mpga\", \"mpega\", \"mp2\", \"mp3\", \"m4a\", \"mp2a\", \"m2a\", \"m3a\"],\n \"mpegurl\": \"m3u\",\n \"ogg\": [\"oga\", \"ogg\", \"spx\"],\n \"x-aiff\": [\"aif\", \"aiff\", \"aifc\"],\n \"x-ms-wma\": \"wma\",\n \"x-wav\": \"wav\",\n \"adpcm\": \"adp\",\n \"mp4\": \"mp4a\",\n \"webm\": \"weba\",\n \"x-aac\": \"aac\",\n \"x-caf\": \"caf\",\n \"x-matroska\": \"mka\",\n \"x-pn-realaudio-plugin\": \"rmp\",\n \"xm\": \"xm\",\n \"mid\": [\"mid\", \"rmi\"]\n },\n \"image\": {\n \"gif\": \"gif\",\n \"ief\": \"ief\",\n \"jpeg\": [\"jpeg\", \"jpg\", \"jpe\"],\n \"pcx\": \"pcx\",\n \"png\": \"png\",\n \"svg+xml\": [\"svg\", \"svgz\"],\n \"tiff\": [\"tiff\", \"tif\"],\n \"x-icon\": \"ico\",\n \"bmp\": \"bmp\",\n \"webp\": \"webp\",\n \"x-pict\": [\"pic\", \"pct\"],\n \"x-tga\": \"tga\",\n \"cis-cod\": \"cod\"\n },\n \"text\": {\n \"cache-manifest\": [\"manifest\", \"appcache\"],\n \"css\": \"css\",\n \"csv\": \"csv\",\n \"html\": [\"html\", \"htm\", \"shtml\", \"stm\"],\n \"mathml\": \"mml\",\n \"plain\": [\"txt\", \"text\", \"brf\", \"conf\", \"def\", \"list\", \"log\", \"in\", \"bas\"],\n \"richtext\": \"rtx\",\n \"tab-separated-values\": \"tsv\",\n \"x-bibtex\": \"bib\"\n },\n \"video\": {\n \"mpeg\": [\"mpeg\", \"mpg\", \"mpe\", \"m1v\", \"m2v\", \"mp2\", \"mpa\", \"mpv2\"],\n \"mp4\": [\"mp4\", \"mp4v\", \"mpg4\"],\n \"quicktime\": [\"qt\", \"mov\"],\n \"ogg\": \"ogv\",\n \"vnd.mpegurl\": [\"mxu\", \"m4u\"],\n \"x-flv\": \"flv\",\n \"x-la-asf\": [\"lsf\", \"lsx\"],\n \"x-mng\": \"mng\",\n \"x-ms-asf\": [\"asf\", \"asx\", \"asr\"],\n \"x-ms-wm\": \"wm\",\n \"x-ms-wmv\": \"wmv\",\n \"x-ms-wmx\": \"wmx\",\n \"x-ms-wvx\": \"wvx\",\n \"x-msvideo\": \"avi\",\n \"x-sgi-movie\": \"movie\",\n \"x-matroska\": [\"mpv\", \"mkv\", \"mk3d\", \"mks\"],\n \"3gpp2\": \"3g2\",\n \"h261\": \"h261\",\n \"h263\": \"h263\",\n \"h264\": \"h264\",\n \"jpeg\": \"jpgv\",\n \"jpm\": [\"jpm\", \"jpgm\"],\n \"mj2\": [\"mj2\", \"mjp2\"],\n \"vnd.ms-playready.media.pyv\": \"pyv\",\n \"vnd.uvvu.mp4\": [\"uvu\", \"uvvu\"],\n \"vnd.vivo\": \"viv\",\n \"webm\": \"webm\",\n \"x-f4v\": \"f4v\",\n \"x-m4v\": \"m4v\",\n \"x-ms-vob\": \"vob\",\n \"x-smv\": \"smv\"\n }\n};\n\nvar mimeTypes = function () {\n var type,\n subtype,\n val,\n index,\n mimeTypes = {};\n\n for (type in table) {\n if (table.hasOwnProperty(type)) {\n for (subtype in table[type]) {\n if (table[type].hasOwnProperty(subtype)) {\n val = table[type][subtype];\n\n if (typeof val == \"string\") {\n mimeTypes[val] = type + \"/\" + subtype;\n } else {\n for (index = 0; index < val.length; index++) {\n mimeTypes[val[index]] = type + \"/\" + subtype;\n }\n }\n }\n }\n }\n }\n\n return mimeTypes;\n}();\n\nvar defaultValue = \"text/plain\"; //\"application/octet-stream\";\n\nfunction lookup(filename) {\n return filename && mimeTypes[filename.split(\".\").pop().toLowerCase()] || defaultValue;\n}\n\n;\nexport default {\n lookup: lookup\n};","\"use strict\";\n\nfunction _typeof(obj) { \"@babel/helpers - typeof\"; return _typeof = \"function\" == typeof Symbol && \"symbol\" == typeof Symbol.iterator ? function (obj) { return typeof obj; } : function (obj) { return obj && \"function\" == typeof Symbol && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj; }, _typeof(obj); }\n\nfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\nfunction _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if (\"value\" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } }\n\nfunction _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, \"prototype\", { writable: false }); return Constructor; }\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\nexports.default = void 0;\n\nvar _eventEmitter = _interopRequireDefault(require(\"event-emitter\"));\n\nvar _core = require(\"./utils/core\");\n\nvar _hook = _interopRequireDefault(require(\"./utils/hook\"));\n\nvar _epubcfi = _interopRequireDefault(require(\"./epubcfi\"));\n\nvar _queue = _interopRequireDefault(require(\"./utils/queue\"));\n\nvar _layout = _interopRequireDefault(require(\"./layout\"));\n\nvar _themes = _interopRequireDefault(require(\"./themes\"));\n\nvar _contents = _interopRequireDefault(require(\"./contents\"));\n\nvar _annotations = _interopRequireDefault(require(\"./annotations\"));\n\nvar _constants = require(\"./utils/constants\");\n\nvar _iframe = _interopRequireDefault(require(\"./managers/views/iframe\"));\n\nvar _index = _interopRequireDefault(require(\"./managers/default/index\"));\n\nvar _index2 = _interopRequireDefault(require(\"./managers/continuous/index\"));\n\nfunction _interopRequireDefault(obj) {\n return obj && obj.__esModule ? obj : {\n default: obj\n };\n} // import Mapping from \"./mapping\";\n// Default Views\n// Default View Managers\n\n/**\n * Displays an Epub as a series of Views for each Section.\n * Requires Manager and View class to handle specifics of rendering\n * the section content.\n * @class\n * @param {Book} book\n * @param {object} [options]\n * @param {number} [options.width]\n * @param {number} [options.height]\n * @param {string} [options.ignoreClass] class for the cfi parser to ignore\n * @param {string | function | object} [options.manager='default']\n * @param {string | function} [options.view='iframe']\n * @param {string} [options.layout] layout to force\n * @param {string} [options.spread] force spread value\n * @param {number} [options.minSpreadWidth] overridden by spread: none (never) / both (always)\n * @param {string} [options.stylesheet] url of stylesheet to be injected\n * @param {boolean} [options.resizeOnOrientationChange] false to disable orientation events\n * @param {string} [options.script] url of script to be injected\n * @param {boolean | object} [options.snap=false] use snap scrolling\n */\n\n\nvar Rendition = /*#__PURE__*/function () {\n function Rendition(book, options) {\n _classCallCheck(this, Rendition);\n\n this.settings = (0, _core.extend)(this.settings || {}, {\n width: null,\n height: null,\n ignoreClass: \"\",\n manager: \"default\",\n view: \"iframe\",\n flow: null,\n layout: null,\n spread: null,\n minSpreadWidth: 800,\n stylesheet: null,\n resizeOnOrientationChange: true,\n script: null,\n snap: false,\n defaultDirection: \"ltr\"\n });\n (0, _core.extend)(this.settings, options);\n\n if (_typeof(this.settings.manager) === \"object\") {\n this.manager = this.settings.manager;\n }\n\n this.book = book;\n /**\n * Adds Hook methods to the Rendition prototype\n * @member {object} hooks\n * @property {Hook} hooks.content\n * @memberof Rendition\n */\n\n this.hooks = {};\n this.hooks.display = new _hook.default(this);\n this.hooks.serialize = new _hook.default(this);\n this.hooks.content = new _hook.default(this);\n this.hooks.unloaded = new _hook.default(this);\n this.hooks.layout = new _hook.default(this);\n this.hooks.render = new _hook.default(this);\n this.hooks.show = new _hook.default(this);\n this.hooks.content.register(this.handleLinks.bind(this));\n this.hooks.content.register(this.passEvents.bind(this));\n this.hooks.content.register(this.adjustImages.bind(this));\n this.book.spine.hooks.content.register(this.injectIdentifier.bind(this));\n\n if (this.settings.stylesheet) {\n this.book.spine.hooks.content.register(this.injectStylesheet.bind(this));\n }\n\n if (this.settings.script) {\n this.book.spine.hooks.content.register(this.injectScript.bind(this));\n }\n /**\n * @member {Themes} themes\n * @memberof Rendition\n */\n\n\n this.themes = new _themes.default(this);\n /**\n * @member {Annotations} annotations\n * @memberof Rendition\n */\n\n this.annotations = new _annotations.default(this);\n this.epubcfi = new _epubcfi.default();\n this.q = new _queue.default(this);\n /**\n * A Rendered Location Range\n * @typedef location\n * @type {Object}\n * @property {object} start\n * @property {string} start.index\n * @property {string} start.href\n * @property {object} start.displayed\n * @property {EpubCFI} start.cfi\n * @property {number} start.location\n * @property {number} start.percentage\n * @property {number} start.displayed.page\n * @property {number} start.displayed.total\n * @property {object} end\n * @property {string} end.index\n * @property {string} end.href\n * @property {object} end.displayed\n * @property {EpubCFI} end.cfi\n * @property {number} end.location\n * @property {number} end.percentage\n * @property {number} end.displayed.page\n * @property {number} end.displayed.total\n * @property {boolean} atStart\n * @property {boolean} atEnd\n * @memberof Rendition\n */\n\n this.location = undefined; // Hold queue until book is opened\n\n this.q.enqueue(this.book.opened);\n this.starting = new _core.defer();\n /**\n * @member {promise} started returns after the rendition has started\n * @memberof Rendition\n */\n\n this.started = this.starting.promise; // Block the queue until rendering is started\n\n this.q.enqueue(this.start);\n }\n /**\n * Set the manager function\n * @param {function} manager\n */\n\n\n _createClass(Rendition, [{\n key: \"setManager\",\n value: function setManager(manager) {\n this.manager = manager;\n }\n /**\n * Require the manager from passed string, or as a class function\n * @param {string|object} manager [description]\n * @return {method}\n */\n\n }, {\n key: \"requireManager\",\n value: function requireManager(manager) {\n var viewManager; // If manager is a string, try to load from imported managers\n\n if (typeof manager === \"string\" && manager === \"default\") {\n viewManager = _index.default;\n } else if (typeof manager === \"string\" && manager === \"continuous\") {\n viewManager = _index2.default;\n } else {\n // otherwise, assume we were passed a class function\n viewManager = manager;\n }\n\n return viewManager;\n }\n /**\n * Require the view from passed string, or as a class function\n * @param {string|object} view\n * @return {view}\n */\n\n }, {\n key: \"requireView\",\n value: function requireView(view) {\n var View; // If view is a string, try to load from imported views,\n\n if (typeof view == \"string\" && view === \"iframe\") {\n View = _iframe.default;\n } else {\n // otherwise, assume we were passed a class function\n View = view;\n }\n\n return View;\n }\n /**\n * Start the rendering\n * @return {Promise} rendering has started\n */\n\n }, {\n key: \"start\",\n value: function start() {\n if (!this.settings.layout && (this.book.package.metadata.layout === \"pre-paginated\" || this.book.displayOptions.fixedLayout === \"true\")) {\n this.settings.layout = \"pre-paginated\";\n }\n\n switch (this.book.package.metadata.spread) {\n case 'none':\n this.settings.spread = 'none';\n break;\n\n case 'both':\n this.settings.spread = true;\n break;\n }\n\n if (!this.manager) {\n this.ViewManager = this.requireManager(this.settings.manager);\n this.View = this.requireView(this.settings.view);\n this.manager = new this.ViewManager({\n view: this.View,\n queue: this.q,\n request: this.book.load.bind(this.book),\n settings: this.settings\n });\n }\n\n this.direction(this.book.package.metadata.direction || this.settings.defaultDirection); // Parse metadata to get layout props\n\n this.settings.globalLayoutProperties = this.determineLayoutProperties(this.book.package.metadata);\n this.flow(this.settings.globalLayoutProperties.flow);\n this.layout(this.settings.globalLayoutProperties); // Listen for displayed views\n\n this.manager.on(_constants.EVENTS.MANAGERS.ADDED, this.afterDisplayed.bind(this));\n this.manager.on(_constants.EVENTS.MANAGERS.REMOVED, this.afterRemoved.bind(this)); // Listen for resizing\n\n this.manager.on(_constants.EVENTS.MANAGERS.RESIZED, this.onResized.bind(this)); // Listen for rotation\n\n this.manager.on(_constants.EVENTS.MANAGERS.ORIENTATION_CHANGE, this.onOrientationChange.bind(this)); // Listen for scroll changes\n\n this.manager.on(_constants.EVENTS.MANAGERS.SCROLLED, this.reportLocation.bind(this));\n /**\n * Emit that rendering has started\n * @event started\n * @memberof Rendition\n */\n\n this.emit(_constants.EVENTS.RENDITION.STARTED); // Start processing queue\n\n this.starting.resolve();\n }\n /**\n * Call to attach the container to an element in the dom\n * Container must be attached before rendering can begin\n * @param {element} element to attach to\n * @return {Promise}\n */\n\n }, {\n key: \"attachTo\",\n value: function attachTo(element) {\n return this.q.enqueue(function () {\n // Start rendering\n this.manager.render(element, {\n \"width\": this.settings.width,\n \"height\": this.settings.height\n });\n /**\n * Emit that rendering has attached to an element\n * @event attached\n * @memberof Rendition\n */\n\n this.emit(_constants.EVENTS.RENDITION.ATTACHED);\n }.bind(this));\n }\n /**\n * Display a point in the book\n * The request will be added to the rendering Queue,\n * so it will wait until book is opened, rendering started\n * and all other rendering tasks have finished to be called.\n * @param {string} target Url or EpubCFI\n * @return {Promise}\n */\n\n }, {\n key: \"display\",\n value: function display(target) {\n if (this.displaying) {\n this.displaying.resolve();\n }\n\n return this.q.enqueue(this._display, target);\n }\n /**\n * Tells the manager what to display immediately\n * @private\n * @param {string} target Url or EpubCFI\n * @return {Promise}\n */\n\n }, {\n key: \"_display\",\n value: function _display(target) {\n var _this = this;\n\n if (!this.book) {\n return;\n }\n\n var isCfiString = this.epubcfi.isCfiString(target);\n var displaying = new _core.defer();\n var displayed = displaying.promise;\n var section;\n var moveTo;\n this.displaying = displaying; // Check if this is a book percentage\n\n if (this.book.locations.length() && (0, _core.isFloat)(target)) {\n target = this.book.locations.cfiFromPercentage(parseFloat(target));\n }\n\n section = this.book.spine.get(target);\n\n if (!section) {\n displaying.reject(new Error(\"No Section Found\"));\n return displayed;\n }\n\n this.manager.display(section, target).then(function () {\n displaying.resolve(section);\n _this.displaying = undefined;\n /**\n * Emit that a section has been displayed\n * @event displayed\n * @param {Section} section\n * @memberof Rendition\n */\n\n _this.emit(_constants.EVENTS.RENDITION.DISPLAYED, section);\n\n _this.reportLocation();\n }, function (err) {\n /**\n * Emit that has been an error displaying\n * @event displayError\n * @param {Section} section\n * @memberof Rendition\n */\n _this.emit(_constants.EVENTS.RENDITION.DISPLAY_ERROR, err);\n });\n return displayed;\n }\n /*\n render(view, show) {\n \t\t// view.onLayout = this.layout.format.bind(this.layout);\n \tview.create();\n \t\t// Fit to size of the container, apply padding\n \tthis.manager.resizeView(view);\n \t\t// Render Chain\n \treturn view.section.render(this.book.request)\n \t\t.then(function(contents){\n \t\t\treturn view.load(contents);\n \t\t}.bind(this))\n \t\t.then(function(doc){\n \t\t\treturn this.hooks.content.trigger(view, this);\n \t\t}.bind(this))\n \t\t.then(function(){\n \t\t\tthis.layout.format(view.contents);\n \t\t\treturn this.hooks.layout.trigger(view, this);\n \t\t}.bind(this))\n \t\t.then(function(){\n \t\t\treturn view.display();\n \t\t}.bind(this))\n \t\t.then(function(){\n \t\t\treturn this.hooks.render.trigger(view, this);\n \t\t}.bind(this))\n \t\t.then(function(){\n \t\t\tif(show !== false) {\n \t\t\t\tthis.q.enqueue(function(view){\n \t\t\t\t\tview.show();\n \t\t\t\t}, view);\n \t\t\t}\n \t\t\t// this.map = new Map(view, this.layout);\n \t\t\tthis.hooks.show.trigger(view, this);\n \t\t\tthis.trigger(\"rendered\", view.section);\n \t\t\t}.bind(this))\n \t\t.catch(function(e){\n \t\t\tthis.trigger(\"loaderror\", e);\n \t\t}.bind(this));\n \t}\n */\n\n /**\n * Report what section has been displayed\n * @private\n * @param {*} view\n */\n\n }, {\n key: \"afterDisplayed\",\n value: function afterDisplayed(view) {\n var _this2 = this;\n\n view.on(_constants.EVENTS.VIEWS.MARK_CLICKED, function (cfiRange, data) {\n return _this2.triggerMarkEvent(cfiRange, data, view.contents);\n });\n this.hooks.render.trigger(view, this).then(function () {\n if (view.contents) {\n _this2.hooks.content.trigger(view.contents, _this2).then(function () {\n /**\n * Emit that a section has been rendered\n * @event rendered\n * @param {Section} section\n * @param {View} view\n * @memberof Rendition\n */\n _this2.emit(_constants.EVENTS.RENDITION.RENDERED, view.section, view);\n });\n } else {\n _this2.emit(_constants.EVENTS.RENDITION.RENDERED, view.section, view);\n }\n });\n }\n /**\n * Report what has been removed\n * @private\n * @param {*} view\n */\n\n }, {\n key: \"afterRemoved\",\n value: function afterRemoved(view) {\n var _this3 = this;\n\n this.hooks.unloaded.trigger(view, this).then(function () {\n /**\n * Emit that a section has been removed\n * @event removed\n * @param {Section} section\n * @param {View} view\n * @memberof Rendition\n */\n _this3.emit(_constants.EVENTS.RENDITION.REMOVED, view.section, view);\n });\n }\n /**\n * Report resize events and display the last seen location\n * @private\n */\n\n }, {\n key: \"onResized\",\n value: function onResized(size, epubcfi) {\n /**\n * Emit that the rendition has been resized\n * @event resized\n * @param {number} width\n * @param {height} height\n * @param {string} epubcfi (optional)\n * @memberof Rendition\n */\n this.emit(_constants.EVENTS.RENDITION.RESIZED, {\n width: size.width,\n height: size.height\n }, epubcfi);\n\n if (this.location && this.location.start) {\n this.display(epubcfi || this.location.start.cfi);\n }\n }\n /**\n * Report orientation events and display the last seen location\n * @private\n */\n\n }, {\n key: \"onOrientationChange\",\n value: function onOrientationChange(orientation) {\n /**\n * Emit that the rendition has been rotated\n * @event orientationchange\n * @param {string} orientation\n * @memberof Rendition\n */\n this.emit(_constants.EVENTS.RENDITION.ORIENTATION_CHANGE, orientation);\n }\n /**\n * Move the Rendition to a specific offset\n * Usually you would be better off calling display()\n * @param {object} offset\n */\n\n }, {\n key: \"moveTo\",\n value: function moveTo(offset) {\n this.manager.moveTo(offset);\n }\n /**\n * Trigger a resize of the views\n * @param {number} [width]\n * @param {number} [height]\n * @param {string} [epubcfi] (optional)\n */\n\n }, {\n key: \"resize\",\n value: function resize(width, height, epubcfi) {\n if (width) {\n this.settings.width = width;\n }\n\n if (height) {\n this.settings.height = height;\n }\n\n this.manager.resize(width, height, epubcfi);\n }\n /**\n * Clear all rendered views\n */\n\n }, {\n key: \"clear\",\n value: function clear() {\n this.manager.clear();\n }\n /**\n * Go to the next \"page\" in the rendition\n * @return {Promise}\n */\n\n }, {\n key: \"next\",\n value: function next() {\n return this.q.enqueue(this.manager.next.bind(this.manager)).then(this.reportLocation.bind(this));\n }\n /**\n * Go to the previous \"page\" in the rendition\n * @return {Promise}\n */\n\n }, {\n key: \"prev\",\n value: function prev() {\n return this.q.enqueue(this.manager.prev.bind(this.manager)).then(this.reportLocation.bind(this));\n } //-- http://www.idpf.org/epub/301/spec/epub-publications.html#meta-properties-rendering\n\n /**\n * Determine the Layout properties from metadata and settings\n * @private\n * @param {object} metadata\n * @return {object} properties\n */\n\n }, {\n key: \"determineLayoutProperties\",\n value: function determineLayoutProperties(metadata) {\n var properties;\n var layout = this.settings.layout || metadata.layout || \"reflowable\";\n var spread = this.settings.spread || metadata.spread || \"auto\";\n var orientation = this.settings.orientation || metadata.orientation || \"auto\";\n var flow = this.settings.flow || metadata.flow || \"auto\";\n var viewport = metadata.viewport || \"\";\n var minSpreadWidth = this.settings.minSpreadWidth || metadata.minSpreadWidth || 800;\n var direction = this.settings.direction || metadata.direction || \"ltr\";\n\n if ((this.settings.width === 0 || this.settings.width > 0) && (this.settings.height === 0 || this.settings.height > 0)) {// viewport = \"width=\"+this.settings.width+\", height=\"+this.settings.height+\"\";\n }\n\n properties = {\n layout: layout,\n spread: spread,\n orientation: orientation,\n flow: flow,\n viewport: viewport,\n minSpreadWidth: minSpreadWidth,\n direction: direction\n };\n return properties;\n }\n /**\n * Adjust the flow of the rendition to paginated or scrolled\n * (scrolled-continuous vs scrolled-doc are handled by different view managers)\n * @param {string} flow\n */\n\n }, {\n key: \"flow\",\n value: function flow(_flow2) {\n var _flow = _flow2;\n\n if (_flow2 === \"scrolled\" || _flow2 === \"scrolled-doc\" || _flow2 === \"scrolled-continuous\") {\n _flow = \"scrolled\";\n }\n\n if (_flow2 === \"auto\" || _flow2 === \"paginated\") {\n _flow = \"paginated\";\n }\n\n this.settings.flow = _flow2;\n\n if (this._layout) {\n this._layout.flow(_flow);\n }\n\n if (this.manager && this._layout) {\n this.manager.applyLayout(this._layout);\n }\n\n if (this.manager) {\n this.manager.updateFlow(_flow);\n }\n\n if (this.manager && this.manager.isRendered() && this.location) {\n this.manager.clear();\n this.display(this.location.start.cfi);\n }\n }\n /**\n * Adjust the layout of the rendition to reflowable or pre-paginated\n * @param {object} settings\n */\n\n }, {\n key: \"layout\",\n value: function layout(settings) {\n var _this4 = this;\n\n if (settings) {\n this._layout = new _layout.default(settings);\n\n this._layout.spread(settings.spread, this.settings.minSpreadWidth); // this.mapping = new Mapping(this._layout.props);\n\n\n this._layout.on(_constants.EVENTS.LAYOUT.UPDATED, function (props, changed) {\n _this4.emit(_constants.EVENTS.RENDITION.LAYOUT, props, changed);\n });\n }\n\n if (this.manager && this._layout) {\n this.manager.applyLayout(this._layout);\n }\n\n return this._layout;\n }\n /**\n * Adjust if the rendition uses spreads\n * @param {string} spread none | auto (TODO: implement landscape, portrait, both)\n * @param {int} [min] min width to use spreads at\n */\n\n }, {\n key: \"spread\",\n value: function spread(_spread, min) {\n this.settings.spread = _spread;\n\n if (min) {\n this.settings.minSpreadWidth = min;\n }\n\n if (this._layout) {\n this._layout.spread(_spread, min);\n }\n\n if (this.manager && this.manager.isRendered()) {\n this.manager.updateLayout();\n }\n }\n /**\n * Adjust the direction of the rendition\n * @param {string} dir\n */\n\n }, {\n key: \"direction\",\n value: function direction(dir) {\n this.settings.direction = dir || \"ltr\";\n\n if (this.manager) {\n this.manager.direction(this.settings.direction);\n }\n\n if (this.manager && this.manager.isRendered() && this.location) {\n this.manager.clear();\n this.display(this.location.start.cfi);\n }\n }\n /**\n * Report the current location\n * @fires relocated\n * @fires locationChanged\n */\n\n }, {\n key: \"reportLocation\",\n value: function reportLocation() {\n return this.q.enqueue(function reportedLocation() {\n requestAnimationFrame(function reportedLocationAfterRAF() {\n var location = this.manager.currentLocation();\n\n if (location && location.then && typeof location.then === \"function\") {\n location.then(function (result) {\n var located = this.located(result);\n\n if (!located || !located.start || !located.end) {\n return;\n }\n\n this.location = located;\n this.emit(_constants.EVENTS.RENDITION.LOCATION_CHANGED, {\n index: this.location.start.index,\n href: this.location.start.href,\n start: this.location.start.cfi,\n end: this.location.end.cfi,\n percentage: this.location.start.percentage\n });\n this.emit(_constants.EVENTS.RENDITION.RELOCATED, this.location);\n }.bind(this));\n } else if (location) {\n var located = this.located(location);\n\n if (!located || !located.start || !located.end) {\n return;\n }\n\n this.location = located;\n /**\n * @event locationChanged\n * @deprecated\n * @type {object}\n * @property {number} index\n * @property {string} href\n * @property {EpubCFI} start\n * @property {EpubCFI} end\n * @property {number} percentage\n * @memberof Rendition\n */\n\n this.emit(_constants.EVENTS.RENDITION.LOCATION_CHANGED, {\n index: this.location.start.index,\n href: this.location.start.href,\n start: this.location.start.cfi,\n end: this.location.end.cfi,\n percentage: this.location.start.percentage\n });\n /**\n * @event relocated\n * @type {displayedLocation}\n * @memberof Rendition\n */\n\n this.emit(_constants.EVENTS.RENDITION.RELOCATED, this.location);\n }\n }.bind(this));\n }.bind(this));\n }\n /**\n * Get the Current Location object\n * @return {displayedLocation | promise} location (may be a promise)\n */\n\n }, {\n key: \"currentLocation\",\n value: function currentLocation() {\n var location = this.manager.currentLocation();\n\n if (location && location.then && typeof location.then === \"function\") {\n location.then(function (result) {\n var located = this.located(result);\n return located;\n }.bind(this));\n } else if (location) {\n var located = this.located(location);\n return located;\n }\n }\n /**\n * Creates a Rendition#locationRange from location\n * passed by the Manager\n * @returns {displayedLocation}\n * @private\n */\n\n }, {\n key: \"located\",\n value: function located(location) {\n if (!location.length) {\n return {};\n }\n\n var start = location[0];\n var end = location[location.length - 1];\n var located = {\n start: {\n index: start.index,\n href: start.href,\n cfi: start.mapping.start,\n displayed: {\n page: start.pages[0] || 1,\n total: start.totalPages\n }\n },\n end: {\n index: end.index,\n href: end.href,\n cfi: end.mapping.end,\n displayed: {\n page: end.pages[end.pages.length - 1] || 1,\n total: end.totalPages\n }\n }\n };\n var locationStart = this.book.locations.locationFromCfi(start.mapping.start);\n var locationEnd = this.book.locations.locationFromCfi(end.mapping.end);\n\n if (locationStart != null) {\n located.start.location = locationStart;\n located.start.percentage = this.book.locations.percentageFromLocation(locationStart);\n }\n\n if (locationEnd != null) {\n located.end.location = locationEnd;\n located.end.percentage = this.book.locations.percentageFromLocation(locationEnd);\n }\n\n var pageStart = this.book.pageList.pageFromCfi(start.mapping.start);\n var pageEnd = this.book.pageList.pageFromCfi(end.mapping.end);\n\n if (pageStart != -1) {\n located.start.page = pageStart;\n }\n\n if (pageEnd != -1) {\n located.end.page = pageEnd;\n }\n\n if (end.index === this.book.spine.last().index && located.end.displayed.page >= located.end.displayed.total) {\n located.atEnd = true;\n }\n\n if (start.index === this.book.spine.first().index && located.start.displayed.page === 1) {\n located.atStart = true;\n }\n\n return located;\n }\n /**\n * Remove and Clean Up the Rendition\n */\n\n }, {\n key: \"destroy\",\n value: function destroy() {\n // Clear the queue\n // this.q.clear();\n // this.q = undefined;\n this.manager && this.manager.destroy();\n this.book = undefined; // this.views = null;\n // this.hooks.display.clear();\n // this.hooks.serialize.clear();\n // this.hooks.content.clear();\n // this.hooks.layout.clear();\n // this.hooks.render.clear();\n // this.hooks.show.clear();\n // this.hooks = {};\n // this.themes.destroy();\n // this.themes = undefined;\n // this.epubcfi = undefined;\n // this.starting = undefined;\n // this.started = undefined;\n }\n /**\n * Pass the events from a view's Contents\n * @private\n * @param {Contents} view contents\n */\n\n }, {\n key: \"passEvents\",\n value: function passEvents(contents) {\n var _this5 = this;\n\n _constants.DOM_EVENTS.forEach(function (e) {\n contents.on(e, function (ev) {\n return _this5.triggerViewEvent(ev, contents);\n });\n });\n\n contents.on(_constants.EVENTS.CONTENTS.SELECTED, function (e) {\n return _this5.triggerSelectedEvent(e, contents);\n });\n }\n /**\n * Emit events passed by a view\n * @private\n * @param {event} e\n */\n\n }, {\n key: \"triggerViewEvent\",\n value: function triggerViewEvent(e, contents) {\n this.emit(e.type, e, contents);\n }\n /**\n * Emit a selection event's CFI Range passed from a a view\n * @private\n * @param {EpubCFI} cfirange\n */\n\n }, {\n key: \"triggerSelectedEvent\",\n value: function triggerSelectedEvent(cfirange, contents) {\n /**\n * Emit that a text selection has occured\n * @event selected\n * @param {EpubCFI} cfirange\n * @param {Contents} contents\n * @memberof Rendition\n */\n this.emit(_constants.EVENTS.RENDITION.SELECTED, cfirange, contents);\n }\n /**\n * Emit a markClicked event with the cfiRange and data from a mark\n * @private\n * @param {EpubCFI} cfirange\n */\n\n }, {\n key: \"triggerMarkEvent\",\n value: function triggerMarkEvent(cfiRange, data, contents) {\n /**\n * Emit that a mark was clicked\n * @event markClicked\n * @param {EpubCFI} cfirange\n * @param {object} data\n * @param {Contents} contents\n * @memberof Rendition\n */\n this.emit(_constants.EVENTS.RENDITION.MARK_CLICKED, cfiRange, data, contents);\n }\n /**\n * Get a Range from a Visible CFI\n * @param {string} cfi EpubCfi String\n * @param {string} ignoreClass\n * @return {range}\n */\n\n }, {\n key: \"getRange\",\n value: function getRange(cfi, ignoreClass) {\n var _cfi = new _epubcfi.default(cfi);\n\n var found = this.manager.visible().filter(function (view) {\n if (_cfi.spinePos === view.index) return true;\n }); // Should only every return 1 item\n\n if (found.length) {\n return found[0].contents.range(_cfi, ignoreClass);\n }\n }\n /**\n * Hook to adjust images to fit in columns\n * @param {Contents} contents\n * @private\n */\n\n }, {\n key: \"adjustImages\",\n value: function adjustImages(contents) {\n if (this._layout.name === \"pre-paginated\") {\n return new Promise(function (resolve) {\n resolve();\n });\n }\n\n var computed = contents.window.getComputedStyle(contents.content, null);\n var height = (contents.content.offsetHeight - (parseFloat(computed.paddingTop) + parseFloat(computed.paddingBottom))) * .95;\n var horizontalPadding = parseFloat(computed.paddingLeft) + parseFloat(computed.paddingRight);\n contents.addStylesheetRules({\n \"img\": {\n \"max-width\": (this._layout.columnWidth ? this._layout.columnWidth - horizontalPadding + \"px\" : \"100%\") + \"!important\",\n \"max-height\": height + \"px\" + \"!important\",\n \"object-fit\": \"contain\",\n \"page-break-inside\": \"avoid\",\n \"break-inside\": \"avoid\",\n \"box-sizing\": \"border-box\"\n },\n \"svg\": {\n \"max-width\": (this._layout.columnWidth ? this._layout.columnWidth - horizontalPadding + \"px\" : \"100%\") + \"!important\",\n \"max-height\": height + \"px\" + \"!important\",\n \"page-break-inside\": \"avoid\",\n \"break-inside\": \"avoid\"\n }\n });\n return new Promise(function (resolve, reject) {\n // Wait to apply\n setTimeout(function () {\n resolve();\n }, 1);\n });\n }\n /**\n * Get the Contents object of each rendered view\n * @returns {Contents[]}\n */\n\n }, {\n key: \"getContents\",\n value: function getContents() {\n return this.manager ? this.manager.getContents() : [];\n }\n /**\n * Get the views member from the manager\n * @returns {Views}\n */\n\n }, {\n key: \"views\",\n value: function views() {\n var views = this.manager ? this.manager.views : undefined;\n return views || [];\n }\n /**\n * Hook to handle link clicks in rendered content\n * @param {Contents} contents\n * @private\n */\n\n }, {\n key: \"handleLinks\",\n value: function handleLinks(contents) {\n var _this6 = this;\n\n if (contents) {\n contents.on(_constants.EVENTS.CONTENTS.LINK_CLICKED, function (href) {\n var relative = _this6.book.path.relative(href);\n\n _this6.display(relative);\n });\n }\n }\n /**\n * Hook to handle injecting stylesheet before\n * a Section is serialized\n * @param {document} doc\n * @param {Section} section\n * @private\n */\n\n }, {\n key: \"injectStylesheet\",\n value: function injectStylesheet(doc, section) {\n var style = doc.createElement(\"link\");\n style.setAttribute(\"type\", \"text/css\");\n style.setAttribute(\"rel\", \"stylesheet\");\n style.setAttribute(\"href\", this.settings.stylesheet);\n doc.getElementsByTagName(\"head\")[0].appendChild(style);\n }\n /**\n * Hook to handle injecting scripts before\n * a Section is serialized\n * @param {document} doc\n * @param {Section} section\n * @private\n */\n\n }, {\n key: \"injectScript\",\n value: function injectScript(doc, section) {\n var script = doc.createElement(\"script\");\n script.setAttribute(\"type\", \"text/javascript\");\n script.setAttribute(\"src\", this.settings.script);\n script.textContent = \" \"; // Needed to prevent self closing tag\n\n doc.getElementsByTagName(\"head\")[0].appendChild(script);\n }\n /**\n * Hook to handle the document identifier before\n * a Section is serialized\n * @param {document} doc\n * @param {Section} section\n * @private\n */\n\n }, {\n key: \"injectIdentifier\",\n value: function injectIdentifier(doc, section) {\n var ident = this.book.packaging.metadata.identifier;\n var meta = doc.createElement(\"meta\");\n meta.setAttribute(\"name\", \"dc.relation.ispartof\");\n\n if (ident) {\n meta.setAttribute(\"content\", ident);\n }\n\n doc.getElementsByTagName(\"head\")[0].appendChild(meta);\n }\n }]);\n\n return Rendition;\n}(); //-- Enable binding events to Renderer\n\n\n(0, _eventEmitter.default)(Rendition.prototype);\nvar _default = Rendition;\nexports.default = _default;","\"use strict\";\n\nfunction _typeof(obj) { \"@babel/helpers - typeof\"; return _typeof = \"function\" == typeof Symbol && \"symbol\" == typeof Symbol.iterator ? function (obj) { return typeof obj; } : function (obj) { return obj && \"function\" == typeof Symbol && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj; }, _typeof(obj); }\n\nfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\nfunction _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if (\"value\" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } }\n\nfunction _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, \"prototype\", { writable: false }); return Constructor; }\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\nexports.default = void 0;\n\nvar _eventEmitter = _interopRequireDefault(require(\"event-emitter\"));\n\nvar _core = require(\"../../utils/core\");\n\nvar _scrolltype = _interopRequireDefault(require(\"../../utils/scrolltype\"));\n\nvar _mapping = _interopRequireDefault(require(\"../../mapping\"));\n\nvar _queue = _interopRequireDefault(require(\"../../utils/queue\"));\n\nvar _stage = _interopRequireDefault(require(\"../helpers/stage\"));\n\nvar _views = _interopRequireDefault(require(\"../helpers/views\"));\n\nvar _constants = require(\"../../utils/constants\");\n\nfunction _interopRequireDefault(obj) {\n return obj && obj.__esModule ? obj : {\n default: obj\n };\n}\n\nvar DefaultViewManager = /*#__PURE__*/function () {\n function DefaultViewManager(options) {\n _classCallCheck(this, DefaultViewManager);\n\n this.name = \"default\";\n this.optsSettings = options.settings;\n this.View = options.view;\n this.request = options.request;\n this.renditionQueue = options.queue;\n this.q = new _queue.default(this);\n this.settings = (0, _core.extend)(this.settings || {}, {\n infinite: true,\n hidden: false,\n width: undefined,\n height: undefined,\n axis: undefined,\n writingMode: undefined,\n flow: \"scrolled\",\n ignoreClass: \"\",\n fullsize: undefined\n });\n (0, _core.extend)(this.settings, options.settings || {});\n this.viewSettings = {\n ignoreClass: this.settings.ignoreClass,\n axis: this.settings.axis,\n flow: this.settings.flow,\n layout: this.layout,\n method: this.settings.method,\n // srcdoc, blobUrl, write\n width: 0,\n height: 0,\n forceEvenPages: true\n };\n this.rendered = false;\n }\n\n _createClass(DefaultViewManager, [{\n key: \"render\",\n value: function render(element, size) {\n var tag = element.tagName;\n\n if (typeof this.settings.fullsize === \"undefined\" && tag && (tag.toLowerCase() == \"body\" || tag.toLowerCase() == \"html\")) {\n this.settings.fullsize = true;\n }\n\n if (this.settings.fullsize) {\n this.settings.overflow = \"visible\";\n this.overflow = this.settings.overflow;\n }\n\n this.settings.size = size;\n this.settings.rtlScrollType = (0, _scrolltype.default)(); // Save the stage\n\n this.stage = new _stage.default({\n width: size.width,\n height: size.height,\n overflow: this.overflow,\n hidden: this.settings.hidden,\n axis: this.settings.axis,\n fullsize: this.settings.fullsize,\n direction: this.settings.direction\n });\n this.stage.attachTo(element); // Get this stage container div\n\n this.container = this.stage.getContainer(); // Views array methods\n\n this.views = new _views.default(this.container); // Calculate Stage Size\n\n this._bounds = this.bounds();\n this._stageSize = this.stage.size(); // Set the dimensions for views\n\n this.viewSettings.width = this._stageSize.width;\n this.viewSettings.height = this._stageSize.height; // Function to handle a resize event.\n // Will only attach if width and height are both fixed.\n\n this.stage.onResize(this.onResized.bind(this));\n this.stage.onOrientationChange(this.onOrientationChange.bind(this)); // Add Event Listeners\n\n this.addEventListeners(); // Add Layout method\n // this.applyLayoutMethod();\n\n if (this.layout) {\n this.updateLayout();\n }\n\n this.rendered = true;\n }\n }, {\n key: \"addEventListeners\",\n value: function addEventListeners() {\n var scroller;\n window.addEventListener(\"unload\", function (e) {\n this.destroy();\n }.bind(this));\n\n if (!this.settings.fullsize) {\n scroller = this.container;\n } else {\n scroller = window;\n }\n\n this._onScroll = this.onScroll.bind(this);\n scroller.addEventListener(\"scroll\", this._onScroll);\n }\n }, {\n key: \"removeEventListeners\",\n value: function removeEventListeners() {\n var scroller;\n\n if (!this.settings.fullsize) {\n scroller = this.container;\n } else {\n scroller = window;\n }\n\n scroller.removeEventListener(\"scroll\", this._onScroll);\n this._onScroll = undefined;\n }\n }, {\n key: \"destroy\",\n value: function destroy() {\n clearTimeout(this.orientationTimeout);\n clearTimeout(this.resizeTimeout);\n clearTimeout(this.afterScrolled);\n this.clear();\n this.removeEventListeners();\n this.stage.destroy();\n this.rendered = false;\n /*\n \t\tclearTimeout(this.trimTimeout);\n \tif(this.settings.hidden) {\n \t\tthis.element.removeChild(this.wrapper);\n \t} else {\n \t\tthis.element.removeChild(this.container);\n \t}\n */\n }\n }, {\n key: \"onOrientationChange\",\n value: function onOrientationChange(e) {\n var _window = window,\n orientation = _window.orientation;\n\n if (this.optsSettings.resizeOnOrientationChange) {\n this.resize();\n } // Per ampproject:\n // In IOS 10.3, the measured size of an element is incorrect if the\n // element size depends on window size directly and the measurement\n // happens in window.resize event. Adding a timeout for correct\n // measurement. See https://github.com/ampproject/amphtml/issues/8479\n\n\n clearTimeout(this.orientationTimeout);\n this.orientationTimeout = setTimeout(function () {\n this.orientationTimeout = undefined;\n\n if (this.optsSettings.resizeOnOrientationChange) {\n this.resize();\n }\n\n this.emit(_constants.EVENTS.MANAGERS.ORIENTATION_CHANGE, orientation);\n }.bind(this), 500);\n }\n }, {\n key: \"onResized\",\n value: function onResized(e) {\n this.resize();\n }\n }, {\n key: \"resize\",\n value: function resize(width, height, epubcfi) {\n var stageSize = this.stage.size(width, height); // For Safari, wait for orientation to catch up\n // if the window is a square\n\n this.winBounds = (0, _core.windowBounds)();\n\n if (this.orientationTimeout && this.winBounds.width === this.winBounds.height) {\n // reset the stage size for next resize\n this._stageSize = undefined;\n return;\n }\n\n if (this._stageSize && this._stageSize.width === stageSize.width && this._stageSize.height === stageSize.height) {\n // Size is the same, no need to resize\n return;\n }\n\n this._stageSize = stageSize;\n this._bounds = this.bounds(); // Clear current views\n\n this.clear(); // Update for new views\n\n this.viewSettings.width = this._stageSize.width;\n this.viewSettings.height = this._stageSize.height;\n this.updateLayout();\n this.emit(_constants.EVENTS.MANAGERS.RESIZED, {\n width: this._stageSize.width,\n height: this._stageSize.height\n }, epubcfi);\n }\n }, {\n key: \"createView\",\n value: function createView(section, forceRight) {\n return new this.View(section, (0, _core.extend)(this.viewSettings, {\n forceRight: forceRight\n }));\n }\n }, {\n key: \"handleNextPrePaginated\",\n value: function handleNextPrePaginated(forceRight, section, action) {\n var next;\n\n if (this.layout.name === \"pre-paginated\" && this.layout.divisor > 1) {\n if (forceRight || section.index === 0) {\n // First page (cover) should stand alone for pre-paginated books\n return;\n }\n\n next = section.next();\n\n if (next && !next.properties.includes(\"page-spread-left\")) {\n return action.call(this, next);\n }\n }\n }\n }, {\n key: \"display\",\n value: function display(section, target) {\n var displaying = new _core.defer();\n var displayed = displaying.promise; // Check if moving to target is needed\n\n if (target === section.href || (0, _core.isNumber)(target)) {\n target = undefined;\n } // Check to make sure the section we want isn't already shown\n\n\n var visible = this.views.find(section); // View is already shown, just move to correct location in view\n\n if (visible && section && this.layout.name !== \"pre-paginated\") {\n var offset = visible.offset();\n\n if (this.settings.direction === \"ltr\") {\n this.scrollTo(offset.left, offset.top, true);\n } else {\n var width = visible.width();\n this.scrollTo(offset.left + width, offset.top, true);\n }\n\n if (target) {\n var _offset = visible.locationOf(target);\n\n this.moveTo(_offset);\n }\n\n displaying.resolve();\n return displayed;\n } // Hide all current views\n\n\n this.clear();\n var forceRight = false;\n\n if (this.layout.name === \"pre-paginated\" && this.layout.divisor === 2 && section.properties.includes(\"page-spread-right\")) {\n forceRight = true;\n }\n\n this.add(section, forceRight).then(function (view) {\n // Move to correct place within the section, if needed\n if (target) {\n var _offset2 = view.locationOf(target);\n\n this.moveTo(_offset2);\n }\n }.bind(this), function (err) {\n displaying.reject(err);\n }).then(function () {\n return this.handleNextPrePaginated(forceRight, section, this.add);\n }.bind(this)).then(function () {\n this.views.show();\n displaying.resolve();\n }.bind(this)); // .then(function(){\n // \treturn this.hooks.display.trigger(view);\n // }.bind(this))\n // .then(function(){\n // \tthis.views.show();\n // }.bind(this));\n\n return displayed;\n }\n }, {\n key: \"afterDisplayed\",\n value: function afterDisplayed(view) {\n this.emit(_constants.EVENTS.MANAGERS.ADDED, view);\n }\n }, {\n key: \"afterResized\",\n value: function afterResized(view) {\n this.emit(_constants.EVENTS.MANAGERS.RESIZE, view.section);\n }\n }, {\n key: \"moveTo\",\n value: function moveTo(offset) {\n var distX = 0,\n distY = 0;\n\n if (!this.isPaginated) {\n distY = offset.top;\n } else {\n distX = Math.floor(offset.left / this.layout.delta) * this.layout.delta;\n\n if (distX + this.layout.delta > this.container.scrollWidth) {\n distX = this.container.scrollWidth - this.layout.delta;\n }\n }\n\n this.scrollTo(distX, distY, true);\n }\n }, {\n key: \"add\",\n value: function add(section, forceRight) {\n var _this = this;\n\n var view = this.createView(section, forceRight);\n this.views.append(view); // view.on(EVENTS.VIEWS.SHOWN, this.afterDisplayed.bind(this));\n\n view.onDisplayed = this.afterDisplayed.bind(this);\n view.onResize = this.afterResized.bind(this);\n view.on(_constants.EVENTS.VIEWS.AXIS, function (axis) {\n _this.updateAxis(axis);\n });\n view.on(_constants.EVENTS.VIEWS.WRITING_MODE, function (mode) {\n _this.updateWritingMode(mode);\n });\n return view.display(this.request);\n }\n }, {\n key: \"append\",\n value: function append(section, forceRight) {\n var _this2 = this;\n\n var view = this.createView(section, forceRight);\n this.views.append(view);\n view.onDisplayed = this.afterDisplayed.bind(this);\n view.onResize = this.afterResized.bind(this);\n view.on(_constants.EVENTS.VIEWS.AXIS, function (axis) {\n _this2.updateAxis(axis);\n });\n view.on(_constants.EVENTS.VIEWS.WRITING_MODE, function (mode) {\n _this2.updateWritingMode(mode);\n });\n return view.display(this.request);\n }\n }, {\n key: \"prepend\",\n value: function prepend(section, forceRight) {\n var _this3 = this;\n\n var view = this.createView(section, forceRight);\n view.on(_constants.EVENTS.VIEWS.RESIZED, function (bounds) {\n _this3.counter(bounds);\n });\n this.views.prepend(view);\n view.onDisplayed = this.afterDisplayed.bind(this);\n view.onResize = this.afterResized.bind(this);\n view.on(_constants.EVENTS.VIEWS.AXIS, function (axis) {\n _this3.updateAxis(axis);\n });\n view.on(_constants.EVENTS.VIEWS.WRITING_MODE, function (mode) {\n _this3.updateWritingMode(mode);\n });\n return view.display(this.request);\n }\n }, {\n key: \"counter\",\n value: function counter(bounds) {\n if (this.settings.axis === \"vertical\") {\n this.scrollBy(0, bounds.heightDelta, true);\n } else {\n this.scrollBy(bounds.widthDelta, 0, true);\n }\n } // resizeView(view) {\n //\n // \tif(this.settings.globalLayoutProperties.layout === \"pre-paginated\") {\n // \t\tview.lock(\"both\", this.bounds.width, this.bounds.height);\n // \t} else {\n // \t\tview.lock(\"width\", this.bounds.width, this.bounds.height);\n // \t}\n //\n // };\n\n }, {\n key: \"next\",\n value: function next() {\n var next;\n var left;\n var dir = this.settings.direction;\n if (!this.views.length) return;\n\n if (this.isPaginated && this.settings.axis === \"horizontal\" && (!dir || dir === \"ltr\")) {\n this.scrollLeft = this.container.scrollLeft;\n left = this.container.scrollLeft + this.container.offsetWidth + this.layout.delta;\n\n if (left <= this.container.scrollWidth) {\n this.scrollBy(this.layout.delta, 0, true);\n } else {\n next = this.views.last().section.next();\n }\n } else if (this.isPaginated && this.settings.axis === \"horizontal\" && dir === \"rtl\") {\n this.scrollLeft = this.container.scrollLeft;\n\n if (this.settings.rtlScrollType === \"default\") {\n left = this.container.scrollLeft;\n\n if (left > 0) {\n this.scrollBy(this.layout.delta, 0, true);\n } else {\n next = this.views.last().section.next();\n }\n } else {\n left = this.container.scrollLeft + this.layout.delta * -1;\n\n if (left > this.container.scrollWidth * -1) {\n this.scrollBy(this.layout.delta, 0, true);\n } else {\n next = this.views.last().section.next();\n }\n }\n } else if (this.isPaginated && this.settings.axis === \"vertical\") {\n this.scrollTop = this.container.scrollTop;\n var top = this.container.scrollTop + this.container.offsetHeight;\n\n if (top < this.container.scrollHeight) {\n this.scrollBy(0, this.layout.height, true);\n } else {\n next = this.views.last().section.next();\n }\n } else {\n next = this.views.last().section.next();\n }\n\n if (next) {\n this.clear();\n var forceRight = false;\n\n if (this.layout.name === \"pre-paginated\" && this.layout.divisor === 2 && next.properties.includes(\"page-spread-right\")) {\n forceRight = true;\n }\n\n return this.append(next, forceRight).then(function () {\n return this.handleNextPrePaginated(forceRight, next, this.append);\n }.bind(this), function (err) {\n return err;\n }).then(function () {\n // Reset position to start for scrolled-doc vertical-rl in default mode\n if (!this.isPaginated && this.settings.axis === \"horizontal\" && this.settings.direction === \"rtl\" && this.settings.rtlScrollType === \"default\") {\n this.scrollTo(this.container.scrollWidth, 0, true);\n }\n\n this.views.show();\n }.bind(this));\n }\n }\n }, {\n key: \"prev\",\n value: function prev() {\n var prev;\n var left;\n var dir = this.settings.direction;\n if (!this.views.length) return;\n\n if (this.isPaginated && this.settings.axis === \"horizontal\" && (!dir || dir === \"ltr\")) {\n this.scrollLeft = this.container.scrollLeft;\n left = this.container.scrollLeft;\n\n if (left > 0) {\n this.scrollBy(-this.layout.delta, 0, true);\n } else {\n prev = this.views.first().section.prev();\n }\n } else if (this.isPaginated && this.settings.axis === \"horizontal\" && dir === \"rtl\") {\n this.scrollLeft = this.container.scrollLeft;\n\n if (this.settings.rtlScrollType === \"default\") {\n left = this.container.scrollLeft + this.container.offsetWidth;\n\n if (left < this.container.scrollWidth) {\n this.scrollBy(-this.layout.delta, 0, true);\n } else {\n prev = this.views.first().section.prev();\n }\n } else {\n left = this.container.scrollLeft;\n\n if (left < 0) {\n this.scrollBy(-this.layout.delta, 0, true);\n } else {\n prev = this.views.first().section.prev();\n }\n }\n } else if (this.isPaginated && this.settings.axis === \"vertical\") {\n this.scrollTop = this.container.scrollTop;\n var top = this.container.scrollTop;\n\n if (top > 0) {\n this.scrollBy(0, -this.layout.height, true);\n } else {\n prev = this.views.first().section.prev();\n }\n } else {\n prev = this.views.first().section.prev();\n }\n\n if (prev) {\n this.clear();\n var forceRight = false;\n\n if (this.layout.name === \"pre-paginated\" && this.layout.divisor === 2 && _typeof(prev.prev()) !== \"object\") {\n forceRight = true;\n }\n\n return this.prepend(prev, forceRight).then(function () {\n var left;\n\n if (this.layout.name === \"pre-paginated\" && this.layout.divisor > 1) {\n left = prev.prev();\n\n if (left) {\n return this.prepend(left);\n }\n }\n }.bind(this), function (err) {\n return err;\n }).then(function () {\n if (this.isPaginated && this.settings.axis === \"horizontal\") {\n if (this.settings.direction === \"rtl\") {\n if (this.settings.rtlScrollType === \"default\") {\n this.scrollTo(0, 0, true);\n } else {\n this.scrollTo(this.container.scrollWidth * -1 + this.layout.delta, 0, true);\n }\n } else {\n this.scrollTo(this.container.scrollWidth - this.layout.delta, 0, true);\n }\n }\n\n this.views.show();\n }.bind(this));\n }\n }\n }, {\n key: \"current\",\n value: function current() {\n var visible = this.visible();\n\n if (visible.length) {\n // Current is the last visible view\n return visible[visible.length - 1];\n }\n\n return null;\n }\n }, {\n key: \"clear\",\n value: function clear() {\n // this.q.clear();\n if (this.views) {\n this.views.hide();\n this.scrollTo(0, 0, true);\n this.views.clear();\n }\n }\n }, {\n key: \"currentLocation\",\n value: function currentLocation() {\n if (this.isPaginated && this.settings.axis === \"horizontal\") {\n this.location = this.paginatedLocation();\n } else {\n this.location = this.scrolledLocation();\n }\n\n return this.location;\n }\n }, {\n key: \"scrolledLocation\",\n value: function scrolledLocation() {\n var _this4 = this;\n\n var visible = this.visible();\n var container = this.container.getBoundingClientRect();\n var pageHeight = container.height < window.innerHeight ? container.height : window.innerHeight;\n var pageWidth = container.width < window.innerWidth ? container.width : window.innerWidth;\n var vertical = this.settings.axis === \"vertical\";\n var rtl = this.settings.direction === \"rtl\";\n var offset = 0;\n var used = 0;\n\n if (this.settings.fullsize) {\n offset = vertical ? window.scrollY : window.scrollX;\n }\n\n var sections = visible.map(function (view) {\n var _view$section = view.section,\n index = _view$section.index,\n href = _view$section.href;\n var position = view.position();\n var width = view.width();\n var height = view.height();\n var startPos;\n var endPos;\n var stopPos;\n var totalPages;\n\n if (vertical) {\n startPos = offset + container.top - position.top + used;\n endPos = startPos + pageHeight - used;\n totalPages = _this4.layout.count(height, pageHeight).pages;\n stopPos = pageHeight;\n } else {\n startPos = offset + container.left - position.left + used;\n endPos = startPos + pageWidth - used;\n totalPages = _this4.layout.count(width, pageWidth).pages;\n stopPos = pageWidth;\n }\n\n var currPage = Math.ceil(startPos / stopPos);\n var pages = [];\n var endPage = Math.ceil(endPos / stopPos); // Reverse page counts for horizontal rtl\n\n if (_this4.settings.direction === \"rtl\" && !vertical) {\n var tempStartPage = currPage;\n currPage = totalPages - endPage;\n endPage = totalPages - tempStartPage;\n }\n\n pages = [];\n\n for (var i = currPage; i <= endPage; i++) {\n var pg = i + 1;\n pages.push(pg);\n }\n\n var mapping = _this4.mapping.page(view.contents, view.section.cfiBase, startPos, endPos);\n\n return {\n index: index,\n href: href,\n pages: pages,\n totalPages: totalPages,\n mapping: mapping\n };\n });\n return sections;\n }\n }, {\n key: \"paginatedLocation\",\n value: function paginatedLocation() {\n var _this5 = this;\n\n var visible = this.visible();\n var container = this.container.getBoundingClientRect();\n var left = 0;\n var used = 0;\n\n if (this.settings.fullsize) {\n left = window.scrollX;\n }\n\n var sections = visible.map(function (view) {\n var _view$section2 = view.section,\n index = _view$section2.index,\n href = _view$section2.href;\n var offset;\n var position = view.position();\n var width = view.width(); // Find mapping\n\n var start;\n var end;\n var pageWidth;\n\n if (_this5.settings.direction === \"rtl\") {\n offset = container.right - left;\n pageWidth = Math.min(Math.abs(offset - position.left), _this5.layout.width) - used;\n end = position.width - (position.right - offset) - used;\n start = end - pageWidth;\n } else {\n offset = container.left + left;\n pageWidth = Math.min(position.right - offset, _this5.layout.width) - used;\n start = offset - position.left + used;\n end = start + pageWidth;\n }\n\n used += pageWidth;\n\n var mapping = _this5.mapping.page(view.contents, view.section.cfiBase, start, end);\n\n var totalPages = _this5.layout.count(width).pages;\n\n var startPage = Math.floor(start / _this5.layout.pageWidth);\n var pages = [];\n var endPage = Math.floor(end / _this5.layout.pageWidth); // start page should not be negative\n\n if (startPage < 0) {\n startPage = 0;\n endPage = endPage + 1;\n } // Reverse page counts for rtl\n\n\n if (_this5.settings.direction === \"rtl\") {\n var tempStartPage = startPage;\n startPage = totalPages - endPage;\n endPage = totalPages - tempStartPage;\n }\n\n for (var i = startPage + 1; i <= endPage; i++) {\n var pg = i;\n pages.push(pg);\n }\n\n return {\n index: index,\n href: href,\n pages: pages,\n totalPages: totalPages,\n mapping: mapping\n };\n });\n return sections;\n }\n }, {\n key: \"isVisible\",\n value: function isVisible(view, offsetPrev, offsetNext, _container) {\n var position = view.position();\n\n var container = _container || this.bounds();\n\n if (this.settings.axis === \"horizontal\" && position.right > container.left - offsetPrev && position.left < container.right + offsetNext) {\n return true;\n } else if (this.settings.axis === \"vertical\" && position.bottom > container.top - offsetPrev && position.top < container.bottom + offsetNext) {\n return true;\n }\n\n return false;\n }\n }, {\n key: \"visible\",\n value: function visible() {\n var container = this.bounds();\n var views = this.views.displayed();\n var viewsLength = views.length;\n var visible = [];\n var isVisible;\n var view;\n\n for (var i = 0; i < viewsLength; i++) {\n view = views[i];\n isVisible = this.isVisible(view, 0, 0, container);\n\n if (isVisible === true) {\n visible.push(view);\n }\n }\n\n return visible;\n }\n }, {\n key: \"scrollBy\",\n value: function scrollBy(x, y, silent) {\n var dir = this.settings.direction === \"rtl\" ? -1 : 1;\n\n if (silent) {\n this.ignore = true;\n }\n\n if (!this.settings.fullsize) {\n if (x) this.container.scrollLeft += x * dir;\n if (y) this.container.scrollTop += y;\n } else {\n window.scrollBy(x * dir, y * dir);\n }\n\n this.scrolled = true;\n }\n }, {\n key: \"scrollTo\",\n value: function scrollTo(x, y, silent) {\n if (silent) {\n this.ignore = true;\n }\n\n if (!this.settings.fullsize) {\n this.container.scrollLeft = x;\n this.container.scrollTop = y;\n } else {\n window.scrollTo(x, y);\n }\n\n this.scrolled = true;\n }\n }, {\n key: \"onScroll\",\n value: function onScroll() {\n var scrollTop;\n var scrollLeft;\n\n if (!this.settings.fullsize) {\n scrollTop = this.container.scrollTop;\n scrollLeft = this.container.scrollLeft;\n } else {\n scrollTop = window.scrollY;\n scrollLeft = window.scrollX;\n }\n\n this.scrollTop = scrollTop;\n this.scrollLeft = scrollLeft;\n\n if (!this.ignore) {\n this.emit(_constants.EVENTS.MANAGERS.SCROLL, {\n top: scrollTop,\n left: scrollLeft\n });\n clearTimeout(this.afterScrolled);\n this.afterScrolled = setTimeout(function () {\n this.emit(_constants.EVENTS.MANAGERS.SCROLLED, {\n top: this.scrollTop,\n left: this.scrollLeft\n });\n }.bind(this), 20);\n } else {\n this.ignore = false;\n }\n }\n }, {\n key: \"bounds\",\n value: function bounds() {\n var bounds;\n bounds = this.stage.bounds();\n return bounds;\n }\n }, {\n key: \"applyLayout\",\n value: function applyLayout(layout) {\n this.layout = layout;\n this.updateLayout();\n\n if (this.views && this.views.length > 0 && this.layout.name === \"pre-paginated\") {\n this.display(this.views.first().section);\n } // this.manager.layout(this.layout.format);\n\n }\n }, {\n key: \"updateLayout\",\n value: function updateLayout() {\n if (!this.stage) {\n return;\n }\n\n this._stageSize = this.stage.size();\n\n if (!this.isPaginated) {\n this.layout.calculate(this._stageSize.width, this._stageSize.height);\n } else {\n this.layout.calculate(this._stageSize.width, this._stageSize.height, this.settings.gap); // Set the look ahead offset for what is visible\n\n this.settings.offset = this.layout.delta / this.layout.divisor; // this.stage.addStyleRules(\"iframe\", [{\"margin-right\" : this.layout.gap + \"px\"}]);\n } // Set the dimensions for views\n\n\n this.viewSettings.width = this.layout.width;\n this.viewSettings.height = this.layout.height;\n this.setLayout(this.layout);\n }\n }, {\n key: \"setLayout\",\n value: function setLayout(layout) {\n this.viewSettings.layout = layout;\n this.mapping = new _mapping.default(layout.props, this.settings.direction, this.settings.axis);\n\n if (this.views) {\n this.views.forEach(function (view) {\n if (view) {\n view.setLayout(layout);\n }\n });\n }\n }\n }, {\n key: \"updateWritingMode\",\n value: function updateWritingMode(mode) {\n this.writingMode = mode;\n }\n }, {\n key: \"updateAxis\",\n value: function updateAxis(axis, forceUpdate) {\n if (!forceUpdate && axis === this.settings.axis) {\n return;\n }\n\n this.settings.axis = axis;\n this.stage && this.stage.axis(axis);\n this.viewSettings.axis = axis;\n\n if (this.mapping) {\n this.mapping = new _mapping.default(this.layout.props, this.settings.direction, this.settings.axis);\n }\n\n if (this.layout) {\n if (axis === \"vertical\") {\n this.layout.spread(\"none\");\n } else {\n this.layout.spread(this.layout.settings.spread);\n }\n }\n }\n }, {\n key: \"updateFlow\",\n value: function updateFlow(flow) {\n var defaultScrolledOverflow = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : \"auto\";\n var isPaginated = flow === \"paginated\" || flow === \"auto\";\n this.isPaginated = isPaginated;\n\n if (flow === \"scrolled-doc\" || flow === \"scrolled-continuous\" || flow === \"scrolled\") {\n this.updateAxis(\"vertical\");\n } else {\n this.updateAxis(\"horizontal\");\n }\n\n this.viewSettings.flow = flow;\n\n if (!this.settings.overflow) {\n this.overflow = isPaginated ? \"hidden\" : defaultScrolledOverflow;\n } else {\n this.overflow = this.settings.overflow;\n }\n\n this.stage && this.stage.overflow(this.overflow);\n this.updateLayout();\n }\n }, {\n key: \"getContents\",\n value: function getContents() {\n var contents = [];\n\n if (!this.views) {\n return contents;\n }\n\n this.views.forEach(function (view) {\n var viewContents = view && view.contents;\n\n if (viewContents) {\n contents.push(viewContents);\n }\n });\n return contents;\n }\n }, {\n key: \"direction\",\n value: function direction() {\n var dir = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : \"ltr\";\n this.settings.direction = dir;\n this.stage && this.stage.direction(dir);\n this.viewSettings.direction = dir;\n this.updateLayout();\n }\n }, {\n key: \"isRendered\",\n value: function isRendered() {\n return this.rendered;\n }\n }]);\n\n return DefaultViewManager;\n}(); //-- Enable binding events to Manager\n\n\n(0, _eventEmitter.default)(DefaultViewManager.prototype);\nvar _default = DefaultViewManager;\nexports.default = _default;","function _typeof(obj) { \"@babel/helpers - typeof\"; return _typeof = \"function\" == typeof Symbol && \"symbol\" == typeof Symbol.iterator ? function (obj) { return typeof obj; } : function (obj) { return obj && \"function\" == typeof Symbol && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj; }, _typeof(obj); }\n\n/**\n * Checks if `value` is the\n * [language type](http://www.ecma-international.org/ecma-262/7.0/#sec-ecmascript-language-types)\n * of `Object`. (e.g. arrays, functions, objects, regexes, `new Number(0)`, and `new String('')`)\n *\n * @static\n * @memberOf _\n * @since 0.1.0\n * @category Lang\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is an object, else `false`.\n * @example\n *\n * _.isObject({});\n * // => true\n *\n * _.isObject([1, 2, 3]);\n * // => true\n *\n * _.isObject(_.noop);\n * // => true\n *\n * _.isObject(null);\n * // => false\n */\nfunction isObject(value) {\n var type = _typeof(value);\n\n return value != null && (type == 'object' || type == 'function');\n}\n\nmodule.exports = isObject;","import React, { useEffect, useState } from 'react';\nimport { connect } from 'react-redux';\nimport { createLike, deleteLike } from '../actions/likes_actions'\nimport { FontAwesomeIcon } from '@fortawesome/react-fontawesome'\nimport { faComment, faHeart } from '@fortawesome/free-solid-svg-icons'\nimport { createComment } from '../actions/comments_actions'\nimport Comment from './comments'\nimport useLikeCount from './useLikeCount'\n\nconst mapStateToProps = ({ entities, session }) => {\n return {\n likes: entities.likes,\n books: entities.books,\n userId: session.id,\n }\n}\n\nconst mapDispatchToProps = dispatch => {\n return {\n createLike: (likeableType, likeableId) => dispatch(createLike(likeableType, likeableId)),\n deleteLike: (id) => dispatch(deleteLike(id)),\n createComment: (comment) => dispatch(createComment(comment)),\n }\n}\n\nfunction Highlight({ highlight, id, text, cfiRange, comments, bookId, i, books, likes, createLike, deleteLike, userId, createComment }) {\n\n const [visibleThread, setVisibleThread] = useState(false)\n const [cancelClick, setCancelClick] = useState(false)\n const [visible, setVisible] = useState(false)\n const [body, setBody] = useState(\"\")\n const [newCommentId, setNewCommentId] = useState(null)\n\n const likeCount = useLikeCount(likes, \"highlights\", highlight, userId)\n\n useEffect(() => {\n if (newCommentId) {\n setVisible(false);\n setBody(\"\")\n setNewCommentId(null)\n }\n }, [comments])\n\n const handleClick = (e) => {\n if (cancelClick) {\n setCancelClick(false)\n return\n }\n setVisibleThread(!visibleThread)\n if (visibleThread && visible) setVisible(false)\n }\n\n const handleLike = () => {\n likes.highlights && likes.highlights[id] ?\n deleteLike(likes.highlights[id].id)\n : createLike(\"highlights\", id)\n }\n\n const handleMouseUp = (type) => {\n if (type == \"comment\" && !visibleThread) return;\n setCancelClick(true)\n }\n\n const handleSubmit = (e, id) => {\n e.preventDefault();\n const comment = {\n body,\n id,\n userId,\n parent: true,\n ancestorType: \"Highlight\",\n ancestorId: id\n }\n createComment(comment);\n setNewCommentId(id);\n }\n\n const commentThread = (thread, id) => {\n return (\n