\n * Copyright Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors\n */\n\n/** Used as references for various `Number` constants. */\nvar INFINITY = 1 / 0,\n MAX_SAFE_INTEGER = 9007199254740991;\n/** `Object#toString` result references. */\n\nvar argsTag = '[object Arguments]',\n funcTag = '[object Function]',\n genTag = '[object GeneratorFunction]',\n symbolTag = '[object Symbol]';\n/** Detect free variable `global` from Node.js. */\n\nvar freeGlobal = typeof global == 'object' && global && global.Object === Object && global;\n/** Detect free variable `self`. */\n\nvar freeSelf = typeof self == 'object' && self && self.Object === Object && self;\n/** Used as a reference to the global object. */\n\nvar root = freeGlobal || freeSelf || Function('return this')();\n/**\n * A faster alternative to `Function#apply`, this function invokes `func`\n * with the `this` binding of `thisArg` and the arguments of `args`.\n *\n * @private\n * @param {Function} func The function to invoke.\n * @param {*} thisArg The `this` binding of `func`.\n * @param {Array} args The arguments to invoke `func` with.\n * @returns {*} Returns the result of `func`.\n */\n\nfunction apply(func, thisArg, args) {\n switch (args.length) {\n case 0:\n return func.call(thisArg);\n\n case 1:\n return func.call(thisArg, args[0]);\n\n case 2:\n return func.call(thisArg, args[0], args[1]);\n\n case 3:\n return func.call(thisArg, args[0], args[1], args[2]);\n }\n\n return func.apply(thisArg, args);\n}\n/**\n * A specialized version of `_.map` for arrays without support for iteratee\n * shorthands.\n *\n * @private\n * @param {Array} [array] The array to iterate over.\n * @param {Function} iteratee The function invoked per iteration.\n * @returns {Array} Returns the new mapped array.\n */\n\n\nfunction arrayMap(array, iteratee) {\n var index = -1,\n length = array ? array.length : 0,\n result = Array(length);\n\n while (++index < length) {\n result[index] = iteratee(array[index], index, array);\n }\n\n return result;\n}\n/**\n * Appends the elements of `values` to `array`.\n *\n * @private\n * @param {Array} array The array to modify.\n * @param {Array} values The values to append.\n * @returns {Array} Returns `array`.\n */\n\n\nfunction arrayPush(array, values) {\n var index = -1,\n length = values.length,\n offset = array.length;\n\n while (++index < length) {\n array[offset + index] = values[index];\n }\n\n return array;\n}\n/** Used for built-in method references. */\n\n\nvar objectProto = Object.prototype;\n/** Used to check objects for own properties. */\n\nvar hasOwnProperty = objectProto.hasOwnProperty;\n/**\n * Used to resolve the\n * [`toStringTag`](http://ecma-international.org/ecma-262/7.0/#sec-object.prototype.tostring)\n * of values.\n */\n\nvar objectToString = objectProto.toString;\n/** Built-in value references. */\n\nvar Symbol = root.Symbol,\n propertyIsEnumerable = objectProto.propertyIsEnumerable,\n spreadableSymbol = Symbol ? Symbol.isConcatSpreadable : undefined;\n/* Built-in method references for those with the same name as other `lodash` methods. */\n\nvar nativeMax = Math.max;\n/**\n * The base implementation of `_.flatten` with support for restricting flattening.\n *\n * @private\n * @param {Array} array The array to flatten.\n * @param {number} depth The maximum recursion depth.\n * @param {boolean} [predicate=isFlattenable] The function invoked per iteration.\n * @param {boolean} [isStrict] Restrict to values that pass `predicate` checks.\n * @param {Array} [result=[]] The initial result value.\n * @returns {Array} Returns the new flattened array.\n */\n\nfunction baseFlatten(array, depth, predicate, isStrict, result) {\n var index = -1,\n length = array.length;\n predicate || (predicate = isFlattenable);\n result || (result = []);\n\n while (++index < length) {\n var value = array[index];\n\n if (depth > 0 && predicate(value)) {\n if (depth > 1) {\n // Recursively flatten arrays (susceptible to call stack limits).\n baseFlatten(value, depth - 1, predicate, isStrict, result);\n } else {\n arrayPush(result, value);\n }\n } else if (!isStrict) {\n result[result.length] = value;\n }\n }\n\n return result;\n}\n/**\n * The base implementation of `_.pick` without support for individual\n * property identifiers.\n *\n * @private\n * @param {Object} object The source object.\n * @param {string[]} props The property identifiers to pick.\n * @returns {Object} Returns the new object.\n */\n\n\nfunction basePick(object, props) {\n object = Object(object);\n return basePickBy(object, props, function (value, key) {\n return key in object;\n });\n}\n/**\n * The base implementation of `_.pickBy` without support for iteratee shorthands.\n *\n * @private\n * @param {Object} object The source object.\n * @param {string[]} props The property identifiers to pick from.\n * @param {Function} predicate The function invoked per property.\n * @returns {Object} Returns the new object.\n */\n\n\nfunction basePickBy(object, props, predicate) {\n var index = -1,\n length = props.length,\n result = {};\n\n while (++index < length) {\n var key = props[index],\n value = object[key];\n\n if (predicate(value, key)) {\n result[key] = value;\n }\n }\n\n return result;\n}\n/**\n * The base implementation of `_.rest` which doesn't validate or coerce arguments.\n *\n * @private\n * @param {Function} func The function to apply a rest parameter to.\n * @param {number} [start=func.length-1] The start position of the rest parameter.\n * @returns {Function} Returns the new function.\n */\n\n\nfunction baseRest(func, start) {\n start = nativeMax(start === undefined ? func.length - 1 : start, 0);\n return function () {\n var args = arguments,\n index = -1,\n length = nativeMax(args.length - start, 0),\n array = Array(length);\n\n while (++index < length) {\n array[index] = args[start + index];\n }\n\n index = -1;\n var otherArgs = Array(start + 1);\n\n while (++index < start) {\n otherArgs[index] = args[index];\n }\n\n otherArgs[start] = array;\n return apply(func, this, otherArgs);\n };\n}\n/**\n * Checks if `value` is a flattenable `arguments` object or array.\n *\n * @private\n * @param {*} value The value to check.\n * @returns {boolean} Returns `true` if `value` is flattenable, else `false`.\n */\n\n\nfunction isFlattenable(value) {\n return isArray(value) || isArguments(value) || !!(spreadableSymbol && value && value[spreadableSymbol]);\n}\n/**\n * Converts `value` to a string key if it's not a string or symbol.\n *\n * @private\n * @param {*} value The value to inspect.\n * @returns {string|symbol} Returns the key.\n */\n\n\nfunction toKey(value) {\n if (typeof value == 'string' || isSymbol(value)) {\n return value;\n }\n\n var result = value + '';\n return result == '0' && 1 / value == -INFINITY ? '-0' : result;\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\nfunction isArguments(value) {\n // Safari 8.1 makes `arguments.callee` enumerable in strict mode.\n return isArrayLikeObject(value) && hasOwnProperty.call(value, 'callee') && (!propertyIsEnumerable.call(value, 'callee') || objectToString.call(value) == argsTag);\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\nvar isArray = Array.isArray;\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\nfunction 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\nfunction isArrayLikeObject(value) {\n return isObjectLike(value) && isArrayLike(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\nfunction isFunction(value) {\n // The use of `Object#toString` avoids issues with the `typeof` operator\n // in Safari 8-9 which returns 'object' for typed array and other constructors.\n var tag = isObject(value) ? objectToString.call(value) : '';\n return tag == funcTag || tag == genTag;\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\nfunction 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\nfunction isObject(value) {\n var type = typeof value;\n return !!value && (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\nfunction isObjectLike(value) {\n return !!value && typeof value == 'object';\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\nfunction isSymbol(value) {\n return typeof value == 'symbol' || isObjectLike(value) && objectToString.call(value) == symbolTag;\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[])} [props] The property identifiers 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\nvar pick = baseRest(function (object, props) {\n return object == null ? {} : basePick(object, arrayMap(baseFlatten(props, 1), toKey));\n});\nmodule.exports = pick;","\"use strict\"; // ref: https://github.com/tc39/proposal-global\n\nvar getGlobal = function getGlobal() {\n // the only reliable means to get the global object is\n // `Function('return this')()`\n // However, this causes CSP violations in Chrome apps.\n if (typeof self !== 'undefined') {\n return self;\n }\n\n if (typeof window !== 'undefined') {\n return window;\n }\n\n if (typeof global !== 'undefined') {\n return global;\n }\n\n throw new Error('unable to locate global object');\n};\n\nvar global = getGlobal();\nmodule.exports = exports = global.fetch; // Needed for TypeScript and Webpack.\n\nif (global.fetch) {\n exports.default = global.fetch.bind(global);\n}\n\nexports.Headers = global.Headers;\nexports.Request = global.Request;\nexports.Response = global.Response;","!function (e, t) {\n \"object\" == typeof exports && \"object\" == typeof module ? module.exports = t() : \"function\" == typeof define && define.amd ? define(\"PrismicDOM\", [], t) : \"object\" == typeof exports ? exports.PrismicDOM = t() : e.PrismicDOM = t();\n}(\"undefined\" != typeof self ? self : this, function () {\n return function (e) {\n var t = {};\n\n function n(r) {\n if (t[r]) return t[r].exports;\n var o = t[r] = {\n i: r,\n l: !1,\n exports: {}\n };\n return e[r].call(o.exports, o, o.exports, n), o.l = !0, o.exports;\n }\n\n return n.m = e, n.c = t, n.d = function (e, t, r) {\n n.o(e, t) || Object.defineProperty(e, t, {\n enumerable: !0,\n get: r\n });\n }, n.r = function (e) {\n \"undefined\" != typeof Symbol && Symbol.toStringTag && Object.defineProperty(e, Symbol.toStringTag, {\n value: \"Module\"\n }), Object.defineProperty(e, \"__esModule\", {\n value: !0\n });\n }, n.t = function (e, t) {\n if (1 & t && (e = n(e)), 8 & t) return e;\n if (4 & t && \"object\" == typeof e && e && e.__esModule) return e;\n var r = Object.create(null);\n if (n.r(r), Object.defineProperty(r, \"default\", {\n enumerable: !0,\n value: e\n }), 2 & t && \"string\" != typeof e) for (var o in e) {\n n.d(r, o, function (t) {\n return e[t];\n }.bind(null, o));\n }\n return r;\n }, n.n = function (e) {\n var t = e && e.__esModule ? function () {\n return e.default;\n } : function () {\n return e;\n };\n return n.d(t, \"a\", t), t;\n }, n.o = function (e, t) {\n return Object.prototype.hasOwnProperty.call(e, t);\n }, n.p = \"\", n(n.s = 1);\n }([function (e, t, n) {\n \"undefined\" != typeof self && self, e.exports = function (e) {\n var t = {};\n\n function n(r) {\n if (t[r]) return t[r].exports;\n var o = t[r] = {\n i: r,\n l: !1,\n exports: {}\n };\n return e[r].call(o.exports, o, o.exports, n), o.l = !0, o.exports;\n }\n\n return n.m = e, n.c = t, n.d = function (e, t, r) {\n n.o(e, t) || Object.defineProperty(e, t, {\n enumerable: !0,\n get: r\n });\n }, n.r = function (e) {\n \"undefined\" != typeof Symbol && Symbol.toStringTag && Object.defineProperty(e, Symbol.toStringTag, {\n value: \"Module\"\n }), Object.defineProperty(e, \"__esModule\", {\n value: !0\n });\n }, n.t = function (e, t) {\n if (1 & t && (e = n(e)), 8 & t) return e;\n if (4 & t && \"object\" == typeof e && e && e.__esModule) return e;\n var r = Object.create(null);\n if (n.r(r), Object.defineProperty(r, \"default\", {\n enumerable: !0,\n value: e\n }), 2 & t && \"string\" != typeof e) for (var o in e) {\n n.d(r, o, function (t) {\n return e[t];\n }.bind(null, o));\n }\n return r;\n }, n.n = function (e) {\n var t = e && e.__esModule ? function () {\n return e.default;\n } : function () {\n return e;\n };\n return n.d(t, \"a\", t), t;\n }, n.o = function (e, t) {\n return Object.prototype.hasOwnProperty.call(e, t);\n }, n.p = \"\", n(n.s = 0);\n }([function (e, t, n) {\n e.exports = n(1);\n }, function (e, t, n) {\n var r = n(2),\n o = n(3);\n e.exports = {\n Link: r,\n Date: o\n };\n }, function (e, t, n) {\n e.exports = {\n url: function url(e, t) {\n var n = e && e.value ? e.value.document : e;\n\n if (e && [e.type, e.link_type, e._linkType, e.linkType].some(function (e) {\n return e && [\"Document\", \"Link.Document\", \"Link.document\"].includes(e);\n }) && t && \"function\" == typeof t) {\n var r = t(n);\n if (r) return r;\n }\n\n return n && n.url ? n.url : \"\";\n }\n };\n }, function (e, t) {\n e.exports = function (e) {\n if (!e) return null;\n var t = 24 == e.length ? \"\".concat(e.substring(0, 22), \":\").concat(e.substring(22, 24)) : e;\n return new Date(t);\n };\n }]);\n }, function (e, t, n) {\n e.exports = n(2);\n }, function (e, t, n) {\n var r = n(0),\n o = n(3),\n i = r.Date,\n u = r.Link;\n e.exports = {\n Date: i,\n Link: u,\n RichText: o\n };\n }, function (e, t, n) {\n var r = n(4),\n o = n(0).Link,\n i = n(5),\n u = r.Elements;\n\n function c(e, t, n, r, c) {\n switch (t) {\n case u.heading1:\n return l(\"h1\", n, c);\n\n case u.heading2:\n return l(\"h2\", n, c);\n\n case u.heading3:\n return l(\"h3\", n, c);\n\n case u.heading4:\n return l(\"h4\", n, c);\n\n case u.heading5:\n return l(\"h5\", n, c);\n\n case u.heading6:\n return l(\"h6\", n, c);\n\n case u.paragraph:\n return l(\"p\", n, c);\n\n case u.preformatted:\n return function (e) {\n return \"\").concat(i(e.text), \"
\");\n }(n);\n\n case u.strong:\n return l(\"strong\", n, c);\n\n case u.em:\n return l(\"em\", n, c);\n\n case u.listItem:\n case u.oListItem:\n return l(\"li\", n, c);\n\n case u.list:\n return l(\"ul\", n, c);\n\n case u.oList:\n return l(\"ol\", n, c);\n\n case u.image:\n return function (e, t) {\n var n = t.linkTo ? o.url(t.linkTo, e) : null,\n r = t.linkTo && t.linkTo.target ? 'target=\"'.concat(t.linkTo.target, '\" rel=\"noopener\"') : \"\",\n i = [t.label || \"\", \"block-img\"],\n u = '
');\n return '\\n \\n ').concat(n ? \"').concat(u, \"\") : u, \"\\n
\\n \");\n }(e, n);\n\n case u.embed:\n return function (e) {\n return '\\n \\n\\n \").concat(e.oembed.html, \"\\n
\\n \");\n }(n);\n\n case u.hyperlink:\n return function (e, t, n) {\n var r = t.data.target ? 'target=\"'.concat(t.data.target, '\" rel=\"noopener\"') : \"\",\n u = i(o.url(t.data, e));\n return \"').concat(n.join(\"\"), \"\");\n }(e, n, c);\n\n case u.label:\n return function (e, t) {\n return \"\").concat(t.join(\"\"), \"\");\n }(n, c);\n\n case u.span:\n return function (e) {\n return e ? i(e).replace(/\\n/g, \"
\") : \"\";\n }(r);\n\n default:\n return \"\";\n }\n }\n\n function a(e) {\n return e.label ? ' class=\"'.concat(e.label, '\"') : \"\";\n }\n\n function l(e, t, n) {\n return \"<\".concat(e).concat(a(t), \">\").concat(n.join(\"\"), \"\").concat(e, \">\");\n }\n\n e.exports = {\n asText: function asText(e, t) {\n return r.asText(e, t);\n },\n asHtml: function asHtml(e, t, n) {\n return r.serialize(e, c.bind(null, t), n).join(\"\");\n },\n Elements: u\n };\n }, function (e, t, n) {\n \"undefined\" != typeof self && self, e.exports = function (e) {\n var t = {};\n\n function n(r) {\n if (t[r]) return t[r].exports;\n var o = t[r] = {\n i: r,\n l: !1,\n exports: {}\n };\n return e[r].call(o.exports, o, o.exports, n), o.l = !0, o.exports;\n }\n\n return n.m = e, n.c = t, n.d = function (e, t, r) {\n n.o(e, t) || Object.defineProperty(e, t, {\n enumerable: !0,\n get: r\n });\n }, n.r = function (e) {\n \"undefined\" != typeof Symbol && Symbol.toStringTag && Object.defineProperty(e, Symbol.toStringTag, {\n value: \"Module\"\n }), Object.defineProperty(e, \"__esModule\", {\n value: !0\n });\n }, n.t = function (e, t) {\n if (1 & t && (e = n(e)), 8 & t) return e;\n if (4 & t && \"object\" == typeof e && e && e.__esModule) return e;\n var r = Object.create(null);\n if (n.r(r), Object.defineProperty(r, \"default\", {\n enumerable: !0,\n value: e\n }), 2 & t && \"string\" != typeof e) for (var o in e) {\n n.d(r, o, function (t) {\n return e[t];\n }.bind(null, o));\n }\n return r;\n }, n.n = function (e) {\n var t = e && e.__esModule ? function () {\n return e.default;\n } : function () {\n return e;\n };\n return n.d(t, \"a\", t), t;\n }, n.o = function (e, t) {\n return Object.prototype.hasOwnProperty.call(e, t);\n }, n.p = \"\", n(n.s = 4);\n }([function (e, t, n) {\n \"use strict\";\n\n var r;\n\n function o(e, t, n) {\n return t in e ? Object.defineProperty(e, t, {\n value: n,\n enumerable: !0,\n configurable: !0,\n writable: !0\n }) : e[t] = n, e;\n }\n\n Object.defineProperty(t, \"__esModule\", {\n value: !0\n }), t.PRIORITIES = t.NODE_TYPES = void 0;\n var i = {\n heading1: \"heading1\",\n heading2: \"heading2\",\n heading3: \"heading3\",\n heading4: \"heading4\",\n heading5: \"heading5\",\n heading6: \"heading6\",\n paragraph: \"paragraph\",\n preformatted: \"preformatted\",\n strong: \"strong\",\n em: \"em\",\n listItem: \"list-item\",\n oListItem: \"o-list-item\",\n list: \"group-list-item\",\n oList: \"group-o-list-item\",\n image: \"image\",\n embed: \"embed\",\n hyperlink: \"hyperlink\",\n label: \"label\",\n span: \"span\"\n };\n t.NODE_TYPES = i;\n var u = (o(r = {}, i.heading1, 4), o(r, i.heading2, 4), o(r, i.heading3, 4), o(r, i.heading4, 4), o(r, i.heading5, 4), o(r, i.heading6, 4), o(r, i.paragraph, 3), o(r, i.preformatted, 5), o(r, i.strong, 6), o(r, i.em, 6), o(r, i.oList, 1), o(r, i.list, 1), o(r, i.listItem, 1), o(r, i.oListItem, 1), o(r, i.image, 1), o(r, i.embed, 1), o(r, i.hyperlink, 3), o(r, i.label, 4), o(r, i.span, 7), r);\n t.PRIORITIES = u;\n }, function (e, t, n) {\n \"use strict\";\n\n Object.defineProperty(t, \"__esModule\", {\n value: !0\n }), t.default = void 0;\n var r,\n o = n(7),\n i = n(2),\n u = n(8),\n c = n(0),\n a = (r = n(3)) && r.__esModule ? r : {\n default: r\n };\n\n function l(e, t) {\n for (var n = 0; n < t.length; n++) {\n var r = t[n];\n r.enumerable = r.enumerable || !1, r.configurable = !0, \"value\" in r && (r.writable = !0), Object.defineProperty(e, r.key, r);\n }\n }\n\n function s(e) {\n if (0 === e.length) throw new Error(\"Unable to elect node on empty list\");\n\n var t = function (e) {\n return function (e) {\n if (Array.isArray(e)) return e;\n }(e) || function (e) {\n if (Symbol.iterator in Object(e) || \"[object Arguments]\" === Object.prototype.toString.call(e)) return Array.from(e);\n }(e) || function () {\n throw new TypeError(\"Invalid attempt to destructure non-iterable instance\");\n }();\n }(e.sort(function (e, t) {\n if (e.isParentOf(t)) return -1;\n if (t.isParentOf(e)) return 1;\n var n = c.PRIORITIES[e.type] - c.PRIORITIES[t.type];\n return 0 === n ? e.text.length - t.text.length : n;\n }));\n\n return {\n elected: t[0],\n others: t.slice(1)\n };\n }\n\n function f(e, t, n) {\n if (t.length > 0) return function (e, t, n) {\n return t.reduce(function (r, o, u) {\n var c = [],\n a = 0 === u && o.start > n.lower,\n l = u === t.length - 1 && n.upper > o.end;\n\n if (a) {\n var s = new i.TextNode(n.lower, o.start, e.slice(n.lower, o.start));\n c = c.concat(s);\n } else {\n var f = t[u - 1];\n\n if (f && o.start > f.end) {\n var d = e.slice(f.end, o.start),\n p = new i.TextNode(f.end, o.start, d);\n c = c.concat(p);\n }\n }\n\n if (c = c.concat(o), l) {\n var y = new i.TextNode(o.end, n.upper, e.slice(o.end, n.upper));\n c = c.concat(y);\n }\n\n return r.concat(c);\n }, []);\n }(e, d(e, t), n);\n var r = e.slice(n.lower, n.upper);\n return [new i.TextNode(n.lower, n.upper, r)];\n }\n\n function d(e, t) {\n var n = function (e) {\n return function (e, t) {\n return t.reduce(function (e, t) {\n var n = (0, o.last)(e);\n\n if (n) {\n if (n.some(function (e) {\n return e.isParentOf(t);\n })) return (0, o.init)(e).concat([n.concat(t)]);\n var r = (0, o.last)(n);\n return r && function (e, t) {\n return e.end >= t.start;\n }(r, t) ? (0, o.init)(e).concat([n.concat(t)]) : e.concat([[t]]);\n }\n\n return [[t]];\n }, []);\n }(0, (0, o.sort)(e, function (e, t) {\n return n = t, e.start - n.start || function (e, t) {\n return e.end - t.end;\n }(e, t);\n var n;\n }));\n }((0, o.sort)(t, function (e, t) {\n return e.start - t.start;\n })).map(s),\n r = (0, o.flatten)(n.map(function (t) {\n return function (e, t) {\n var n = t.others.reduce(function (n, r) {\n var o = n.inner,\n u = n.outer,\n c = function (e, t, n) {\n return n.start < t.start ? {\n inner: i.SpanNode.slice(n, t.start, n.end, e),\n outer: i.SpanNode.slice(n, n.start, t.start, e)\n } : n.end > t.end ? {\n inner: i.SpanNode.slice(n, n.start, t.end, e),\n outer: i.SpanNode.slice(n, t.end, n.end, e)\n } : {\n inner: n\n };\n }(e, t.elected, r);\n\n return {\n inner: o.concat(c.inner),\n outer: c.outer ? u.concat(c.outer) : u\n };\n }, {\n inner: [],\n outer: []\n }),\n r = n.inner,\n o = n.outer;\n return [t.elected.setChildren(f(e, r, t.elected.boundaries()))].concat(d(e, o));\n }(e, t);\n }));\n\n return (0, o.sort)(r, function (e, t) {\n return e.start - t.start;\n });\n }\n\n var p = function () {\n function e() {\n !function (e, t) {\n if (!(e instanceof t)) throw new TypeError(\"Cannot call a class as a function\");\n }(this, e);\n }\n\n var t, n;\n return t = e, (n = [{\n key: \"fromRichText\",\n value: function value(e) {\n return {\n key: (0, a.default)(),\n children: e.reduce(function (e, t, n) {\n if (u.RichTextBlock.isEmbedBlock(t.type) || u.RichTextBlock.isImageBlock(t.type)) return e.concat(new i.BlockNode(t.type, t));\n\n var r = function (e) {\n var t = (e.spans || []).map(function (t) {\n var n = e.text.slice(t.start, t.end);\n return new i.SpanNode(t.start, t.end, t.type, n, [], t);\n }),\n n = {\n lower: 0,\n upper: e.text.length\n };\n return f(e.text, t, n);\n }(t),\n c = e[e.length - 1];\n\n if (u.RichTextBlock.isListItem(t.type) && c && c instanceof i.ListBlockNode) {\n var a = new i.ListItemBlockNode(t, r),\n l = c.addChild(a);\n return (0, o.init)(e).concat(l);\n }\n\n if (u.RichTextBlock.isOrderedListItem(t.type) && c && c instanceof i.OrderedListBlockNode) {\n var s = new i.OrderedListItemBlockNode(t, r),\n d = c.addChild(s);\n return (0, o.init)(e).concat(d);\n }\n\n if (u.RichTextBlock.isListItem(t.type)) {\n var p = new i.ListItemBlockNode(t, r),\n y = new i.ListBlockNode(u.RichTextBlock.emptyList(), [p]);\n return e.concat(y);\n }\n\n if (u.RichTextBlock.isOrderedListItem(t.type)) {\n var h = new i.OrderedListItemBlockNode(t, r),\n v = new i.OrderedListBlockNode(u.RichTextBlock.emptyOrderedList(), [h]);\n return e.concat(v);\n }\n\n return e.concat(new i.BlockNode(t.type, t, r));\n }, [])\n };\n }\n }]) && l(t, n), e;\n }();\n\n t.default = p;\n }, function (e, t, n) {\n \"use strict\";\n\n Object.defineProperty(t, \"__esModule\", {\n value: !0\n }), t.ListBlockNode = t.OrderedListBlockNode = t.OrderedListItemBlockNode = t.ListItemBlockNode = t.BlockNode = t.TextNode = t.SpanNode = t.Node = void 0;\n var r,\n o = (r = n(3)) && r.__esModule ? r : {\n default: r\n },\n i = n(0);\n\n function u(e) {\n return (u = \"function\" == typeof Symbol && \"symbol\" == typeof Symbol.iterator ? function (e) {\n return typeof e;\n } : function (e) {\n return e && \"function\" == typeof Symbol && e.constructor === Symbol && e !== Symbol.prototype ? \"symbol\" : typeof e;\n })(e);\n }\n\n function c(e, t) {\n for (var n = 0; n < t.length; n++) {\n var r = t[n];\n r.enumerable = r.enumerable || !1, r.configurable = !0, \"value\" in r && (r.writable = !0), Object.defineProperty(e, r.key, r);\n }\n }\n\n function a(e, t, n) {\n return t && c(e.prototype, t), n && c(e, n), e;\n }\n\n function l(e, t) {\n if (\"function\" != typeof t && null !== t) throw new TypeError(\"Super expression must either be null or a function\");\n e.prototype = Object.create(t && t.prototype, {\n constructor: {\n value: e,\n writable: !0,\n configurable: !0\n }\n }), t && function (e, t) {\n (Object.setPrototypeOf || function (e, t) {\n return e.__proto__ = t, e;\n })(e, t);\n }(e, t);\n }\n\n function s(e) {\n return function () {\n var t,\n n = f(e);\n\n if (function () {\n if (\"undefined\" == typeof Reflect || !Reflect.construct) return !1;\n if (Reflect.construct.sham) return !1;\n if (\"function\" == typeof Proxy) return !0;\n\n try {\n return Date.prototype.toString.call(Reflect.construct(Date, [], function () {})), !0;\n } catch (e) {\n return !1;\n }\n }()) {\n var r = f(this).constructor;\n t = Reflect.construct(n, arguments, r);\n } else t = n.apply(this, arguments);\n\n return function (e, t) {\n return !t || \"object\" !== u(t) && \"function\" != typeof t ? function (e) {\n if (void 0 === e) throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\");\n return e;\n }(e) : t;\n }(this, t);\n };\n }\n\n function f(e) {\n return (f = Object.setPrototypeOf ? Object.getPrototypeOf : function (e) {\n return e.__proto__ || Object.getPrototypeOf(e);\n })(e);\n }\n\n function d(e, t) {\n if (!(e instanceof t)) throw new TypeError(\"Cannot call a class as a function\");\n }\n\n var p = function e(t, n, r) {\n d(this, e), this.key = (0, o.default)(), this.type = t, this.element = n, this.children = r;\n };\n\n t.Node = p;\n\n var y = function (e) {\n l(n, p);\n var t = s(n);\n\n function n(e, r, o, i, u, c) {\n var a;\n return d(this, n), (a = t.call(this, o, c, u)).start = e, a.end = r, a.text = i, a.children = u, a;\n }\n\n return a(n, [{\n key: \"boundaries\",\n value: function value() {\n return {\n lower: this.start,\n upper: this.end\n };\n }\n }, {\n key: \"isParentOf\",\n value: function value(e) {\n return this.start <= e.start && this.end >= e.end;\n }\n }, {\n key: \"setChildren\",\n value: function value(e) {\n return new n(this.start, this.end, this.type, this.text, e, this.element);\n }\n }], [{\n key: \"slice\",\n value: function value(e, t, r, o) {\n return new n(t, r, e.type, o.slice(t, r), e.children, e.element);\n }\n }]), n;\n }();\n\n t.SpanNode = y;\n\n var h = function (e) {\n l(n, y);\n var t = s(n);\n\n function n(e, r, o) {\n d(this, n);\n var u = {\n type: i.NODE_TYPES.span,\n start: e,\n end: r,\n text: o\n };\n return t.call(this, e, r, i.NODE_TYPES.span, o, [], u);\n }\n\n return n;\n }();\n\n t.TextNode = h;\n\n var v = function (e) {\n l(n, p);\n var t = s(n);\n\n function n(e, r) {\n var o = arguments.length > 2 && void 0 !== arguments[2] ? arguments[2] : [];\n return d(this, n), t.call(this, e, r, o);\n }\n\n return n;\n }();\n\n t.BlockNode = v;\n\n var m = function (e) {\n l(n, v);\n var t = s(n);\n\n function n(e, r) {\n return d(this, n), t.call(this, i.NODE_TYPES.listItem, e, r);\n }\n\n return n;\n }();\n\n t.ListItemBlockNode = m;\n\n var b = function (e) {\n l(n, v);\n var t = s(n);\n\n function n(e, r) {\n return d(this, n), t.call(this, i.NODE_TYPES.oListItem, e, r);\n }\n\n return n;\n }();\n\n t.OrderedListItemBlockNode = b;\n\n var g = function (e) {\n l(n, v);\n var t = s(n);\n\n function n(e, r) {\n return d(this, n), t.call(this, i.NODE_TYPES.oList, e, r);\n }\n\n return a(n, [{\n key: \"addChild\",\n value: function value(e) {\n var t = this.children.concat(e);\n return new n(this.element, t);\n }\n }]), n;\n }();\n\n t.OrderedListBlockNode = g;\n\n var x = function (e) {\n l(n, v);\n var t = s(n);\n\n function n(e, r) {\n return d(this, n), t.call(this, i.NODE_TYPES.list, e, r);\n }\n\n return a(n, [{\n key: \"addChild\",\n value: function value(e) {\n var t = this.children.concat(e);\n return new n(this.element, t);\n }\n }]), n;\n }();\n\n t.ListBlockNode = x;\n }, function (e, t, n) {\n \"use strict\";\n\n Object.defineProperty(t, \"__esModule\", {\n value: !0\n }), t.default = function () {\n var e = new Date().getTime();\n return \"xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx\".replace(/[xy]/g, function (t) {\n var n = (e + 16 * Math.random()) % 16 | 0;\n return e = Math.floor(e / 16), (\"x\" == t ? n : 3 & n | 8).toString(16);\n });\n };\n }, function (e, t, n) {\n e.exports = n(5);\n }, function (e, t, n) {\n \"use strict\";\n\n var r = c(n(6)),\n o = c(n(1)),\n i = c(n(9)),\n u = n(0);\n\n function c(e) {\n return e && e.__esModule ? e : {\n default: e\n };\n }\n\n e.exports = {\n asText: r.default,\n asTree: o.default.fromRichText,\n serialize: i.default,\n Elements: u.NODE_TYPES\n };\n }, function (e, t, n) {\n \"use strict\";\n\n Object.defineProperty(t, \"__esModule\", {\n value: !0\n }), t.default = void 0, t.default = function (e, t) {\n var n = \"string\" == typeof t ? t : \" \";\n return e.map(function (e) {\n return e.text;\n }).join(n);\n };\n }, function (e, t, n) {\n \"use strict\";\n\n Object.defineProperty(t, \"__esModule\", {\n value: !0\n }), t.init = function (e) {\n return e.slice(0, -1);\n }, t.last = function (e) {\n return e[e.length - 1];\n }, t.flatten = function (e) {\n var t = [],\n n = !0,\n r = !1,\n o = void 0;\n\n try {\n for (var i, u = e[Symbol.iterator](); !(n = (i = u.next()).done); n = !0) {\n var c = i.value;\n Array.isArray(c) ? t.push.apply(t, c) : t.push(c);\n }\n } catch (e) {\n r = !0, o = e;\n } finally {\n try {\n n || null == u.return || u.return();\n } finally {\n if (r) throw o;\n }\n }\n\n return t;\n }, t.sort = function (e, t) {\n return function (e) {\n return function (e) {\n if (Array.isArray(e)) {\n for (var t = 0, n = new Array(e.length); t < e.length; t++) {\n n[t] = e[t];\n }\n\n return n;\n }\n }(e) || function (e) {\n if (Symbol.iterator in Object(e) || \"[object Arguments]\" === Object.prototype.toString.call(e)) return Array.from(e);\n }(e) || function () {\n throw new TypeError(\"Invalid attempt to spread non-iterable instance\");\n }();\n }(e).sort(t);\n };\n }, function (e, t, n) {\n \"use strict\";\n\n Object.defineProperty(t, \"__esModule\", {\n value: !0\n }), t.RichTextBlock = void 0;\n var r = n(0);\n\n function o(e, t) {\n for (var n = 0; n < t.length; n++) {\n var r = t[n];\n r.enumerable = r.enumerable || !1, r.configurable = !0, \"value\" in r && (r.writable = !0), Object.defineProperty(e, r.key, r);\n }\n }\n\n var i = function () {\n function e(t, n, r) {\n !function (e, t) {\n if (!(e instanceof t)) throw new TypeError(\"Cannot call a class as a function\");\n }(this, e), this.type = t, this.text = n, this.spans = r;\n }\n\n var t, n;\n return t = e, (n = [{\n key: \"isEmbedBlock\",\n value: function value(e) {\n return e === r.NODE_TYPES.embed;\n }\n }, {\n key: \"isImageBlock\",\n value: function value(e) {\n return e === r.NODE_TYPES.image;\n }\n }, {\n key: \"isList\",\n value: function value(e) {\n return e === r.NODE_TYPES.list;\n }\n }, {\n key: \"isOrderedList\",\n value: function value(e) {\n return e === r.NODE_TYPES.oList;\n }\n }, {\n key: \"isListItem\",\n value: function value(e) {\n return e === r.NODE_TYPES.listItem;\n }\n }, {\n key: \"isOrderedListItem\",\n value: function value(e) {\n return e === r.NODE_TYPES.oListItem;\n }\n }, {\n key: \"emptyList\",\n value: function value() {\n return {\n type: r.NODE_TYPES.list,\n spans: [],\n text: \"\"\n };\n }\n }, {\n key: \"emptyOrderedList\",\n value: function value() {\n return {\n type: r.NODE_TYPES.oList,\n spans: [],\n text: \"\"\n };\n }\n }]) && o(t, n), e;\n }();\n\n t.RichTextBlock = i;\n }, function (e, t, n) {\n \"use strict\";\n\n Object.defineProperty(t, \"__esModule\", {\n value: !0\n }), t.default = void 0;\n var r,\n o = (r = n(1)) && r.__esModule ? r : {\n default: r\n },\n i = n(2);\n\n t.default = function (e, t, n) {\n return o.default.fromRichText(e).children.map(function (e, r) {\n return function (e, t, n, r) {\n return function e(n, o) {\n var u = n instanceof i.SpanNode ? n.text : null,\n c = n.children.reduce(function (t, n, r) {\n return t.concat([e(n, r)]);\n }, []);\n return r && r(n.type, n.element, u, c, o) || t(n.type, n.element, u, c, o);\n }(e, n);\n }(e, t, r, n);\n });\n };\n }]);\n }, function (e, t, n) {\n \"use strict\";\n /*!\n * escape-html\n * Copyright(c) 2012-2013 TJ Holowaychuk\n * Copyright(c) 2015 Andreas Lubbe\n * Copyright(c) 2015 Tiancheng \"Timothy\" Gu\n * MIT Licensed\n */\n\n var r = /[\"'&<>]/;\n\n e.exports = function (e) {\n var t,\n n = \"\" + e,\n o = r.exec(n);\n if (!o) return n;\n var i = \"\",\n u = 0,\n c = 0;\n\n for (u = o.index; u < n.length; u++) {\n switch (n.charCodeAt(u)) {\n case 34:\n t = \""\";\n break;\n\n case 38:\n t = \"&\";\n break;\n\n case 39:\n t = \"'\";\n break;\n\n case 60:\n t = \"<\";\n break;\n\n case 62:\n t = \">\";\n break;\n\n default:\n continue;\n }\n\n c !== u && (i += n.substring(c, u)), c = u + 1, i += t;\n }\n\n return c !== u ? i + n.substring(c, u) : i;\n };\n }]);\n});","require(\"core-js/modules/es.promise.finally.js\");\n\n!function (t, e) {\n \"object\" == typeof exports && \"object\" == typeof module ? module.exports = e(require(\"cross-fetch/polyfill\")) : \"function\" == typeof define && define.amd ? define(\"PrismicJS\", [\"cross-fetch/polyfill\"], e) : \"object\" == typeof exports ? exports.PrismicJS = e(require(\"cross-fetch/polyfill\")) : t.PrismicJS = e(t[\"cross-fetch/polyfill\"]);\n}(\"undefined\" != typeof self ? self : this, function (t) {\n return function (t) {\n var e = {};\n\n function n(r) {\n if (e[r]) return e[r].exports;\n var o = e[r] = {\n i: r,\n l: !1,\n exports: {}\n };\n return t[r].call(o.exports, o, o.exports, n), o.l = !0, o.exports;\n }\n\n return n.m = t, n.c = e, n.d = function (t, e, r) {\n n.o(t, e) || Object.defineProperty(t, e, {\n enumerable: !0,\n get: r\n });\n }, n.r = function (t) {\n \"undefined\" != typeof Symbol && Symbol.toStringTag && Object.defineProperty(t, Symbol.toStringTag, {\n value: \"Module\"\n }), Object.defineProperty(t, \"__esModule\", {\n value: !0\n });\n }, n.t = function (t, e) {\n if (1 & e && (t = n(t)), 8 & e) return t;\n if (4 & e && \"object\" == typeof t && t && t.__esModule) return t;\n var r = Object.create(null);\n if (n.r(r), Object.defineProperty(r, \"default\", {\n enumerable: !0,\n value: t\n }), 2 & e && \"string\" != typeof t) for (var o in t) {\n n.d(r, o, function (e) {\n return t[e];\n }.bind(null, o));\n }\n return r;\n }, n.n = function (t) {\n var e = t && t.__esModule ? function () {\n return t.default;\n } : function () {\n return t;\n };\n return n.d(e, \"a\", e), e;\n }, n.o = function (t, e) {\n return Object.prototype.hasOwnProperty.call(t, e);\n }, n.p = \"\", n(n.s = 20);\n }([function (t, e, n) {\n \"use strict\";\n\n e.a = function (t) {\n var e = this.constructor;\n return this.then(function (n) {\n return e.resolve(t()).then(function () {\n return n;\n });\n }, function (n) {\n return e.resolve(t()).then(function () {\n return e.reject(n);\n });\n });\n };\n }, function (t, e, n) {\n \"use strict\";\n\n e.__esModule = !0, e.createPreviewResolver = function (t, e, n) {\n return {\n token: t,\n documentId: e,\n resolve: function resolve(r, o, i) {\n return e && n ? n(e, {\n ref: t\n }).then(function (t) {\n if (t) {\n var e = r(t);\n return i && i(null, e), e;\n }\n\n return i && i(null, o), o;\n }) : Promise.resolve(o);\n }\n };\n };\n }, function (t, e, n) {\n \"use strict\";\n\n var r = this && this.__assign || Object.assign || function (t) {\n for (var e, n = 1, r = arguments.length; n < r; n++) {\n for (var o in e = arguments[n]) {\n Object.prototype.hasOwnProperty.call(e, o) && (t[o] = e[o]);\n }\n }\n\n return t;\n };\n\n e.__esModule = !0;\n var o = n(5),\n i = n(4),\n u = n(6),\n a = n(12),\n s = n(1);\n e.PREVIEW_COOKIE = \"io.prismic.preview\", e.EXPERIMENT_COOKIE = \"io.prismic.experiment\";\n\n var f = function () {\n function t(t, e, n) {\n this.data = t, this.masterRef = t.refs.filter(function (t) {\n return t.isMasterRef;\n })[0], this.experiments = new o.Experiments(t.experiments), this.bookmarks = t.bookmarks, this.httpClient = e, this.options = n, this.refs = t.refs, this.tags = t.tags, this.types = t.types, this.languages = t.languages;\n }\n\n return t.prototype.form = function (t) {\n var e = this.data.forms[t];\n return e ? new i.SearchForm(e, this.httpClient) : null;\n }, t.prototype.everything = function () {\n var t = this.form(\"everything\");\n if (!t) throw new Error(\"Missing everything form\");\n return t;\n }, t.prototype.master = function () {\n return this.masterRef.ref;\n }, t.prototype.ref = function (t) {\n var e = this.data.refs.filter(function (e) {\n return e.label === t;\n })[0];\n return e ? e.ref : null;\n }, t.prototype.currentExperiment = function () {\n return this.experiments.current();\n }, t.prototype.query = function (t, n, r) {\n void 0 === r && (r = function r() {});\n var o = \"function\" == typeof n ? {\n options: {},\n callback: n\n } : {\n options: n || {},\n callback: r\n },\n i = o.options,\n u = o.callback,\n s = this.everything();\n\n for (var f in i) {\n s = s.set(f, i[f]);\n }\n\n if (!i.ref) {\n var c = \"\";\n this.options.req ? c = this.options.req.headers.cookie || \"\" : \"undefined\" != typeof window && window.document && (c = window.document.cookie || \"\");\n var l = a.default.parse(c),\n p = l[e.PREVIEW_COOKIE],\n h = this.experiments.refFromCookie(l[e.EXPERIMENT_COOKIE]);\n s = s.ref(p || h || this.masterRef.ref);\n }\n\n return t && s.query(t), s.submit(u);\n }, t.prototype.queryFirst = function (t, e, n) {\n var o = \"function\" == typeof e ? {\n options: {},\n callback: e\n } : {\n options: r({}, e) || {},\n callback: n || function () {}\n },\n i = o.options,\n u = o.callback;\n return i.page = 1, i.pageSize = 1, this.query(t, i).then(function (t) {\n var e = t && t.results && t.results[0];\n return u(null, e), e;\n }).catch(function (t) {\n throw u(t), t;\n });\n }, t.prototype.getByID = function (t, e, n) {\n var o = e ? r({}, e) : {};\n return o.lang || (o.lang = \"*\"), this.queryFirst(u.default.at(\"document.id\", t), o, n);\n }, t.prototype.getByIDs = function (t, e, n) {\n var o = e ? r({}, e) : {};\n return o.lang || (o.lang = \"*\"), this.query(u.default.in(\"document.id\", t), o, n);\n }, t.prototype.getByUID = function (t, e, n, o) {\n var i = n ? r({}, n) : {};\n if (\"*\" === i.lang) throw new Error(\"FORDIDDEN. You can't use getByUID with *, use the predicates instead.\");\n return i.page || (i.page = 1), this.queryFirst(u.default.at(\"my.\" + t + \".uid\", e), i, o);\n }, t.prototype.getSingle = function (t, e, n) {\n var o = e ? r({}, e) : {};\n return this.queryFirst(u.default.at(\"document.type\", t), o, n);\n }, t.prototype.getBookmark = function (t, e, n) {\n var r = this.data.bookmarks[t];\n return r ? this.getByID(r, e, n) : Promise.reject(\"Error retrieving bookmarked id\");\n }, t.prototype.getPreviewResolver = function (t, e) {\n return s.createPreviewResolver(t, e, this.getByID.bind(this));\n }, t.prototype.previewSession = function (t, e, n, r) {\n var o = this;\n return console.warn(\"previewSession function is deprecated in favor of getPreviewResolver function.\"), new Promise(function (i, u) {\n o.httpClient.request(t, function (a, s) {\n if (a) r && r(a), u(a);else if (s) {\n if (s.mainDocument) return o.getByID(s.mainDocument, {\n ref: t\n }).then(function (t) {\n if (t) {\n var o = e(t);\n r && r(null, o), i(o);\n } else r && r(null, n), i(n);\n }).catch(u);\n r && r(null, n), i(n);\n }\n });\n });\n }, t;\n }();\n\n e.default = f;\n }, function (t, e, n) {\n \"use strict\";\n\n e.__esModule = !0;\n var r = n(2),\n o = n(11);\n\n function i(t) {\n return t.indexOf(\"?\") > -1 ? \"&\" : \"?\";\n }\n\n var u = function () {\n function t(t, e) {\n if (this.options = e || {}, this.url = t, this.options.accessToken) {\n var n = \"access_token=\" + this.options.accessToken;\n this.url += i(t) + n;\n }\n\n this.options.routes && (this.url += i(t) + \"routes=\" + encodeURIComponent(JSON.stringify(this.options.routes))), this.apiDataTTL = this.options.apiDataTTL || 5, this.httpClient = new o.default(this.options.requestHandler, this.options.apiCache, this.options.proxyAgent, this.options.timeoutInMs);\n }\n\n return t.prototype.get = function (t) {\n var e = this;\n return this.httpClient.cachedRequest(this.url, {\n ttl: this.apiDataTTL\n }).then(function (n) {\n var o = new r.default(n, e.httpClient, e.options);\n return t && t(null, o), o;\n }).catch(function (e) {\n throw t && t(e), e;\n });\n }, t;\n }();\n\n e.default = u;\n }, function (t, e, n) {\n \"use strict\";\n\n e.__esModule = !0;\n\n var r = function () {\n function t(t, e) {\n this.id = t, this.api = e, this.fields = {};\n }\n\n return t.prototype.set = function (t, e) {\n return this.fields[t] = e, this;\n }, t.prototype.ref = function (t) {\n return this.set(\"ref\", t);\n }, t.prototype.query = function (t) {\n return this.set(\"q\", t);\n }, t.prototype.pageSize = function (t) {\n return this.set(\"pageSize\", t);\n }, t.prototype.fetch = function (t) {\n return console.warn(\"Warning: Using Fetch is deprecated. Use the property `graphQuery` instead.\"), this.set(\"fetch\", t);\n }, t.prototype.fetchLinks = function (t) {\n return console.warn(\"Warning: Using FetchLinks is deprecated. Use the property `graphQuery` instead.\"), this.set(\"fetchLinks\", t);\n }, t.prototype.graphQuery = function (t) {\n return this.set(\"graphQuery\", t);\n }, t.prototype.lang = function (t) {\n return this.set(\"lang\", t);\n }, t.prototype.page = function (t) {\n return this.set(\"page\", t);\n }, t.prototype.after = function (t) {\n return this.set(\"after\", t);\n }, t.prototype.orderings = function (t) {\n return this.set(\"orderings\", t);\n }, t.prototype.url = function () {\n var e = this;\n return this.api.get().then(function (n) {\n return t.toSearchForm(e, n).url();\n });\n }, t.prototype.submit = function (e) {\n var n = this;\n return this.api.get().then(function (r) {\n return t.toSearchForm(n, r).submit(e);\n });\n }, t.toSearchForm = function (t, e) {\n var n = e.form(t.id);\n if (n) return Object.keys(t.fields).reduce(function (e, n) {\n var r = t.fields[n];\n return \"q\" === n ? e.query(r) : \"pageSize\" === n ? e.pageSize(r) : \"fetch\" === n ? e.fetch(r) : \"fetchLinks\" === n ? e.fetchLinks(r) : \"graphQuery\" === n ? e.graphQuery(r) : \"lang\" === n ? e.lang(r) : \"page\" === n ? e.page(r) : \"after\" === n ? e.after(r) : \"orderings\" === n ? e.orderings(r) : e.set(n, r);\n }, n);\n throw new Error(\"Unable to access to form \" + t.id);\n }, t;\n }();\n\n e.LazySearchForm = r;\n\n var o = function () {\n function t(t, e) {\n for (var n in this.httpClient = e, this.form = t, this.data = {}, t.fields) {\n t.fields[n].default && (this.data[n] = [t.fields[n].default]);\n }\n }\n\n return t.prototype.set = function (t, e) {\n var n = this.form.fields[t];\n if (!n) throw new Error(\"Unknown field \" + t);\n var r = \"\" === e || void 0 === e ? null : e,\n o = this.data[t] || [];\n return o = n.multiple ? r ? o.concat([r]) : o : r ? [r] : o, this.data[t] = o, this;\n }, t.prototype.ref = function (t) {\n return this.set(\"ref\", t);\n }, t.prototype.query = function (t) {\n if (\"string\" == typeof t) return this.query([t]);\n if (Array.isArray(t)) return this.set(\"q\", \"[\" + t.join(\"\") + \"]\");\n throw new Error(\"Invalid query : \" + t);\n }, t.prototype.pageSize = function (t) {\n return this.set(\"pageSize\", t);\n }, t.prototype.fetch = function (t) {\n console.warn(\"Warning: Using Fetch is deprecated. Use the property `graphQuery` instead.\");\n var e = Array.isArray(t) ? t.join(\",\") : t;\n return this.set(\"fetch\", e);\n }, t.prototype.fetchLinks = function (t) {\n console.warn(\"Warning: Using FetchLinks is deprecated. Use the property `graphQuery` instead.\");\n var e = Array.isArray(t) ? t.join(\",\") : t;\n return this.set(\"fetchLinks\", e);\n }, t.prototype.graphQuery = function (t) {\n return this.set(\"graphQuery\", t);\n }, t.prototype.lang = function (t) {\n return this.set(\"lang\", t);\n }, t.prototype.page = function (t) {\n return this.set(\"page\", t);\n }, t.prototype.after = function (t) {\n return this.set(\"after\", t);\n }, t.prototype.orderings = function (t) {\n return t ? this.set(\"orderings\", \"[\" + t.join(\",\") + \"]\") : this;\n }, t.prototype.url = function () {\n var t = this.form.action;\n\n if (this.data) {\n var e = t.indexOf(\"?\") > -1 ? \"&\" : \"?\";\n\n for (var n in this.data) {\n if (this.data.hasOwnProperty(n)) {\n var r = this.data[n];\n if (r) for (var o = 0; o < r.length; o++) {\n t += e + n + \"=\" + encodeURIComponent(r[o]), e = \"&\";\n }\n }\n }\n }\n\n return t;\n }, t.prototype.submit = function (t) {\n return this.httpClient.cachedRequest(this.url()).then(function (e) {\n return t && t(null, e), e;\n }).catch(function (e) {\n throw t && t(e), e;\n });\n }, t;\n }();\n\n e.SearchForm = o;\n }, function (t, e, n) {\n \"use strict\";\n\n e.__esModule = !0;\n\n var r = function () {\n function t(t) {\n this.data = {}, this.data = t;\n }\n\n return t.prototype.id = function () {\n return this.data.id;\n }, t.prototype.ref = function () {\n return this.data.ref;\n }, t.prototype.label = function () {\n return this.data.label;\n }, t;\n }();\n\n e.Variation = r;\n\n var o = function () {\n function t(t) {\n this.data = {}, this.data = t, this.variations = (t.variations || []).map(function (t) {\n return new r(t);\n });\n }\n\n return t.prototype.id = function () {\n return this.data.id;\n }, t.prototype.googleId = function () {\n return this.data.googleId;\n }, t.prototype.name = function () {\n return this.data.name;\n }, t;\n }();\n\n e.Experiment = o;\n\n var i = function () {\n function t(t) {\n t && (this.drafts = (t.drafts || []).map(function (t) {\n return new o(t);\n }), this.running = (t.running || []).map(function (t) {\n return new o(t);\n }));\n }\n\n return t.prototype.current = function () {\n return this.running.length > 0 ? this.running[0] : null;\n }, t.prototype.refFromCookie = function (t) {\n if (!t || \"\" === t.trim()) return null;\n var e = t.trim().split(\" \");\n if (e.length < 2) return null;\n var n = e[0],\n r = parseInt(e[1], 10),\n o = this.running.filter(function (t) {\n return t.googleId() === n && t.variations.length > r;\n })[0];\n return o ? o.variations[r].ref() : null;\n }, t;\n }();\n\n e.Experiments = i;\n }, function (t, e, n) {\n \"use strict\";\n\n e.__esModule = !0;\n var r = \"at\",\n o = \"not\",\n i = \"missing\",\n u = \"has\",\n a = \"any\",\n s = \"in\",\n f = \"fulltext\",\n c = \"similar\",\n l = \"number.gt\",\n p = \"number.lt\",\n h = \"number.inRange\",\n d = \"date.before\",\n y = \"date.after\",\n m = \"date.between\",\n g = \"date.day-of-month\",\n v = \"date.day-of-month-after\",\n w = \"date.day-of-month-before\",\n b = \"date.day-of-week\",\n _ = \"date.day-of-week-after\",\n k = \"date.day-of-week-before\",\n I = \"date.month\",\n T = \"date.month-before\",\n E = \"date.month-after\",\n O = \"date.year\",\n A = \"date.hour\",\n x = \"date.hour-before\",\n M = \"date.hour-after\",\n P = \"geopoint.near\";\n\n function j(t) {\n if (\"string\" == typeof t) return '\"' + t + '\"';\n if (\"number\" == typeof t) return t.toString();\n if (t instanceof Date) return t.getTime().toString();\n if (Array.isArray(t)) return \"[\" + t.map(function (t) {\n return j(t);\n }).join(\",\") + \"]\";\n if (\"boolean\" == typeof t) return t.toString();\n throw new Error(\"Unable to encode \" + t + \" of type \" + typeof t);\n }\n\n var q = {\n near: function near(t, e, n, r) {\n return \"[\" + P + \"(\" + t + \", \" + e + \", \" + n + \", \" + r + \")]\";\n }\n },\n R = {\n before: function before(t, e) {\n return \"[\" + d + \"(\" + t + \", \" + j(e) + \")]\";\n },\n after: function after(t, e) {\n return \"[\" + y + \"(\" + t + \", \" + j(e) + \")]\";\n },\n between: function between(t, e, n) {\n return \"[\" + m + \"(\" + t + \", \" + j(e) + \", \" + j(n) + \")]\";\n },\n dayOfMonth: function dayOfMonth(t, e) {\n return \"[\" + g + \"(\" + t + \", \" + e + \")]\";\n },\n dayOfMonthAfter: function dayOfMonthAfter(t, e) {\n return \"[\" + v + \"(\" + t + \", \" + e + \")]\";\n },\n dayOfMonthBefore: function dayOfMonthBefore(t, e) {\n return \"[\" + w + \"(\" + t + \", \" + e + \")]\";\n },\n dayOfWeek: function dayOfWeek(t, e) {\n return \"[\" + b + \"(\" + t + \", \" + j(e) + \")]\";\n },\n dayOfWeekAfter: function dayOfWeekAfter(t, e) {\n return \"[\" + _ + \"(\" + t + \", \" + j(e) + \")]\";\n },\n dayOfWeekBefore: function dayOfWeekBefore(t, e) {\n return \"[\" + k + \"(\" + t + \", \" + j(e) + \")]\";\n },\n month: function month(t, e) {\n return \"[\" + I + \"(\" + t + \", \" + j(e) + \")]\";\n },\n monthBefore: function monthBefore(t, e) {\n return \"[\" + T + \"(\" + t + \", \" + j(e) + \")]\";\n },\n monthAfter: function monthAfter(t, e) {\n return \"[\" + E + \"(\" + t + \", \" + j(e) + \")]\";\n },\n year: function year(t, e) {\n return \"[\" + O + \"(\" + t + \", \" + e + \")]\";\n },\n hour: function hour(t, e) {\n return \"[\" + A + \"(\" + t + \", \" + e + \")]\";\n },\n hourBefore: function hourBefore(t, e) {\n return \"[\" + x + \"(\" + t + \", \" + e + \")]\";\n },\n hourAfter: function hourAfter(t, e) {\n return \"[\" + M + \"(\" + t + \", \" + e + \")]\";\n }\n },\n S = {\n gt: function gt(t, e) {\n return \"[\" + l + \"(\" + t + \", \" + e + \")]\";\n },\n lt: function lt(t, e) {\n return \"[\" + p + \"(\" + t + \", \" + e + \")]\";\n },\n inRange: function inRange(t, e, n) {\n return \"[\" + h + \"(\" + t + \", \" + e + \", \" + n + \")]\";\n }\n };\n e.default = {\n at: function at(t, e) {\n return \"[\" + r + \"(\" + t + \", \" + j(e) + \")]\";\n },\n not: function not(t, e) {\n return \"[\" + o + \"(\" + t + \", \" + j(e) + \")]\";\n },\n missing: function missing(t) {\n return \"[\" + i + \"(\" + t + \")]\";\n },\n has: function has(t) {\n return \"[\" + u + \"(\" + t + \")]\";\n },\n any: function any(t, e) {\n return \"[\" + a + \"(\" + t + \", \" + j(e) + \")]\";\n },\n in: function _in(t, e) {\n return \"[\" + s + \"(\" + t + \", \" + j(e) + \")]\";\n },\n fulltext: function fulltext(t, e) {\n return \"[\" + f + \"(\" + t + \", \" + j(e) + \")]\";\n },\n similar: function similar(t, e) {\n return \"[\" + c + '(\"' + t + '\", ' + e + \")]\";\n },\n date: R,\n dateBefore: R.before,\n dateAfter: R.after,\n dateBetween: R.between,\n dayOfMonth: R.dayOfMonth,\n dayOfMonthAfter: R.dayOfMonthAfter,\n dayOfMonthBefore: R.dayOfMonthBefore,\n dayOfWeek: R.dayOfWeek,\n dayOfWeekAfter: R.dayOfWeekAfter,\n dayOfWeekBefore: R.dayOfWeekBefore,\n month: R.month,\n monthBefore: R.monthBefore,\n monthAfter: R.monthAfter,\n year: R.year,\n hour: R.hour,\n hourBefore: R.hourBefore,\n hourAfter: R.hourAfter,\n number: S,\n gt: S.gt,\n lt: S.lt,\n inRange: S.inRange,\n near: q.near,\n geopoint: q\n };\n }, function (t, e, n) {\n \"use strict\";\n\n (function (t) {\n var r = n(0),\n o = setTimeout;\n\n function i() {}\n\n function u(t) {\n if (!(this instanceof u)) throw new TypeError(\"Promises must be constructed via new\");\n if (\"function\" != typeof t) throw new TypeError(\"not a function\");\n this._state = 0, this._handled = !1, this._value = void 0, this._deferreds = [], l(t, this);\n }\n\n function a(t, e) {\n for (; 3 === t._state;) {\n t = t._value;\n }\n\n 0 !== t._state ? (t._handled = !0, u._immediateFn(function () {\n var n = 1 === t._state ? e.onFulfilled : e.onRejected;\n\n if (null !== n) {\n var r;\n\n try {\n r = n(t._value);\n } catch (t) {\n return void f(e.promise, t);\n }\n\n s(e.promise, r);\n } else (1 === t._state ? s : f)(e.promise, t._value);\n })) : t._deferreds.push(e);\n }\n\n function s(t, e) {\n try {\n if (e === t) throw new TypeError(\"A promise cannot be resolved with itself.\");\n\n if (e && (\"object\" == typeof e || \"function\" == typeof e)) {\n var n = e.then;\n if (e instanceof u) return t._state = 3, t._value = e, void c(t);\n if (\"function\" == typeof n) return void l(function (t, e) {\n return function () {\n t.apply(e, arguments);\n };\n }(n, e), t);\n }\n\n t._state = 1, t._value = e, c(t);\n } catch (e) {\n f(t, e);\n }\n }\n\n function f(t, e) {\n t._state = 2, t._value = e, c(t);\n }\n\n function c(t) {\n 2 === t._state && 0 === t._deferreds.length && u._immediateFn(function () {\n t._handled || u._unhandledRejectionFn(t._value);\n });\n\n for (var e = 0, n = t._deferreds.length; e < n; e++) {\n a(t, t._deferreds[e]);\n }\n\n t._deferreds = null;\n }\n\n function l(t, e) {\n var n = !1;\n\n try {\n t(function (t) {\n n || (n = !0, s(e, t));\n }, function (t) {\n n || (n = !0, f(e, t));\n });\n } catch (t) {\n if (n) return;\n n = !0, f(e, t);\n }\n }\n\n u.prototype.catch = function (t) {\n return this.then(null, t);\n }, u.prototype.then = function (t, e) {\n var n = new this.constructor(i);\n return a(this, new function (t, e, n) {\n this.onFulfilled = \"function\" == typeof t ? t : null, this.onRejected = \"function\" == typeof e ? e : null, this.promise = n;\n }(t, e, n)), n;\n }, u.prototype.finally = r.a, u.all = function (t) {\n return new u(function (e, n) {\n if (!t || void 0 === t.length) throw new TypeError(\"Promise.all accepts an array\");\n var r = Array.prototype.slice.call(t);\n if (0 === r.length) return e([]);\n var o = r.length;\n\n function i(t, u) {\n try {\n if (u && (\"object\" == typeof u || \"function\" == typeof u)) {\n var a = u.then;\n if (\"function\" == typeof a) return void a.call(u, function (e) {\n i(t, e);\n }, n);\n }\n\n r[t] = u, 0 == --o && e(r);\n } catch (t) {\n n(t);\n }\n }\n\n for (var u = 0; u < r.length; u++) {\n i(u, r[u]);\n }\n });\n }, u.resolve = function (t) {\n return t && \"object\" == typeof t && t.constructor === u ? t : new u(function (e) {\n e(t);\n });\n }, u.reject = function (t) {\n return new u(function (e, n) {\n n(t);\n });\n }, u.race = function (t) {\n return new u(function (e, n) {\n for (var r = 0, o = t.length; r < o; r++) {\n t[r].then(e, n);\n }\n });\n }, u._immediateFn = \"function\" == typeof t && function (e) {\n t(e);\n } || function (t) {\n o(t, 0);\n }, u._unhandledRejectionFn = function (t) {\n \"undefined\" != typeof console && console && console.warn(\"Possible Unhandled Promise Rejection:\", t);\n }, e.a = u;\n }).call(this, n(18).setImmediate);\n }, function (t, e, n) {\n \"use strict\";\n\n e.__esModule = !0;\n\n var r = function () {\n function t(t) {\n this.options = t || {};\n }\n\n return t.prototype.request = function (t, e) {\n !function (t, e, n) {\n var r,\n o = {\n headers: {\n Accept: \"application/json\"\n }\n };\n e && e.proxyAgent && (o.agent = e.proxyAgent);\n var i = fetch(t, o);\n (e.timeoutInMs ? Promise.race([i, new Promise(function (n, o) {\n r = setTimeout(function () {\n return o(new Error(t + \" response timeout\"));\n }, e.timeoutInMs);\n })]) : i).then(function (e) {\n return clearTimeout(r), ~~(e.status / 100 != 2) ? e.text().then(function () {\n var n = new Error(\"Unexpected status code [\" + e.status + \"] on URL \" + t);\n throw n.status = e.status, n;\n }) : e.json().then(function (t) {\n var r = e.headers.get(\"cache-control\"),\n o = r ? /max-age=(\\d+)/.exec(r) : null,\n i = o ? parseInt(o[1], 10) : void 0;\n n(null, t, e, i);\n });\n }).catch(function (t) {\n clearTimeout(r), n(t);\n });\n }(t, this.options, e);\n }, t;\n }();\n\n e.DefaultRequestHandler = r;\n }, function (t, e, n) {\n \"use strict\";\n\n function r(t) {\n this.size = 0, this.limit = t, this._keymap = {};\n }\n\n e.__esModule = !0, e.MakeLRUCache = function (t) {\n return new r(t);\n }, r.prototype.put = function (t, e) {\n var n = {\n key: t,\n value: e\n };\n if (this._keymap[t] = n, this.tail ? (this.tail.newer = n, n.older = this.tail) : this.head = n, this.tail = n, this.size === this.limit) return this.shift();\n this.size++;\n }, r.prototype.shift = function () {\n var t = this.head;\n return t && (this.head.newer ? (this.head = this.head.newer, this.head.older = void 0) : this.head = void 0, t.newer = t.older = void 0, delete this._keymap[t.key]), console.log(\"purging \", t.key), t;\n }, r.prototype.get = function (t, e) {\n var n = this._keymap[t];\n if (void 0 !== n) return n === this.tail ? e ? n : n.value : (n.newer && (n === this.head && (this.head = n.newer), n.newer.older = n.older), n.older && (n.older.newer = n.newer), n.newer = void 0, n.older = this.tail, this.tail && (this.tail.newer = n), this.tail = n, e ? n : n.value);\n }, r.prototype.find = function (t) {\n return this._keymap[t];\n }, r.prototype.set = function (t, e) {\n var n,\n r = this.get(t, !0);\n return r ? (n = r.value, r.value = e) : (n = this.put(t, e)) && (n = n.value), n;\n }, r.prototype.remove = function (t) {\n var e = this._keymap[t];\n if (e) return delete this._keymap[e.key], e.newer && e.older ? (e.older.newer = e.newer, e.newer.older = e.older) : e.newer ? (e.newer.older = void 0, this.head = e.newer) : e.older ? (e.older.newer = void 0, this.tail = e.older) : this.head = this.tail = void 0, this.size--, e.value;\n }, r.prototype.removeAll = function () {\n this.head = this.tail = void 0, this.size = 0, this._keymap = {};\n }, \"function\" == typeof Object.keys ? r.prototype.keys = function () {\n return Object.keys(this._keymap);\n } : r.prototype.keys = function () {\n var t = [];\n\n for (var e in this._keymap) {\n t.push(e);\n }\n\n return t;\n }, r.prototype.forEach = function (t, e, n) {\n var r;\n if (!0 === e ? (n = !0, e = void 0) : \"object\" != typeof e && (e = this), n) for (r = this.tail; r;) {\n t.call(e, r.key, r.value, this), r = r.older;\n } else for (r = this.head; r;) {\n t.call(e, r.key, r.value, this), r = r.newer;\n }\n }, r.prototype.toString = function () {\n for (var t = \"\", e = this.head; e;) {\n t += String(e.key) + \":\" + e.value, (e = e.newer) && (t += \" < \");\n }\n\n return t;\n };\n }, function (t, e, n) {\n \"use strict\";\n\n e.__esModule = !0;\n\n var r = n(9),\n o = function () {\n function t(t) {\n void 0 === t && (t = 1e3), this.lru = r.MakeLRUCache(t);\n }\n\n return t.prototype.isExpired = function (t) {\n var e = this.lru.get(t, !1);\n return !!e && 0 !== e.expiredIn && e.expiredIn < Date.now();\n }, t.prototype.get = function (t, e) {\n var n = this.lru.get(t, !1);\n n && !this.isExpired(t) ? e(null, n.data) : e && e(null);\n }, t.prototype.set = function (t, e, n, r) {\n this.lru.remove(t), this.lru.put(t, {\n data: e,\n expiredIn: n ? Date.now() + 1e3 * n : 0\n }), r && r(null);\n }, t.prototype.remove = function (t, e) {\n this.lru.remove(t), e && e(null);\n }, t.prototype.clear = function (t) {\n this.lru.removeAll(), t && t(null);\n }, t;\n }();\n\n e.DefaultApiCache = o;\n }, function (t, e, n) {\n \"use strict\";\n\n e.__esModule = !0;\n\n var r = n(10),\n o = n(8),\n i = function () {\n function t(t, e, n, i) {\n this.requestHandler = t || new o.DefaultRequestHandler({\n proxyAgent: n,\n timeoutInMs: i\n }), this.cache = e || new r.DefaultApiCache();\n }\n\n return t.prototype.request = function (t, e) {\n this.requestHandler.request(t, function (t, n, r, o) {\n t ? e && e(t, null, r, o) : n && e && e(null, n, r, o);\n });\n }, t.prototype.cachedRequest = function (t, e) {\n var n = this,\n r = e || {};\n return new Promise(function (e, o) {\n !function (e) {\n var o = r.cacheKey || t;\n n.cache.get(o, function (i, u) {\n i || u ? e(i, u) : n.request(t, function (t, i, u, a) {\n if (t) e(t, null);else {\n var s = a || r.ttl;\n s && n.cache.set(o, i, s, e), e(null, i);\n }\n });\n });\n }(function (t, n) {\n t && o(t), n && e(n);\n });\n });\n }, t;\n }();\n\n e.default = i;\n }, function (t, e, n) {\n \"use strict\";\n\n e.__esModule = !0;\n var r = decodeURIComponent;\n e.default = {\n parse: function parse(t, e) {\n if (\"string\" != typeof t) throw new TypeError(\"argument str must be a string\");\n var n = {},\n o = e || {},\n i = t.split(/; */),\n u = o.decode || r;\n return i.forEach(function (t) {\n var e = t.indexOf(\"=\");\n\n if (!(e < 0)) {\n var r = t.substr(0, e).trim(),\n o = t.substr(++e, t.length).trim();\n '\"' == o[0] && (o = o.slice(1, -1)), void 0 == n[r] && (n[r] = function (t, e) {\n try {\n return e(t);\n } catch (e) {\n return t;\n }\n }(o, u));\n }\n }), n;\n }\n };\n }, function (t, e, n) {\n \"use strict\";\n\n e.__esModule = !0;\n\n var r = n(4),\n o = n(3),\n i = n(1),\n u = function () {\n function t(t, e) {\n this.api = new o.default(t, e);\n }\n\n return t.prototype.getApi = function () {\n return this.api.get();\n }, t.prototype.everything = function () {\n return this.form(\"everything\");\n }, t.prototype.form = function (t) {\n return new r.LazySearchForm(t, this.api);\n }, t.prototype.query = function (t, e, n) {\n return this.getApi().then(function (r) {\n return r.query(t, e, n);\n });\n }, t.prototype.queryFirst = function (t, e, n) {\n return this.getApi().then(function (r) {\n return r.queryFirst(t, e, n);\n });\n }, t.prototype.getByID = function (t, e, n) {\n return this.getApi().then(function (r) {\n return r.getByID(t, e, n);\n });\n }, t.prototype.getByIDs = function (t, e, n) {\n return this.getApi().then(function (r) {\n return r.getByIDs(t, e, n);\n });\n }, t.prototype.getByUID = function (t, e, n, r) {\n return this.getApi().then(function (o) {\n return o.getByUID(t, e, n, r);\n });\n }, t.prototype.getSingle = function (t, e, n) {\n return this.getApi().then(function (r) {\n return r.getSingle(t, e, n);\n });\n }, t.prototype.getBookmark = function (t, e, n) {\n return this.getApi().then(function (r) {\n return r.getBookmark(t, e, n);\n });\n }, t.prototype.previewSession = function (t, e, n, r) {\n return this.getApi().then(function (o) {\n return o.previewSession(t, e, n, r);\n });\n }, t.prototype.getPreviewResolver = function (t, e) {\n var n = this;\n return i.createPreviewResolver(t, e, function (t) {\n return n.getApi().then(function (e) {\n return e.getByID(t);\n });\n });\n }, t.getApi = function (t, e) {\n return new o.default(t, e).get();\n }, t;\n }();\n\n e.DefaultClient = u;\n }, function (t, e, n) {\n \"use strict\";\n\n var r,\n o = n(6),\n i = n(5),\n u = n(13),\n a = n(3),\n s = n(2);\n !function (t) {\n function e(t, e) {\n return u.DefaultClient.getApi(t, e);\n }\n\n t.experimentCookie = s.EXPERIMENT_COOKIE, t.previewCookie = s.PREVIEW_COOKIE, t.Predicates = o.default, t.Experiments = i.Experiments, t.Api = a.default, t.client = function (t, e) {\n return new u.DefaultClient(t, e);\n }, t.getApi = e, t.api = function (t, n) {\n return e(t, n);\n };\n }(r || (r = {})), t.exports = r;\n }, function (e, n) {\n e.exports = t;\n }, function (t, e) {\n var n,\n r,\n o = t.exports = {};\n\n function i() {\n throw new Error(\"setTimeout has not been defined\");\n }\n\n function u() {\n throw new Error(\"clearTimeout has not been defined\");\n }\n\n function a(t) {\n if (n === setTimeout) return setTimeout(t, 0);\n if ((n === i || !n) && setTimeout) return n = setTimeout, setTimeout(t, 0);\n\n try {\n return n(t, 0);\n } catch (e) {\n try {\n return n.call(null, t, 0);\n } catch (e) {\n return n.call(this, t, 0);\n }\n }\n }\n\n !function () {\n try {\n n = \"function\" == typeof setTimeout ? setTimeout : i;\n } catch (t) {\n n = i;\n }\n\n try {\n r = \"function\" == typeof clearTimeout ? clearTimeout : u;\n } catch (t) {\n r = u;\n }\n }();\n var s,\n f = [],\n c = !1,\n l = -1;\n\n function p() {\n c && s && (c = !1, s.length ? f = s.concat(f) : l = -1, f.length && h());\n }\n\n function h() {\n if (!c) {\n var t = a(p);\n c = !0;\n\n for (var e = f.length; e;) {\n for (s = f, f = []; ++l < e;) {\n s && s[l].run();\n }\n\n l = -1, e = f.length;\n }\n\n s = null, c = !1, function (t) {\n if (r === clearTimeout) return clearTimeout(t);\n if ((r === u || !r) && clearTimeout) return r = clearTimeout, clearTimeout(t);\n\n try {\n r(t);\n } catch (e) {\n try {\n return r.call(null, t);\n } catch (e) {\n return r.call(this, t);\n }\n }\n }(t);\n }\n }\n\n function d(t, e) {\n this.fun = t, this.array = e;\n }\n\n function y() {}\n\n o.nextTick = function (t) {\n var e = new Array(arguments.length - 1);\n if (arguments.length > 1) for (var n = 1; n < arguments.length; n++) {\n e[n - 1] = arguments[n];\n }\n f.push(new d(t, e)), 1 !== f.length || c || a(h);\n }, d.prototype.run = function () {\n this.fun.apply(null, this.array);\n }, o.title = \"browser\", o.browser = !0, o.env = {}, o.argv = [], o.version = \"\", o.versions = {}, o.on = y, o.addListener = y, o.once = y, o.off = y, o.removeListener = y, o.removeAllListeners = y, o.emit = y, o.prependListener = y, o.prependOnceListener = y, o.listeners = function (t) {\n return [];\n }, o.binding = function (t) {\n throw new Error(\"process.binding is not supported\");\n }, o.cwd = function () {\n return \"/\";\n }, o.chdir = function (t) {\n throw new Error(\"process.chdir is not supported\");\n }, o.umask = function () {\n return 0;\n };\n }, function (t, e, n) {\n (function (t) {\n !function (e, n) {\n \"use strict\";\n\n if (!e.setImmediate) {\n var r,\n o = 1,\n i = {},\n u = !1,\n a = e.document,\n s = Object.getPrototypeOf && Object.getPrototypeOf(e);\n s = s && s.setTimeout ? s : e, \"[object process]\" === {}.toString.call(e.process) ? r = function r(e) {\n t.nextTick(function () {\n c(e);\n });\n } : function () {\n if (e.postMessage && !e.importScripts) {\n var t = !0,\n n = e.onmessage;\n return e.onmessage = function () {\n t = !1;\n }, e.postMessage(\"\", \"*\"), e.onmessage = n, t;\n }\n }() ? function () {\n var t = \"setImmediate$\" + Math.random() + \"$\",\n n = function n(_n) {\n _n.source === e && \"string\" == typeof _n.data && 0 === _n.data.indexOf(t) && c(+_n.data.slice(t.length));\n };\n\n e.addEventListener ? e.addEventListener(\"message\", n, !1) : e.attachEvent(\"onmessage\", n), r = function r(n) {\n e.postMessage(t + n, \"*\");\n };\n }() : e.MessageChannel ? function () {\n var t = new MessageChannel();\n t.port1.onmessage = function (t) {\n c(t.data);\n }, r = function r(e) {\n t.port2.postMessage(e);\n };\n }() : a && \"onreadystatechange\" in a.createElement(\"script\") ? function () {\n var t = a.documentElement;\n\n r = function r(e) {\n var n = a.createElement(\"script\");\n n.onreadystatechange = function () {\n c(e), n.onreadystatechange = null, t.removeChild(n), n = null;\n }, t.appendChild(n);\n };\n }() : r = function r(t) {\n setTimeout(c, 0, t);\n }, s.setImmediate = function (t) {\n \"function\" != typeof t && (t = new Function(\"\" + t));\n\n for (var e = new Array(arguments.length - 1), n = 0; n < e.length; n++) {\n e[n] = arguments[n + 1];\n }\n\n var u = {\n callback: t,\n args: e\n };\n return i[o] = u, r(o), o++;\n }, s.clearImmediate = f;\n }\n\n function f(t) {\n delete i[t];\n }\n\n function c(t) {\n if (u) setTimeout(c, 0, t);else {\n var e = i[t];\n\n if (e) {\n u = !0;\n\n try {\n !function (t) {\n var e = t.callback,\n r = t.args;\n\n switch (r.length) {\n case 0:\n e();\n break;\n\n case 1:\n e(r[0]);\n break;\n\n case 2:\n e(r[0], r[1]);\n break;\n\n case 3:\n e(r[0], r[1], r[2]);\n break;\n\n default:\n e.apply(n, r);\n }\n }(e);\n } finally {\n f(t), u = !1;\n }\n }\n }\n }\n }(\"undefined\" == typeof self ? \"undefined\" == typeof global ? this : global : self);\n }).call(this, n(16));\n }, function (t, e, n) {\n var r = \"undefined\" != typeof global && global || \"undefined\" != typeof self && self || window,\n o = Function.prototype.apply;\n\n function i(t, e) {\n this._id = t, this._clearFn = e;\n }\n\n e.setTimeout = function () {\n return new i(o.call(setTimeout, r, arguments), clearTimeout);\n }, e.setInterval = function () {\n return new i(o.call(setInterval, r, arguments), clearInterval);\n }, e.clearTimeout = e.clearInterval = function (t) {\n t && t.close();\n }, i.prototype.unref = i.prototype.ref = function () {}, i.prototype.close = function () {\n this._clearFn.call(r, this._id);\n }, e.enroll = function (t, e) {\n clearTimeout(t._idleTimeoutId), t._idleTimeout = e;\n }, e.unenroll = function (t) {\n clearTimeout(t._idleTimeoutId), t._idleTimeout = -1;\n }, e._unrefActive = e.active = function (t) {\n clearTimeout(t._idleTimeoutId);\n var e = t._idleTimeout;\n e >= 0 && (t._idleTimeoutId = setTimeout(function () {\n t._onTimeout && t._onTimeout();\n }, e));\n }, n(17), e.setImmediate = \"undefined\" != typeof self && self.setImmediate || \"undefined\" != typeof global && global.setImmediate || this && this.setImmediate, e.clearImmediate = \"undefined\" != typeof self && self.clearImmediate || \"undefined\" != typeof global && global.clearImmediate || this && this.clearImmediate;\n }, function (t, e, n) {\n \"use strict\";\n\n n.r(e);\n\n var r = n(7),\n o = n(0),\n i = function () {\n if (\"undefined\" != typeof self) return self;\n if (\"undefined\" != typeof window) return window;\n if (\"undefined\" != typeof global) return global;\n throw new Error(\"unable to locate global object\");\n }();\n\n i.Promise ? i.Promise.prototype.finally || (i.Promise.prototype.finally = o.a) : i.Promise = r.a;\n }, function (t, e, n) {\n n(19), n(15), t.exports = n(14);\n }]);\n});","function asyncGeneratorStep(gen, resolve, reject, _next, _throw, key, arg) {\n try {\n var info = gen[key](arg);\n var value = info.value;\n } catch (error) {\n reject(error);\n return;\n }\n\n if (info.done) {\n resolve(value);\n } else {\n Promise.resolve(value).then(_next, _throw);\n }\n}\n\nexport default function _asyncToGenerator(fn) {\n return function () {\n var self = this,\n args = arguments;\n return new Promise(function (resolve, reject) {\n var gen = fn.apply(self, args);\n\n function _next(value) {\n asyncGeneratorStep(gen, resolve, reject, _next, _throw, \"next\", value);\n }\n\n function _throw(err) {\n asyncGeneratorStep(gen, resolve, reject, _next, _throw, \"throw\", err);\n }\n\n _next(undefined);\n });\n };\n}","/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\n\n/* global Reflect, Promise */\nvar _extendStatics = function extendStatics(d, b) {\n _extendStatics = Object.setPrototypeOf || {\n __proto__: []\n } instanceof Array && function (d, b) {\n d.__proto__ = b;\n } || function (d, b) {\n for (var p in b) {\n if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p];\n }\n };\n\n return _extendStatics(d, b);\n};\n\nexport function __extends(d, b) {\n if (typeof b !== \"function\" && b !== null) throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\n\n _extendStatics(d, b);\n\n function __() {\n this.constructor = d;\n }\n\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\n}\n\nvar _assign = function __assign() {\n _assign = Object.assign || function __assign(t) {\n for (var s, i = 1, n = arguments.length; i < n; i++) {\n s = arguments[i];\n\n for (var p in s) {\n if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\n }\n }\n\n return t;\n };\n\n return _assign.apply(this, arguments);\n};\n\nexport { _assign as __assign };\nexport function __rest(s, e) {\n var t = {};\n\n for (var p in s) {\n if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0) t[p] = s[p];\n }\n\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\") for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i])) t[p[i]] = s[p[i]];\n }\n return t;\n}\nexport function __decorate(decorators, target, key, desc) {\n var c = arguments.length,\n r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc,\n d;\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);else for (var i = decorators.length - 1; i >= 0; i--) {\n if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\n }\n return c > 3 && r && Object.defineProperty(target, key, r), r;\n}\nexport function __param(paramIndex, decorator) {\n return function (target, key) {\n decorator(target, key, paramIndex);\n };\n}\nexport function __metadata(metadataKey, metadataValue) {\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\n}\nexport function __awaiter(thisArg, _arguments, P, generator) {\n function adopt(value) {\n return value instanceof P ? value : new P(function (resolve) {\n resolve(value);\n });\n }\n\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) {\n try {\n step(generator.next(value));\n } catch (e) {\n reject(e);\n }\n }\n\n function rejected(value) {\n try {\n step(generator[\"throw\"](value));\n } catch (e) {\n reject(e);\n }\n }\n\n function step(result) {\n result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected);\n }\n\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n}\nexport function __generator(thisArg, body) {\n var _ = {\n label: 0,\n sent: function sent() {\n if (t[0] & 1) throw t[1];\n return t[1];\n },\n trys: [],\n ops: []\n },\n f,\n y,\n t,\n g;\n return g = {\n next: verb(0),\n \"throw\": verb(1),\n \"return\": verb(2)\n }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function () {\n return this;\n }), g;\n\n function verb(n) {\n return function (v) {\n return step([n, v]);\n };\n }\n\n function step(op) {\n if (f) throw new TypeError(\"Generator is already executing.\");\n\n while (_) {\n try {\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\n if (y = 0, t) op = [op[0] & 2, t.value];\n\n switch (op[0]) {\n case 0:\n case 1:\n t = op;\n break;\n\n case 4:\n _.label++;\n return {\n value: op[1],\n done: false\n };\n\n case 5:\n _.label++;\n y = op[1];\n op = [0];\n continue;\n\n case 7:\n op = _.ops.pop();\n\n _.trys.pop();\n\n continue;\n\n default:\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) {\n _ = 0;\n continue;\n }\n\n if (op[0] === 3 && (!t || op[1] > t[0] && op[1] < t[3])) {\n _.label = op[1];\n break;\n }\n\n if (op[0] === 6 && _.label < t[1]) {\n _.label = t[1];\n t = op;\n break;\n }\n\n if (t && _.label < t[2]) {\n _.label = t[2];\n\n _.ops.push(op);\n\n break;\n }\n\n if (t[2]) _.ops.pop();\n\n _.trys.pop();\n\n continue;\n }\n\n op = body.call(thisArg, _);\n } catch (e) {\n op = [6, e];\n y = 0;\n } finally {\n f = t = 0;\n }\n }\n\n if (op[0] & 5) throw op[1];\n return {\n value: op[0] ? op[1] : void 0,\n done: true\n };\n }\n}\nexport var __createBinding = Object.create ? function (o, m, k, k2) {\n if (k2 === undefined) k2 = k;\n Object.defineProperty(o, k2, {\n enumerable: true,\n get: function get() {\n return m[k];\n }\n });\n} : function (o, m, k, k2) {\n if (k2 === undefined) k2 = k;\n o[k2] = m[k];\n};\nexport function __exportStar(m, o) {\n for (var p in m) {\n if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\n }\n}\nexport function __values(o) {\n var s = typeof Symbol === \"function\" && Symbol.iterator,\n m = s && o[s],\n i = 0;\n if (m) return m.call(o);\n if (o && typeof o.length === \"number\") return {\n next: function next() {\n if (o && i >= o.length) o = void 0;\n return {\n value: o && o[i++],\n done: !o\n };\n }\n };\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n}\nexport function __read(o, n) {\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\n if (!m) return o;\n var i = m.call(o),\n r,\n ar = [],\n e;\n\n try {\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) {\n ar.push(r.value);\n }\n } catch (error) {\n e = {\n error: error\n };\n } finally {\n try {\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\n } finally {\n if (e) throw e.error;\n }\n }\n\n return ar;\n}\n/** @deprecated */\n\nexport function __spread() {\n for (var ar = [], i = 0; i < arguments.length; i++) {\n ar = ar.concat(__read(arguments[i]));\n }\n\n return ar;\n}\n/** @deprecated */\n\nexport function __spreadArrays() {\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) {\n s += arguments[i].length;\n }\n\n for (var r = Array(s), k = 0, i = 0; i < il; i++) {\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++) {\n r[k] = a[j];\n }\n }\n\n return r;\n}\nexport function __spreadArray(to, from, pack) {\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\n if (ar || !(i in from)) {\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\n ar[i] = from[i];\n }\n }\n return to.concat(ar || from);\n}\nexport function __await(v) {\n return this instanceof __await ? (this.v = v, this) : new __await(v);\n}\nexport function __asyncGenerator(thisArg, _arguments, generator) {\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\n var g = generator.apply(thisArg, _arguments || []),\n i,\n q = [];\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () {\n return this;\n }, i;\n\n function verb(n) {\n if (g[n]) i[n] = function (v) {\n return new Promise(function (a, b) {\n q.push([n, v, a, b]) > 1 || resume(n, v);\n });\n };\n }\n\n function resume(n, v) {\n try {\n step(g[n](v));\n } catch (e) {\n settle(q[0][3], e);\n }\n }\n\n function step(r) {\n r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r);\n }\n\n function fulfill(value) {\n resume(\"next\", value);\n }\n\n function reject(value) {\n resume(\"throw\", value);\n }\n\n function settle(f, v) {\n if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]);\n }\n}\nexport function __asyncDelegator(o) {\n var i, p;\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) {\n throw e;\n }), verb(\"return\"), i[Symbol.iterator] = function () {\n return this;\n }, i;\n\n function verb(n, f) {\n i[n] = o[n] ? function (v) {\n return (p = !p) ? {\n value: __await(o[n](v)),\n done: n === \"return\"\n } : f ? f(v) : v;\n } : f;\n }\n}\nexport function __asyncValues(o) {\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\n var m = o[Symbol.asyncIterator],\n i;\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () {\n return this;\n }, i);\n\n function verb(n) {\n i[n] = o[n] && function (v) {\n return new Promise(function (resolve, reject) {\n v = o[n](v), settle(resolve, reject, v.done, v.value);\n });\n };\n }\n\n function settle(resolve, reject, d, v) {\n Promise.resolve(v).then(function (v) {\n resolve({\n value: v,\n done: d\n });\n }, reject);\n }\n}\nexport function __makeTemplateObject(cooked, raw) {\n if (Object.defineProperty) {\n Object.defineProperty(cooked, \"raw\", {\n value: raw\n });\n } else {\n cooked.raw = raw;\n }\n\n return cooked;\n}\n;\n\nvar __setModuleDefault = Object.create ? function (o, v) {\n Object.defineProperty(o, \"default\", {\n enumerable: true,\n value: v\n });\n} : function (o, v) {\n o[\"default\"] = v;\n};\n\nexport function __importStar(mod) {\n if (mod && mod.__esModule) return mod;\n var result = {};\n if (mod != null) for (var k in mod) {\n if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\n }\n\n __setModuleDefault(result, mod);\n\n return result;\n}\nexport function __importDefault(mod) {\n return mod && mod.__esModule ? mod : {\n default: mod\n };\n}\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\n}\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\n return kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value;\n}","/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\n\n/* global Reflect, Promise */\nvar _extendStatics = function extendStatics(d, b) {\n _extendStatics = Object.setPrototypeOf || {\n __proto__: []\n } instanceof Array && function (d, b) {\n d.__proto__ = b;\n } || function (d, b) {\n for (var p in b) {\n if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p];\n }\n };\n\n return _extendStatics(d, b);\n};\n\nexport function __extends(d, b) {\n if (typeof b !== \"function\" && b !== null) throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\n\n _extendStatics(d, b);\n\n function __() {\n this.constructor = d;\n }\n\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\n}\n\nvar _assign = function __assign() {\n _assign = Object.assign || function __assign(t) {\n for (var s, i = 1, n = arguments.length; i < n; i++) {\n s = arguments[i];\n\n for (var p in s) {\n if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\n }\n }\n\n return t;\n };\n\n return _assign.apply(this, arguments);\n};\n\nexport { _assign as __assign };\nexport function __rest(s, e) {\n var t = {};\n\n for (var p in s) {\n if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0) t[p] = s[p];\n }\n\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\") for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i])) t[p[i]] = s[p[i]];\n }\n return t;\n}\nexport function __decorate(decorators, target, key, desc) {\n var c = arguments.length,\n r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc,\n d;\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);else for (var i = decorators.length - 1; i >= 0; i--) {\n if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\n }\n return c > 3 && r && Object.defineProperty(target, key, r), r;\n}\nexport function __param(paramIndex, decorator) {\n return function (target, key) {\n decorator(target, key, paramIndex);\n };\n}\nexport function __metadata(metadataKey, metadataValue) {\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\n}\nexport function __awaiter(thisArg, _arguments, P, generator) {\n function adopt(value) {\n return value instanceof P ? value : new P(function (resolve) {\n resolve(value);\n });\n }\n\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) {\n try {\n step(generator.next(value));\n } catch (e) {\n reject(e);\n }\n }\n\n function rejected(value) {\n try {\n step(generator[\"throw\"](value));\n } catch (e) {\n reject(e);\n }\n }\n\n function step(result) {\n result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected);\n }\n\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n}\nexport function __generator(thisArg, body) {\n var _ = {\n label: 0,\n sent: function sent() {\n if (t[0] & 1) throw t[1];\n return t[1];\n },\n trys: [],\n ops: []\n },\n f,\n y,\n t,\n g;\n return g = {\n next: verb(0),\n \"throw\": verb(1),\n \"return\": verb(2)\n }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function () {\n return this;\n }), g;\n\n function verb(n) {\n return function (v) {\n return step([n, v]);\n };\n }\n\n function step(op) {\n if (f) throw new TypeError(\"Generator is already executing.\");\n\n while (_) {\n try {\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\n if (y = 0, t) op = [op[0] & 2, t.value];\n\n switch (op[0]) {\n case 0:\n case 1:\n t = op;\n break;\n\n case 4:\n _.label++;\n return {\n value: op[1],\n done: false\n };\n\n case 5:\n _.label++;\n y = op[1];\n op = [0];\n continue;\n\n case 7:\n op = _.ops.pop();\n\n _.trys.pop();\n\n continue;\n\n default:\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) {\n _ = 0;\n continue;\n }\n\n if (op[0] === 3 && (!t || op[1] > t[0] && op[1] < t[3])) {\n _.label = op[1];\n break;\n }\n\n if (op[0] === 6 && _.label < t[1]) {\n _.label = t[1];\n t = op;\n break;\n }\n\n if (t && _.label < t[2]) {\n _.label = t[2];\n\n _.ops.push(op);\n\n break;\n }\n\n if (t[2]) _.ops.pop();\n\n _.trys.pop();\n\n continue;\n }\n\n op = body.call(thisArg, _);\n } catch (e) {\n op = [6, e];\n y = 0;\n } finally {\n f = t = 0;\n }\n }\n\n if (op[0] & 5) throw op[1];\n return {\n value: op[0] ? op[1] : void 0,\n done: true\n };\n }\n}\nexport var __createBinding = Object.create ? function (o, m, k, k2) {\n if (k2 === undefined) k2 = k;\n Object.defineProperty(o, k2, {\n enumerable: true,\n get: function get() {\n return m[k];\n }\n });\n} : function (o, m, k, k2) {\n if (k2 === undefined) k2 = k;\n o[k2] = m[k];\n};\nexport function __exportStar(m, o) {\n for (var p in m) {\n if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\n }\n}\nexport function __values(o) {\n var s = typeof Symbol === \"function\" && Symbol.iterator,\n m = s && o[s],\n i = 0;\n if (m) return m.call(o);\n if (o && typeof o.length === \"number\") return {\n next: function next() {\n if (o && i >= o.length) o = void 0;\n return {\n value: o && o[i++],\n done: !o\n };\n }\n };\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n}\nexport function __read(o, n) {\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\n if (!m) return o;\n var i = m.call(o),\n r,\n ar = [],\n e;\n\n try {\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) {\n ar.push(r.value);\n }\n } catch (error) {\n e = {\n error: error\n };\n } finally {\n try {\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\n } finally {\n if (e) throw e.error;\n }\n }\n\n return ar;\n}\n/** @deprecated */\n\nexport function __spread() {\n for (var ar = [], i = 0; i < arguments.length; i++) {\n ar = ar.concat(__read(arguments[i]));\n }\n\n return ar;\n}\n/** @deprecated */\n\nexport function __spreadArrays() {\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) {\n s += arguments[i].length;\n }\n\n for (var r = Array(s), k = 0, i = 0; i < il; i++) {\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++) {\n r[k] = a[j];\n }\n }\n\n return r;\n}\nexport function __spreadArray(to, from, pack) {\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\n if (ar || !(i in from)) {\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\n ar[i] = from[i];\n }\n }\n return to.concat(ar || from);\n}\nexport function __await(v) {\n return this instanceof __await ? (this.v = v, this) : new __await(v);\n}\nexport function __asyncGenerator(thisArg, _arguments, generator) {\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\n var g = generator.apply(thisArg, _arguments || []),\n i,\n q = [];\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () {\n return this;\n }, i;\n\n function verb(n) {\n if (g[n]) i[n] = function (v) {\n return new Promise(function (a, b) {\n q.push([n, v, a, b]) > 1 || resume(n, v);\n });\n };\n }\n\n function resume(n, v) {\n try {\n step(g[n](v));\n } catch (e) {\n settle(q[0][3], e);\n }\n }\n\n function step(r) {\n r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r);\n }\n\n function fulfill(value) {\n resume(\"next\", value);\n }\n\n function reject(value) {\n resume(\"throw\", value);\n }\n\n function settle(f, v) {\n if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]);\n }\n}\nexport function __asyncDelegator(o) {\n var i, p;\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) {\n throw e;\n }), verb(\"return\"), i[Symbol.iterator] = function () {\n return this;\n }, i;\n\n function verb(n, f) {\n i[n] = o[n] ? function (v) {\n return (p = !p) ? {\n value: __await(o[n](v)),\n done: n === \"return\"\n } : f ? f(v) : v;\n } : f;\n }\n}\nexport function __asyncValues(o) {\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\n var m = o[Symbol.asyncIterator],\n i;\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () {\n return this;\n }, i);\n\n function verb(n) {\n i[n] = o[n] && function (v) {\n return new Promise(function (resolve, reject) {\n v = o[n](v), settle(resolve, reject, v.done, v.value);\n });\n };\n }\n\n function settle(resolve, reject, d, v) {\n Promise.resolve(v).then(function (v) {\n resolve({\n value: v,\n done: d\n });\n }, reject);\n }\n}\nexport function __makeTemplateObject(cooked, raw) {\n if (Object.defineProperty) {\n Object.defineProperty(cooked, \"raw\", {\n value: raw\n });\n } else {\n cooked.raw = raw;\n }\n\n return cooked;\n}\n;\n\nvar __setModuleDefault = Object.create ? function (o, v) {\n Object.defineProperty(o, \"default\", {\n enumerable: true,\n value: v\n });\n} : function (o, v) {\n o[\"default\"] = v;\n};\n\nexport function __importStar(mod) {\n if (mod && mod.__esModule) return mod;\n var result = {};\n if (mod != null) for (var k in mod) {\n if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\n }\n\n __setModuleDefault(result, mod);\n\n return result;\n}\nexport function __importDefault(mod) {\n return mod && mod.__esModule ? mod : {\n default: mod\n };\n}\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\n}\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\n return kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value;\n}","/**\n * Source: ftp://ftp.unicode.org/Public/UCD/latest/ucd/SpecialCasing.txt\n */\nvar SUPPORTED_LOCALE = {\n tr: {\n regexp: /\\u0130|\\u0049|\\u0049\\u0307/g,\n map: {\n İ: \"i\",\n I: \"\\u0131\",\n İ: \"i\"\n }\n },\n az: {\n regexp: /\\u0130/g,\n map: {\n İ: \"i\",\n I: \"\\u0131\",\n İ: \"i\"\n }\n },\n lt: {\n regexp: /\\u0049|\\u004A|\\u012E|\\u00CC|\\u00CD|\\u0128/g,\n map: {\n I: \"i\\u0307\",\n J: \"j\\u0307\",\n Į: \"\\u012F\\u0307\",\n Ì: \"i\\u0307\\u0300\",\n Í: \"i\\u0307\\u0301\",\n Ĩ: \"i\\u0307\\u0303\"\n }\n }\n};\n/**\n * Localized lower case.\n */\n\nexport function localeLowerCase(str, locale) {\n var lang = SUPPORTED_LOCALE[locale.toLowerCase()];\n if (lang) return lowerCase(str.replace(lang.regexp, function (m) {\n return lang.map[m];\n }));\n return lowerCase(str);\n}\n/**\n * Lower case as a function.\n */\n\nexport function lowerCase(str) {\n return str.toLowerCase();\n}","import { lowerCase } from \"lower-case\"; // Support camel case (\"camelCase\" -> \"camel Case\" and \"CAMELCase\" -> \"CAMEL Case\").\n\nvar DEFAULT_SPLIT_REGEXP = [/([a-z0-9])([A-Z])/g, /([A-Z])([A-Z][a-z])/g]; // Remove all non-word characters.\n\nvar DEFAULT_STRIP_REGEXP = /[^A-Z0-9]+/gi;\n/**\n * Normalize the string into something other libraries can manipulate easier.\n */\n\nexport function noCase(input, options) {\n if (options === void 0) {\n options = {};\n }\n\n var _a = options.splitRegexp,\n splitRegexp = _a === void 0 ? DEFAULT_SPLIT_REGEXP : _a,\n _b = options.stripRegexp,\n stripRegexp = _b === void 0 ? DEFAULT_STRIP_REGEXP : _b,\n _c = options.transform,\n transform = _c === void 0 ? lowerCase : _c,\n _d = options.delimiter,\n delimiter = _d === void 0 ? \" \" : _d;\n var result = replace(replace(input, splitRegexp, \"$1\\0$2\"), stripRegexp, \"\\0\");\n var start = 0;\n var end = result.length; // Trim the delimiter from around the output string.\n\n while (result.charAt(start) === \"\\0\") {\n start++;\n }\n\n while (result.charAt(end - 1) === \"\\0\") {\n end--;\n } // Transform each token independently.\n\n\n return result.slice(start, end).split(\"\\0\").map(transform).join(delimiter);\n}\n/**\n * Replace `re` in the input string with the replacement value.\n */\n\nfunction replace(input, re, value) {\n if (re instanceof RegExp) return input.replace(re, value);\n return re.reduce(function (input, re) {\n return input.replace(re, value);\n }, input);\n}","import { __assign } from \"tslib\";\nimport { noCase } from \"no-case\";\nexport function pascalCaseTransform(input, index) {\n var firstChar = input.charAt(0);\n var lowerChars = input.substr(1).toLowerCase();\n\n if (index > 0 && firstChar >= \"0\" && firstChar <= \"9\") {\n return \"_\" + firstChar + lowerChars;\n }\n\n return \"\" + firstChar.toUpperCase() + lowerChars;\n}\nexport function pascalCaseTransformMerge(input) {\n return input.charAt(0).toUpperCase() + input.slice(1).toLowerCase();\n}\nexport function pascalCase(input, options) {\n if (options === void 0) {\n options = {};\n }\n\n return noCase(input, __assign({\n delimiter: \"\",\n transform: pascalCaseTransform\n }, options));\n}","import { __assign } from \"tslib\";\nimport { pascalCase, pascalCaseTransform, pascalCaseTransformMerge } from \"pascal-case\";\nexport function camelCaseTransform(input, index) {\n if (index === 0) return input.toLowerCase();\n return pascalCaseTransform(input, index);\n}\nexport function camelCaseTransformMerge(input, index) {\n if (index === 0) return input.toLowerCase();\n return pascalCaseTransformMerge(input);\n}\nexport function camelCase(input, options) {\n if (options === void 0) {\n options = {};\n }\n\n return pascalCase(input, __assign({\n transform: camelCaseTransform\n }, options));\n}","export default function _arrayWithHoles(arr) {\n if (Array.isArray(arr)) return arr;\n}","export default function _nonIterableRest() {\n throw new TypeError(\"Invalid attempt to destructure non-iterable instance.\\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.\");\n}","import arrayWithHoles from \"./arrayWithHoles.js\";\nimport iterableToArrayLimit from \"./iterableToArrayLimit.js\";\nimport unsupportedIterableToArray from \"./unsupportedIterableToArray.js\";\nimport nonIterableRest from \"./nonIterableRest.js\";\nexport default function _slicedToArray(arr, i) {\n return arrayWithHoles(arr) || iterableToArrayLimit(arr, i) || unsupportedIterableToArray(arr, i) || nonIterableRest();\n}","export default function _iterableToArrayLimit(arr, i) {\n var _i = arr == null ? null : typeof Symbol !== \"undefined\" && arr[Symbol.iterator] || arr[\"@@iterator\"];\n\n if (_i == null) return;\n var _arr = [];\n var _n = true;\n var _d = false;\n\n var _s, _e;\n\n try {\n for (_i = _i.call(arr); !(_n = (_s = _i.next()).done); _n = true) {\n _arr.push(_s.value);\n\n if (i && _arr.length === i) break;\n }\n } catch (err) {\n _d = true;\n _e = err;\n } finally {\n try {\n if (!_n && _i[\"return\"] != null) _i[\"return\"]();\n } finally {\n if (_d) throw _e;\n }\n }\n\n return _arr;\n}","export default function _isNativeReflectConstruct() {\n if (typeof Reflect === \"undefined\" || !Reflect.construct) return false;\n if (Reflect.construct.sham) return false;\n if (typeof Proxy === \"function\") return true;\n\n try {\n Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {}));\n return true;\n } catch (e) {\n return false;\n }\n}","import setPrototypeOf from \"./setPrototypeOf.js\";\nimport isNativeReflectConstruct from \"./isNativeReflectConstruct.js\";\nexport default function _construct(Parent, args, Class) {\n if (isNativeReflectConstruct()) {\n _construct = Reflect.construct;\n } else {\n _construct = function _construct(Parent, args, Class) {\n var a = [null];\n a.push.apply(a, args);\n var Constructor = Function.bind.apply(Parent, a);\n var instance = new Constructor();\n if (Class) setPrototypeOf(instance, Class.prototype);\n return instance;\n };\n }\n\n return _construct.apply(null, arguments);\n}","import getPrototypeOf from \"./getPrototypeOf.js\";\nimport setPrototypeOf from \"./setPrototypeOf.js\";\nimport isNativeFunction from \"./isNativeFunction.js\";\nimport construct from \"./construct.js\";\nexport default function _wrapNativeSuper(Class) {\n var _cache = typeof Map === \"function\" ? new Map() : undefined;\n\n _wrapNativeSuper = function _wrapNativeSuper(Class) {\n if (Class === null || !isNativeFunction(Class)) return Class;\n\n if (typeof Class !== \"function\") {\n throw new TypeError(\"Super expression must either be null or a function\");\n }\n\n if (typeof _cache !== \"undefined\") {\n if (_cache.has(Class)) return _cache.get(Class);\n\n _cache.set(Class, Wrapper);\n }\n\n function Wrapper() {\n return construct(Class, arguments, getPrototypeOf(this).constructor);\n }\n\n Wrapper.prototype = Object.create(Class.prototype, {\n constructor: {\n value: Wrapper,\n enumerable: false,\n writable: true,\n configurable: true\n }\n });\n return setPrototypeOf(Wrapper, Class);\n };\n\n return _wrapNativeSuper(Class);\n}","export default function _isNativeFunction(fn) {\n return Function.toString.call(fn).indexOf(\"[native code]\") !== -1;\n}","import _toArray from \"/codebuild/output/src2413876279/src/leoandlea-blog/node_modules/@babel/runtime/helpers/esm/toArray\";\nimport _slicedToArray from \"/codebuild/output/src2413876279/src/leoandlea-blog/node_modules/@babel/runtime/helpers/esm/slicedToArray\";\nimport _toConsumableArray from \"/codebuild/output/src2413876279/src/leoandlea-blog/node_modules/@babel/runtime/helpers/esm/toConsumableArray\";\nimport _assertThisInitialized from \"/codebuild/output/src2413876279/src/leoandlea-blog/node_modules/@babel/runtime/helpers/esm/assertThisInitialized\";\nimport _inherits from \"/codebuild/output/src2413876279/src/leoandlea-blog/node_modules/@babel/runtime/helpers/esm/inherits\";\nimport _possibleConstructorReturn from \"/codebuild/output/src2413876279/src/leoandlea-blog/node_modules/@babel/runtime/helpers/esm/possibleConstructorReturn\";\nimport _getPrototypeOf from \"/codebuild/output/src2413876279/src/leoandlea-blog/node_modules/@babel/runtime/helpers/esm/getPrototypeOf\";\nimport _wrapNativeSuper from \"/codebuild/output/src2413876279/src/leoandlea-blog/node_modules/@babel/runtime/helpers/esm/wrapNativeSuper\";\nimport _classCallCheck from \"/codebuild/output/src2413876279/src/leoandlea-blog/node_modules/@babel/runtime/helpers/esm/classCallCheck\";\n\nfunction _createForOfIteratorHelper(o, allowArrayLike) { var it = typeof Symbol !== \"undefined\" && o[Symbol.iterator] || o[\"@@iterator\"]; if (!it) { if (Array.isArray(o) || (it = _unsupportedIterableToArray(o)) || allowArrayLike && o && typeof o.length === \"number\") { if (it) o = it; var i = 0; var F = function F() {}; return { s: F, n: function n() { if (i >= o.length) return { done: true }; return { done: false, value: o[i++] }; }, e: function e(_e) { throw _e; }, f: F }; } throw new TypeError(\"Invalid attempt to iterate non-iterable instance.\\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.\"); } var normalCompletion = true, didErr = false, err; return { s: function s() { it = it.call(o); }, n: function n() { var step = it.next(); normalCompletion = step.done; return step; }, e: function e(_e2) { didErr = true; err = _e2; }, f: function f() { try { if (!normalCompletion && it.return != null) it.return(); } finally { if (didErr) throw err; } } }; }\n\nfunction _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === \"string\") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === \"Object\" && o.constructor) n = o.constructor.name; if (n === \"Map\" || n === \"Set\") return Array.from(o); if (n === \"Arguments\" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }\n\nfunction _arrayLikeToArray(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) { arr2[i] = arr[i]; } return arr2; }\n\nfunction _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function _createSuperInternal() { var Super = _getPrototypeOf(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = _getPrototypeOf(this).constructor; result = Reflect.construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return _possibleConstructorReturn(this, result); }; }\n\nfunction _isNativeReflectConstruct() { if (typeof Reflect === \"undefined\" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === \"function\") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } }\n\nimport _regeneratorRuntime from \"/codebuild/output/src2413876279/src/leoandlea-blog/node_modules/@babel/runtime/regenerator\";\n\nvar _marked = /*#__PURE__*/_regeneratorRuntime.mark(toFailures),\n _marked2 = /*#__PURE__*/_regeneratorRuntime.mark(_check);\n\nfunction _defineProperty(obj, key, value) {\n if (key in obj) {\n Object.defineProperty(obj, key, {\n value: value,\n enumerable: true,\n configurable: true,\n writable: true\n });\n } else {\n obj[key] = value;\n }\n\n return obj;\n}\n\nfunction ownKeys(object, enumerableOnly) {\n var keys = Object.keys(object);\n\n if (Object.getOwnPropertySymbols) {\n var symbols = Object.getOwnPropertySymbols(object);\n if (enumerableOnly) symbols = symbols.filter(function (sym) {\n return Object.getOwnPropertyDescriptor(object, sym).enumerable;\n });\n keys.push.apply(keys, symbols);\n }\n\n return keys;\n}\n\nfunction _objectSpread2(target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i] != null ? arguments[i] : {};\n\n if (i % 2) {\n ownKeys(Object(source), true).forEach(function (key) {\n _defineProperty(target, key, source[key]);\n });\n } else if (Object.getOwnPropertyDescriptors) {\n Object.defineProperties(target, Object.getOwnPropertyDescriptors(source));\n } else {\n ownKeys(Object(source)).forEach(function (key) {\n Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key));\n });\n }\n }\n\n return target;\n}\n\nfunction _objectWithoutPropertiesLoose(source, excluded) {\n if (source == null) return {};\n var target = {};\n var sourceKeys = Object.keys(source);\n var key, i;\n\n for (i = 0; i < sourceKeys.length; i++) {\n key = sourceKeys[i];\n if (excluded.indexOf(key) >= 0) continue;\n target[key] = source[key];\n }\n\n return target;\n}\n\nfunction _objectWithoutProperties(source, excluded) {\n if (source == null) return {};\n\n var target = _objectWithoutPropertiesLoose(source, excluded);\n\n var key, i;\n\n if (Object.getOwnPropertySymbols) {\n var sourceSymbolKeys = Object.getOwnPropertySymbols(source);\n\n for (i = 0; i < sourceSymbolKeys.length; i++) {\n key = sourceSymbolKeys[i];\n if (excluded.indexOf(key) >= 0) continue;\n if (!Object.prototype.propertyIsEnumerable.call(source, key)) continue;\n target[key] = source[key];\n }\n }\n\n return target;\n}\n/**\n * Convert a validation result to an iterable of failures.\n */\n\n\nfunction toFailures(result, context) {\n return _regeneratorRuntime.wrap(function toFailures$(_context) {\n while (1) {\n switch (_context.prev = _context.next) {\n case 0:\n if (!(result === true)) {\n _context.next = 4;\n break;\n }\n\n ;\n _context.next = 10;\n break;\n\n case 4:\n if (!(result === false)) {\n _context.next = 9;\n break;\n }\n\n _context.next = 7;\n return context.fail();\n\n case 7:\n _context.next = 10;\n break;\n\n case 9:\n return _context.delegateYield(result, \"t0\", 10);\n\n case 10:\n case \"end\":\n return _context.stop();\n }\n }\n }, _marked);\n}\n/**\n * Shifts (removes and returns) the first value from the `input` iterator.\n * Like `Array.prototype.shift()` but for an `Iterator`.\n */\n\n\nfunction iteratorShift(input) {\n var _input$next = input.next(),\n done = _input$next.done,\n value = _input$next.value;\n\n return done ? undefined : value;\n}\n/**\n * `Struct` objects encapsulate the schema for a specific data type (with\n * optional coercion). You can then use the `assert`, `is` or `validate` helpers\n * to validate unknown data against a struct.\n */\n\n\nvar Struct = function Struct(props) {\n _classCallCheck(this, Struct);\n\n var type = props.type,\n schema = props.schema,\n _props$coercer = props.coercer,\n coercer = _props$coercer === void 0 ? function (value) {\n return value;\n } : _props$coercer,\n _props$validator = props.validator,\n validator = _props$validator === void 0 ? function () {\n return [];\n } : _props$validator,\n _props$refiner = props.refiner,\n refiner = _props$refiner === void 0 ? function () {\n return [];\n } : _props$refiner;\n this.type = type;\n this.schema = schema;\n this.coercer = coercer;\n this.validator = validator;\n this.refiner = refiner;\n};\n/**\n * `StructError` objects are thrown (or returned) by Superstruct when its\n * validation fails. The error represents the first error encountered during\n * validation. But they also have an `error.failures` property that holds\n * information for all of the failures encountered.\n */\n\n\nvar StructError = /*#__PURE__*/function (_TypeError) {\n _inherits(StructError, _TypeError);\n\n var _super = _createSuper(StructError);\n\n function StructError(failure, moreFailures) {\n var _this;\n\n _classCallCheck(this, StructError);\n\n var path = failure.path,\n value = failure.value,\n type = failure.type,\n branch = failure.branch,\n rest = _objectWithoutProperties(failure, [\"path\", \"value\", \"type\", \"branch\"]);\n\n var message = \"Expected a value of type `\".concat(type, \"`\").concat(path.length ? \" for `\".concat(path.join('.'), \"`\") : '', \" but received `\").concat(JSON.stringify(value), \"`.\");\n var failuresResult;\n\n function failures() {\n if (!failuresResult) {\n failuresResult = [failure].concat(_toConsumableArray(moreFailures));\n }\n\n return failuresResult;\n }\n\n _this = _super.call(this, message);\n _this.value = value;\n Object.assign(_assertThisInitialized(_this), rest);\n _this.type = type;\n _this.path = path;\n _this.branch = branch;\n _this.failures = failures;\n _this.stack = new Error().stack;\n _this.__proto__ = StructError.prototype;\n return _this;\n }\n\n return StructError;\n}( /*#__PURE__*/_wrapNativeSuper(TypeError));\n/**\n * Assert that a value passes a `Struct`, throwing if it doesn't.\n */\n\n\nfunction assert(value, struct) {\n var result = validate(value, struct);\n\n if (result[0]) {\n throw result[0];\n }\n}\n/**\n * Coerce a value with the coercion logic of `Struct` and validate it.\n */\n\n\nfunction coerce(value, struct) {\n var ret = struct.coercer(value);\n assert(ret, struct);\n return ret;\n}\n/**\n * Check if a value passes a `Struct`.\n */\n\n\nfunction is(value, struct) {\n var result = validate(value, struct);\n return !result[0];\n}\n/**\n * Validate a value against a `Struct`, returning an error if invalid.\n */\n\n\nfunction validate(value, struct) {\n var coercing = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : false;\n\n if (coercing) {\n value = struct.coercer(value);\n }\n\n var failures = _check(value, struct);\n\n var failure = iteratorShift(failures);\n\n if (failure) {\n var error = new StructError(failure, failures);\n return [error, undefined];\n } else {\n return [undefined, value];\n }\n}\n/**\n * Check a value against a `Struct`, returning an iterable of failures.\n */\n\n\nfunction _check(value, struct) {\n var path,\n branch,\n type,\n ctx,\n failures,\n failure,\n _args2 = arguments;\n return _regeneratorRuntime.wrap(function _check$(_context2) {\n while (1) {\n switch (_context2.prev = _context2.next) {\n case 0:\n path = _args2.length > 2 && _args2[2] !== undefined ? _args2[2] : [];\n branch = _args2.length > 3 && _args2[3] !== undefined ? _args2[3] : [];\n type = struct.type;\n ctx = {\n value: value,\n type: type,\n branch: branch,\n path: path,\n fail: function fail() {\n var props = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n return _objectSpread2({\n value: value,\n type: type,\n path: path,\n branch: [].concat(_toConsumableArray(branch), [value])\n }, props);\n },\n check: function check(v, s, parent, key) {\n var p = parent !== undefined ? [].concat(_toConsumableArray(path), [key]) : path;\n var b = parent !== undefined ? [].concat(_toConsumableArray(branch), [parent]) : branch;\n return _check(v, s, p, b);\n }\n };\n failures = toFailures(struct.validator(value, ctx), ctx);\n failure = iteratorShift(failures);\n\n if (!failure) {\n _context2.next = 12;\n break;\n }\n\n _context2.next = 9;\n return failure;\n\n case 9:\n return _context2.delegateYield(failures, \"t0\", 10);\n\n case 10:\n _context2.next = 13;\n break;\n\n case 12:\n return _context2.delegateYield(toFailures(struct.refiner(value, ctx), ctx), \"t1\", 13);\n\n case 13:\n case \"end\":\n return _context2.stop();\n }\n }\n }, _marked2);\n}\n/**\n * Augment a `Struct` to add an additional coercion step to its input.\n */\n\n\nfunction coercion(struct, _coercer) {\n var fn = struct.coercer;\n return new Struct(_objectSpread2(_objectSpread2({}, struct), {}, {\n coercer: function coercer(value) {\n return fn(_coercer(value));\n }\n }));\n}\n/**\n * Augment a struct to coerce a default value for missing values.\n *\n * Note: You must use `coerce(value, Struct)` on the value before validating it\n * to have the value defaulted!\n */\n\n\nfunction defaulted(S, fallback, strict) {\n return coercion(S, function (x) {\n var f = typeof fallback === 'function' ? fallback() : fallback;\n\n if (x === undefined) {\n return f;\n }\n\n if (strict !== true && isPlainObject(x) && isPlainObject(f)) {\n var ret = _objectSpread2({}, x);\n\n var changed = false;\n\n for (var key in f) {\n if (ret[key] === undefined) {\n ret[key] = f[key];\n changed = true;\n }\n }\n\n if (changed) {\n return ret;\n }\n }\n\n return x;\n });\n}\n/**\n * Coerce a value to mask its properties to only that defined in the struct.\n */\n\n\nfunction masked(S) {\n return coercion(S, function (x) {\n if (!isPlainObject(x)) {\n return x;\n }\n\n var ret = {};\n\n for (var key in S.schema) {\n ret[key] = x[key];\n }\n\n return ret;\n });\n}\n/**\n * Check if a value is a plain object.\n */\n\n\nfunction isPlainObject(value) {\n if (Object.prototype.toString.call(value) !== '[object Object]') {\n return false;\n }\n\n var prototype = Object.getPrototypeOf(value);\n return prototype === null || prototype === Object.prototype;\n}\n/**\n * Augment a string or array struct to constrain its length to zero.\n */\n\n\nfunction empty(S) {\n return refinement(S, \"\".concat(S.type, \" & Empty\"), function (value) {\n return value.length === 0;\n });\n}\n/**\n * Augment a string or array struct to constrain its length to being between a\n * minimum and maximum size.\n */\n\n\nfunction length(S, min, max) {\n return refinement(S, \"\".concat(S.type, \" & Length<\").concat(min, \",\").concat(max, \">\"), function (value) {\n return min < value.length && value.length < max;\n });\n}\n/**\n * Refine a string struct to match a specific regexp pattern.\n */\n\n\nfunction pattern(S, regexp) {\n return refinement(S, \"\".concat(S.type, \" & Pattern<\").concat(regexp.source, \">\"), function (value) {\n return regexp.test(value);\n });\n}\n/**\n * Augment a `Struct` to add an additional refinement to the validation.\n */\n\n\nfunction refinement(struct, type, _refiner) {\n var fn = struct.refiner;\n return new Struct(_objectSpread2(_objectSpread2({}, struct), {}, {\n type: type,\n refiner: /*#__PURE__*/_regeneratorRuntime.mark(function refiner(value, fail) {\n return _regeneratorRuntime.wrap(function refiner$(_context3) {\n while (1) {\n switch (_context3.prev = _context3.next) {\n case 0:\n return _context3.delegateYield(toFailures(fn(value, fail), fail), \"t0\", 1);\n\n case 1:\n return _context3.delegateYield(toFailures(_refiner(value, fail), fail), \"t1\", 2);\n\n case 2:\n case \"end\":\n return _context3.stop();\n }\n }\n }, refiner);\n })\n }));\n}\n/**\n * Validate any value.\n */\n\n\nfunction any() {\n return struct('any', function () {\n return true;\n });\n}\n\nfunction array(Element) {\n return new Struct({\n type: \"Array<\".concat(Element ? Element.type : 'unknown', \">\"),\n schema: Element,\n coercer: function coercer(value) {\n return Element && Array.isArray(value) ? value.map(function (v) {\n return coerce(v, Element);\n }) : value;\n },\n validator: /*#__PURE__*/_regeneratorRuntime.mark(function validator(value, ctx) {\n var _iterator, _step, _step$value, i, v;\n\n return _regeneratorRuntime.wrap(function validator$(_context4) {\n while (1) {\n switch (_context4.prev = _context4.next) {\n case 0:\n if (Array.isArray(value)) {\n _context4.next = 4;\n break;\n }\n\n _context4.next = 3;\n return ctx.fail();\n\n case 3:\n return _context4.abrupt(\"return\");\n\n case 4:\n if (!Element) {\n _context4.next = 21;\n break;\n }\n\n _iterator = _createForOfIteratorHelper(value.entries());\n _context4.prev = 6;\n\n _iterator.s();\n\n case 8:\n if ((_step = _iterator.n()).done) {\n _context4.next = 13;\n break;\n }\n\n _step$value = _slicedToArray(_step.value, 2), i = _step$value[0], v = _step$value[1];\n return _context4.delegateYield(ctx.check(v, Element, value, i), \"t0\", 11);\n\n case 11:\n _context4.next = 8;\n break;\n\n case 13:\n _context4.next = 18;\n break;\n\n case 15:\n _context4.prev = 15;\n _context4.t1 = _context4[\"catch\"](6);\n\n _iterator.e(_context4.t1);\n\n case 18:\n _context4.prev = 18;\n\n _iterator.f();\n\n return _context4.finish(18);\n\n case 21:\n case \"end\":\n return _context4.stop();\n }\n }\n }, validator, null, [[6, 15, 18, 21]]);\n })\n });\n}\n/**\n * Validate that boolean values.\n */\n\n\nfunction boolean() {\n return struct('boolean', function (value) {\n return typeof value === 'boolean';\n });\n}\n/**\n * Validate that `Date` values.\n *\n * Note: this also ensures that the value is *not* an invalid `Date` object,\n * which can occur when parsing a date fails but still returns a `Date`.\n */\n\n\nfunction date() {\n return struct('Date', function (value) {\n return value instanceof Date && !isNaN(value.getTime());\n });\n}\n/**\n * Validate that a value dynamically, determing which struct to use at runtime.\n */\n\n\nfunction dynamic(fn) {\n return struct('Dynamic<...>', function (value, ctx) {\n return ctx.check(value, fn(value, ctx));\n });\n}\n\nfunction enums(values) {\n return struct(\"Enum<\".concat(values.map(toLiteralString), \">\"), function (value) {\n return values.includes(value);\n });\n}\n/**\n * Validate that a value is a function.\n */\n\n\nfunction func() {\n return struct('Function', function (value) {\n return typeof value === 'function';\n });\n}\n/**\n * Validate that a value is an instance of a class.\n */\n\n\nfunction instance(Class) {\n return struct(\"InstanceOf<\".concat(Class.name, \">\"), function (value) {\n return value instanceof Class;\n });\n}\n\nfunction intersection(Structs) {\n return struct(Structs.map(function (s) {\n return s.type;\n }).join(' & '), /*#__PURE__*/_regeneratorRuntime.mark(function _callee(value, ctx) {\n var _iterator2, _step2, S;\n\n return _regeneratorRuntime.wrap(function _callee$(_context5) {\n while (1) {\n switch (_context5.prev = _context5.next) {\n case 0:\n _iterator2 = _createForOfIteratorHelper(Structs);\n _context5.prev = 1;\n\n _iterator2.s();\n\n case 3:\n if ((_step2 = _iterator2.n()).done) {\n _context5.next = 8;\n break;\n }\n\n S = _step2.value;\n return _context5.delegateYield(ctx.check(value, S), \"t0\", 6);\n\n case 6:\n _context5.next = 3;\n break;\n\n case 8:\n _context5.next = 13;\n break;\n\n case 10:\n _context5.prev = 10;\n _context5.t1 = _context5[\"catch\"](1);\n\n _iterator2.e(_context5.t1);\n\n case 13:\n _context5.prev = 13;\n\n _iterator2.f();\n\n return _context5.finish(13);\n\n case 16:\n case \"end\":\n return _context5.stop();\n }\n }\n }, _callee, null, [[1, 10, 13, 16]]);\n }));\n}\n/**\n * Validate a value lazily, by constructing the struct right before the first\n * validation. This is useful for cases where you want to have self-referential\n * structs for nested data structures.\n */\n\n\nfunction lazy(fn) {\n var S;\n return struct('Lazy<...>', function (value, ctx) {\n if (!S) {\n S = fn();\n }\n\n return ctx.check(value, S);\n });\n}\n\nfunction literal(constant) {\n return struct(\"Literal<\".concat(toLiteralString(constant), \">\"), function (value) {\n return value === constant;\n });\n}\n/**\n * Validate that a value is a map with specific key and value entries.\n */\n\n\nfunction map(Key, Value) {\n return struct(\"Map<\".concat(Key.type, \",\").concat(Value.type, \">\"), /*#__PURE__*/_regeneratorRuntime.mark(function _callee2(value, ctx) {\n var _iterator3, _step3, _step3$value, k, v;\n\n return _regeneratorRuntime.wrap(function _callee2$(_context6) {\n while (1) {\n switch (_context6.prev = _context6.next) {\n case 0:\n if (value instanceof Map) {\n _context6.next = 4;\n break;\n }\n\n _context6.next = 3;\n return ctx.fail();\n\n case 3:\n return _context6.abrupt(\"return\");\n\n case 4:\n _iterator3 = _createForOfIteratorHelper(value.entries());\n _context6.prev = 5;\n\n _iterator3.s();\n\n case 7:\n if ((_step3 = _iterator3.n()).done) {\n _context6.next = 13;\n break;\n }\n\n _step3$value = _slicedToArray(_step3.value, 2), k = _step3$value[0], v = _step3$value[1];\n return _context6.delegateYield(ctx.check(k, Key, value, k), \"t0\", 10);\n\n case 10:\n return _context6.delegateYield(ctx.check(v, Value, value, k), \"t1\", 11);\n\n case 11:\n _context6.next = 7;\n break;\n\n case 13:\n _context6.next = 18;\n break;\n\n case 15:\n _context6.prev = 15;\n _context6.t2 = _context6[\"catch\"](5);\n\n _iterator3.e(_context6.t2);\n\n case 18:\n _context6.prev = 18;\n\n _iterator3.f();\n\n return _context6.finish(18);\n\n case 21:\n case \"end\":\n return _context6.stop();\n }\n }\n }, _callee2, null, [[5, 15, 18, 21]]);\n }));\n}\n/**\n * Validate that a value always fails.\n */\n\n\nfunction never() {\n return struct('never', function () {\n return false;\n });\n}\n/**\n * Augment a struct to make it accept `null` values.\n */\n\n\nfunction nullable(S) {\n return new Struct({\n type: \"\".concat(S.type, \" | null\"),\n schema: S.schema,\n validator: function validator(value, ctx) {\n return value === null || ctx.check(value, S);\n }\n });\n}\n/**\n * Validate that a value is a number.\n */\n\n\nfunction number() {\n return struct(\"number\", function (value) {\n return typeof value === 'number' && !isNaN(value);\n });\n}\n\nfunction object(Structs) {\n var knowns = Structs ? Object.keys(Structs) : [];\n var Never = never();\n return new Struct({\n type: Structs ? \"Object<{\".concat(knowns.join(','), \"}>\") : 'Object',\n schema: Structs ? Structs : null,\n coercer: Structs ? createObjectCoercer(Structs) : function (x) {\n return x;\n },\n validator: /*#__PURE__*/_regeneratorRuntime.mark(function validator(value, ctx) {\n var unknowns, _iterator4, _step4, key, Value, v, _iterator5, _step5, _key, _v;\n\n return _regeneratorRuntime.wrap(function validator$(_context7) {\n while (1) {\n switch (_context7.prev = _context7.next) {\n case 0:\n if (!(typeof value !== 'object' || value == null)) {\n _context7.next = 4;\n break;\n }\n\n _context7.next = 3;\n return ctx.fail();\n\n case 3:\n return _context7.abrupt(\"return\");\n\n case 4:\n if (!Structs) {\n _context7.next = 42;\n break;\n }\n\n unknowns = new Set(Object.keys(value));\n _iterator4 = _createForOfIteratorHelper(knowns);\n _context7.prev = 7;\n\n _iterator4.s();\n\n case 9:\n if ((_step4 = _iterator4.n()).done) {\n _context7.next = 17;\n break;\n }\n\n key = _step4.value;\n unknowns.delete(key);\n Value = Structs[key];\n v = value[key];\n return _context7.delegateYield(ctx.check(v, Value, value, key), \"t0\", 15);\n\n case 15:\n _context7.next = 9;\n break;\n\n case 17:\n _context7.next = 22;\n break;\n\n case 19:\n _context7.prev = 19;\n _context7.t1 = _context7[\"catch\"](7);\n\n _iterator4.e(_context7.t1);\n\n case 22:\n _context7.prev = 22;\n\n _iterator4.f();\n\n return _context7.finish(22);\n\n case 25:\n _iterator5 = _createForOfIteratorHelper(unknowns);\n _context7.prev = 26;\n\n _iterator5.s();\n\n case 28:\n if ((_step5 = _iterator5.n()).done) {\n _context7.next = 34;\n break;\n }\n\n _key = _step5.value;\n _v = value[_key];\n return _context7.delegateYield(ctx.check(_v, Never, value, _key), \"t2\", 32);\n\n case 32:\n _context7.next = 28;\n break;\n\n case 34:\n _context7.next = 39;\n break;\n\n case 36:\n _context7.prev = 36;\n _context7.t3 = _context7[\"catch\"](26);\n\n _iterator5.e(_context7.t3);\n\n case 39:\n _context7.prev = 39;\n\n _iterator5.f();\n\n return _context7.finish(39);\n\n case 42:\n case \"end\":\n return _context7.stop();\n }\n }\n }, validator, null, [[7, 19, 22, 25], [26, 36, 39, 42]]);\n })\n });\n}\n/**\n * Augment a struct to make it optionally accept `undefined` values.\n */\n\n\nfunction optional(S) {\n return new Struct({\n type: \"\".concat(S.type, \"?\"),\n schema: S.schema,\n validator: function validator(value, ctx) {\n return value === undefined || ctx.check(value, S);\n }\n });\n}\n/**\n * Validate that a partial object with specific entry values.\n */\n\n\nfunction partial(Structs) {\n if (Structs instanceof Struct) {\n Structs = Structs.schema;\n }\n\n var knowns = Object.keys(Structs);\n var Never = never();\n return new Struct({\n type: \"Partial<{\".concat(knowns.join(','), \"}>\"),\n schema: Structs,\n coercer: createObjectCoercer(Structs),\n validator: /*#__PURE__*/_regeneratorRuntime.mark(function validator(value, ctx) {\n var unknowns, _iterator6, _step6, key, Value, v, _iterator7, _step7, _key2, _v2;\n\n return _regeneratorRuntime.wrap(function validator$(_context8) {\n while (1) {\n switch (_context8.prev = _context8.next) {\n case 0:\n if (!(typeof value !== 'object' || value == null)) {\n _context8.next = 4;\n break;\n }\n\n _context8.next = 3;\n return ctx.fail();\n\n case 3:\n return _context8.abrupt(\"return\");\n\n case 4:\n unknowns = new Set(Object.keys(value));\n _iterator6 = _createForOfIteratorHelper(knowns);\n _context8.prev = 6;\n\n _iterator6.s();\n\n case 8:\n if ((_step6 = _iterator6.n()).done) {\n _context8.next = 18;\n break;\n }\n\n key = _step6.value;\n unknowns.delete(key);\n\n if (key in value) {\n _context8.next = 13;\n break;\n }\n\n return _context8.abrupt(\"continue\", 16);\n\n case 13:\n Value = Structs[key];\n v = value[key];\n return _context8.delegateYield(ctx.check(v, Value, value, key), \"t0\", 16);\n\n case 16:\n _context8.next = 8;\n break;\n\n case 18:\n _context8.next = 23;\n break;\n\n case 20:\n _context8.prev = 20;\n _context8.t1 = _context8[\"catch\"](6);\n\n _iterator6.e(_context8.t1);\n\n case 23:\n _context8.prev = 23;\n\n _iterator6.f();\n\n return _context8.finish(23);\n\n case 26:\n _iterator7 = _createForOfIteratorHelper(unknowns);\n _context8.prev = 27;\n\n _iterator7.s();\n\n case 29:\n if ((_step7 = _iterator7.n()).done) {\n _context8.next = 35;\n break;\n }\n\n _key2 = _step7.value;\n _v2 = value[_key2];\n return _context8.delegateYield(ctx.check(_v2, Never, value, _key2), \"t2\", 33);\n\n case 33:\n _context8.next = 29;\n break;\n\n case 35:\n _context8.next = 40;\n break;\n\n case 37:\n _context8.prev = 37;\n _context8.t3 = _context8[\"catch\"](27);\n\n _iterator7.e(_context8.t3);\n\n case 40:\n _context8.prev = 40;\n\n _iterator7.f();\n\n return _context8.finish(40);\n\n case 43:\n case \"end\":\n return _context8.stop();\n }\n }\n }, validator, null, [[6, 20, 23, 26], [27, 37, 40, 43]]);\n })\n });\n}\n/**\n * Validate that a value is a record with specific key and\n * value entries.\n */\n\n\nfunction record(Key, Value) {\n return struct(\"Record<\".concat(Key.type, \",\").concat(Value.type, \">\"), /*#__PURE__*/_regeneratorRuntime.mark(function _callee3(value, ctx) {\n var k, v;\n return _regeneratorRuntime.wrap(function _callee3$(_context9) {\n while (1) {\n switch (_context9.prev = _context9.next) {\n case 0:\n if (!(typeof value !== 'object' || value == null)) {\n _context9.next = 4;\n break;\n }\n\n _context9.next = 3;\n return ctx.fail();\n\n case 3:\n return _context9.abrupt(\"return\");\n\n case 4:\n _context9.t0 = _regeneratorRuntime.keys(value);\n\n case 5:\n if ((_context9.t1 = _context9.t0()).done) {\n _context9.next = 12;\n break;\n }\n\n k = _context9.t1.value;\n v = value[k];\n return _context9.delegateYield(ctx.check(k, Key, value, k), \"t2\", 9);\n\n case 9:\n return _context9.delegateYield(ctx.check(v, Value, value, k), \"t3\", 10);\n\n case 10:\n _context9.next = 5;\n break;\n\n case 12:\n case \"end\":\n return _context9.stop();\n }\n }\n }, _callee3);\n }));\n}\n/**\n * Validate that a set of values matches a specific type.\n */\n\n\nfunction set(Element) {\n return struct(\"Set<\".concat(Element.type, \">\"), function (value, ctx) {\n if (!(value instanceof Set)) {\n return false;\n }\n\n var _iterator8 = _createForOfIteratorHelper(value),\n _step8;\n\n try {\n for (_iterator8.s(); !(_step8 = _iterator8.n()).done;) {\n var val = _step8.value;\n\n var _ctx$check = ctx.check(val, Element),\n _ctx$check2 = _slicedToArray(_ctx$check, 1),\n failure = _ctx$check2[0];\n\n if (failure) {\n return false;\n }\n }\n } catch (err) {\n _iterator8.e(err);\n } finally {\n _iterator8.f();\n }\n\n return true;\n });\n}\n/**\n * Validate that a value is a string.\n */\n\n\nfunction string() {\n return struct('string', function (value) {\n return typeof value === 'string';\n });\n}\n/**\n * Define a `Struct` instance with a type and validation function.\n */\n\n\nfunction struct(name, validator) {\n return new Struct({\n type: name,\n validator: validator,\n schema: null\n });\n}\n\nfunction tuple(Elements) {\n var Never = never();\n return struct(\"[\".concat(Elements.map(function (s) {\n return s.type;\n }).join(','), \"]\"), /*#__PURE__*/_regeneratorRuntime.mark(function _callee4(value, ctx) {\n var _iterator9, _step9, _step9$value, _index, Element, _v3, index, v;\n\n return _regeneratorRuntime.wrap(function _callee4$(_context10) {\n while (1) {\n switch (_context10.prev = _context10.next) {\n case 0:\n if (Array.isArray(value)) {\n _context10.next = 4;\n break;\n }\n\n _context10.next = 3;\n return ctx.fail();\n\n case 3:\n return _context10.abrupt(\"return\");\n\n case 4:\n _iterator9 = _createForOfIteratorHelper(Elements.entries());\n _context10.prev = 5;\n\n _iterator9.s();\n\n case 7:\n if ((_step9 = _iterator9.n()).done) {\n _context10.next = 13;\n break;\n }\n\n _step9$value = _slicedToArray(_step9.value, 2), _index = _step9$value[0], Element = _step9$value[1];\n _v3 = value[_index];\n return _context10.delegateYield(ctx.check(_v3, Element, value, _index), \"t0\", 11);\n\n case 11:\n _context10.next = 7;\n break;\n\n case 13:\n _context10.next = 18;\n break;\n\n case 15:\n _context10.prev = 15;\n _context10.t1 = _context10[\"catch\"](5);\n\n _iterator9.e(_context10.t1);\n\n case 18:\n _context10.prev = 18;\n\n _iterator9.f();\n\n return _context10.finish(18);\n\n case 21:\n if (!(value.length > Elements.length)) {\n _context10.next = 25;\n break;\n }\n\n index = Elements.length;\n v = value[index];\n return _context10.delegateYield(ctx.check(v, Never, value, index), \"t2\", 25);\n\n case 25:\n case \"end\":\n return _context10.stop();\n }\n }\n }, _callee4, null, [[5, 15, 18, 21]]);\n }));\n}\n/**\n * Validate that a value matches a specific strutural interface, like the\n * structural typing that TypeScript uses.\n */\n\n\nfunction type(Structs) {\n var keys = Object.keys(Structs);\n return struct(\"Type<{\".concat(keys.join(','), \"}>\"), /*#__PURE__*/_regeneratorRuntime.mark(function _callee5(value, ctx) {\n var _iterator10, _step10, key, Value, v;\n\n return _regeneratorRuntime.wrap(function _callee5$(_context11) {\n while (1) {\n switch (_context11.prev = _context11.next) {\n case 0:\n if (!(typeof value !== 'object' || value == null)) {\n _context11.next = 4;\n break;\n }\n\n _context11.next = 3;\n return ctx.fail();\n\n case 3:\n return _context11.abrupt(\"return\");\n\n case 4:\n _iterator10 = _createForOfIteratorHelper(keys);\n _context11.prev = 5;\n\n _iterator10.s();\n\n case 7:\n if ((_step10 = _iterator10.n()).done) {\n _context11.next = 14;\n break;\n }\n\n key = _step10.value;\n Value = Structs[key];\n v = value[key];\n return _context11.delegateYield(ctx.check(v, Value, value, key), \"t0\", 12);\n\n case 12:\n _context11.next = 7;\n break;\n\n case 14:\n _context11.next = 19;\n break;\n\n case 16:\n _context11.prev = 16;\n _context11.t1 = _context11[\"catch\"](5);\n\n _iterator10.e(_context11.t1);\n\n case 19:\n _context11.prev = 19;\n\n _iterator10.f();\n\n return _context11.finish(19);\n\n case 22:\n case \"end\":\n return _context11.stop();\n }\n }\n }, _callee5, null, [[5, 16, 19, 22]]);\n }));\n}\n\nfunction union(Structs) {\n return struct(\"\".concat(Structs.map(function (s) {\n return s.type;\n }).join(' | ')), /*#__PURE__*/_regeneratorRuntime.mark(function _callee6(value, ctx) {\n var _iterator11, _step11, S, _ctx$check3, _ctx$check4, failures;\n\n return _regeneratorRuntime.wrap(function _callee6$(_context12) {\n while (1) {\n switch (_context12.prev = _context12.next) {\n case 0:\n _iterator11 = _createForOfIteratorHelper(Structs);\n _context12.prev = 1;\n\n _iterator11.s();\n\n case 3:\n if ((_step11 = _iterator11.n()).done) {\n _context12.next = 10;\n break;\n }\n\n S = _step11.value;\n _ctx$check3 = ctx.check(value, S), _ctx$check4 = _toArray(_ctx$check3), failures = _ctx$check4.slice(0);\n\n if (!(failures.length === 0)) {\n _context12.next = 8;\n break;\n }\n\n return _context12.abrupt(\"return\");\n\n case 8:\n _context12.next = 3;\n break;\n\n case 10:\n _context12.next = 15;\n break;\n\n case 12:\n _context12.prev = 12;\n _context12.t0 = _context12[\"catch\"](1);\n\n _iterator11.e(_context12.t0);\n\n case 15:\n _context12.prev = 15;\n\n _iterator11.f();\n\n return _context12.finish(15);\n\n case 18:\n _context12.next = 20;\n return ctx.fail();\n\n case 20:\n case \"end\":\n return _context12.stop();\n }\n }\n }, _callee6, null, [[1, 12, 15, 18]]);\n }));\n}\n/**\n * Convert a value to a literal string.\n */\n\n\nfunction toLiteralString(value) {\n return typeof value === 'string' ? \"\\\"\".concat(value.replace(/\"/g, '\"'), \"\\\"\") : \"\".concat(value);\n}\n/**\n * Coerce the values of an object-like struct.\n */\n\n\nfunction createObjectCoercer(Structs) {\n var knowns = Object.keys(Structs);\n return function (value) {\n if (typeof value !== 'object' || value == null) {\n return value;\n }\n\n var ret = {};\n var unknowns = new Set(Object.keys(value));\n\n var _iterator12 = _createForOfIteratorHelper(knowns),\n _step12;\n\n try {\n for (_iterator12.s(); !(_step12 = _iterator12.n()).done;) {\n var key = _step12.value;\n unknowns.delete(key);\n var Value = Structs[key];\n var v = value[key];\n ret[key] = coerce(v, Value);\n }\n } catch (err) {\n _iterator12.e(err);\n } finally {\n _iterator12.f();\n }\n\n var _iterator13 = _createForOfIteratorHelper(unknowns),\n _step13;\n\n try {\n for (_iterator13.s(); !(_step13 = _iterator13.n()).done;) {\n var _key3 = _step13.value;\n ret[_key3] = value[_key3];\n }\n } catch (err) {\n _iterator13.e(err);\n } finally {\n _iterator13.f();\n }\n\n return ret;\n };\n}\n\nexport { Struct, StructError, any, array, assert, boolean, coerce, coercion, date, defaulted, dynamic, empty, enums, func, instance, intersection, is, lazy, length, literal, map, masked, never, nullable, number, object, optional, partial, pattern, record, refinement, set, string, struct, tuple, type, union, validate };","import arrayWithHoles from \"./arrayWithHoles.js\";\nimport iterableToArray from \"./iterableToArray.js\";\nimport unsupportedIterableToArray from \"./unsupportedIterableToArray.js\";\nimport nonIterableRest from \"./nonIterableRest.js\";\nexport default function _toArray(arr) {\n return arrayWithHoles(arr) || iterableToArray(arr) || unsupportedIterableToArray(arr) || nonIterableRest();\n}","import * as React from 'react'\nimport { pascalCase, pascalCaseTransformMerge } from 'pascal-case'\n\n/**\n * Returns a namespaced string intended for logging.\n *\n * @param message Message to namespace.\n *\n * @returns Namespaced message.\n */\nexport const msg = (message: string) => `gatsby-source-prismic - ${message}`\n\n/**\n * Maps key-value tuples of an object to new key-value tuples to create a new\n * object.\n *\n * @param fn Function that maps a key-value tuple to a new key-value tuple.\n * @param obj Object to map to a new object.\n *\n * @returns New object with mapped key-values.\n */\nexport const mapObj = (\n fn: (entry: [string, T1]) => [string, T2],\n obj: { [key: string]: T1 },\n): { [key: string]: T2 } => {\n const entries = Object.entries(obj)\n const pairs = entries.map((x) => fn(x))\n\n const result: { [key: string]: T2 } = {}\n\n for (let i = 0; i < pairs.length; i++) {\n const [k, v] = pairs[i]\n result[k] = v\n }\n\n return result\n}\n\n/**\n * Maps key-value tuples of an object to new key-value tuples to create a new\n * object. The mapper function can be async.\n *\n * @param fn Function that maps a key-value tuple to a new key-value tuple.\n * @param obj Object to map to a new object.\n *\n * @returns New object with mapped key-values.\n */\nexport const mapObjP = async (\n fn: (entry: [string, T1]) => Promise<[string, T2]>,\n obj: { [key: string]: T1 },\n): Promise<{ [key: string]: T2 }> => {\n const entries = Object.entries(obj)\n const pairs = await Promise.all(entries.map((x) => Promise.resolve(fn(x))))\n\n const result: { [key: string]: T2 } = {}\n\n for (let i = 0; i < pairs.length; i++) {\n const [k, v] = pairs[i]\n result[k] = v\n }\n\n return result\n}\n\n/**\n * Maps values of an object to new values.\n *\n * @param fn Function that maps a value and key to a new value.\n * @param obj Object to map to a new object.\n *\n * @returns New object with mapped values.\n */\nexport const mapObjVals = (\n fn: (val: T1, key: string) => T2,\n obj: { [key: string]: T1 },\n): { [key: string]: T2 } => {\n const result: { [key: string]: T2 } = {}\n\n for (const key in obj) result[key] = fn(obj[key], key)\n\n return result\n}\n\n/**\n * Maps values of an object to new values.\n *\n * @param fn Function that maps a value and key to a new value.\n * @param obj Object to map to a new object.\n *\n * @returns New object with mapped values.\n */\nexport const mapObjValsP = async (\n fn: (val: T1, key: string) => Promise,\n obj: { [key: string]: T1 },\n): Promise<{ [key: string]: T2 }> => {\n const result: { [key: string]: T2 } = {}\n\n const keys = Object.keys(obj)\n await Promise.all(\n keys.map(async (key) => {\n result[key] = await fn(obj[key], key)\n }),\n )\n\n return result\n}\n\n/**\n * Returns true if the provided object has no keys, false otherwise.\n *\n * @param obj Object to check.\n *\n * @returns `true` if `obj` has no keys, `false` otherwise.\n */\nexport const isEmptyObj = (obj: object) => {\n for (const _ in obj) return false\n return true\n}\n\n/**\n * Returns a valid GraphQL type name for a Prismic schema.\n *\n * @param apiId API ID of the schema.\n *\n * @returns Type name for the schema.\n */\nexport const buildSchemaTypeName = (apiId: string) =>\n pascalCase(`Prismic ${apiId}`, { transform: pascalCaseTransformMerge })\n\n/**\n * Determines whether the current context is the browser.\n *\n * @returns `true` if the current context is the browser, `false` otherwise.\n */\nexport const isBrowser = typeof window !== 'undefined'\n\nexport const getComponentDisplayName = (\n WrappedComponent: React.ComponentType,\n) => WrappedComponent.displayName || WrappedComponent.name || 'Component'\n\n/**\n * Separates an array in to an array of arrays\n * @param arr The array to chunk\n * @param size the maximum size for each of the resulting arrays\n */\nexport function chunk(arr: T[], size: number): Array {\n const chunks = []\n\n let i = 0\n\n while (i < arr.length) {\n const a = arr.slice(i, (i += size))\n chunks.push(a)\n }\n\n return chunks\n}\n","import { FixedObject, FluidObject } from 'gatsby-image'\nimport * as A from 'fp-ts/lib/Array'\nimport * as O from 'fp-ts/lib/Option'\nimport * as R from 'fp-ts/lib/Record'\nimport { eqNumber } from 'fp-ts/lib/Eq'\nimport { ordNumber } from 'fp-ts/lib/Ord'\nimport { pipe } from 'fp-ts/lib/pipeable'\n\nimport { ImgixUrlParams, ImgixFixedArgs, ImgixFluidArgs } from './types'\nimport {\n setURLSearchParams,\n signURL,\n semigroupImgixUrlParams,\n join,\n} from './utils'\n\nexport const DEFAULT_FIXED_WIDTH = 400\nexport const DEFAULT_FLUID_MAX_WIDTH = 800\n\n// Resolutions for `fixed` images. Same as `gatsby-plugin-sharp`.\nconst FIXED_RESOLUTIONS = [1, 1.5, 2]\n\n// Breakpoint factors for `fluid` images. Same as `gatsby-plugin-sharp`.\nconst FLUID_BREAKPOINT_FACTORS = [0.25, 0.5, 1.5, 2]\n\n// Default params for placeholder images.\nconst DEFAULT_LQIP_PARAMS: ImgixUrlParams = { w: 100, blur: 15, q: 20 }\n\nexport const buildImgixUrl = (url: string, secureUrlToken?: string) => (\n params: ImgixUrlParams,\n): string =>\n pipe(\n params,\n // TODO: Replace filterMap with map. filterMap is being used here just\n // because it fibs the types a bit.\n R.filterMap((param) =>\n param === undefined ? O.some(undefined) : O.some(String(param)),\n ),\n setURLSearchParams(url),\n signURL(O.fromNullable(secureUrlToken)),\n )\n\nconst buildImgixLqipUrl = (url: string, secureUrlToken?: string) => (\n params: ImgixUrlParams,\n): string =>\n pipe(\n semigroupImgixUrlParams.concat(DEFAULT_LQIP_PARAMS, params),\n buildImgixUrl(url, secureUrlToken),\n )\n\nconst buildImgixFixedSrcSet = (baseUrl: string, secureUrlToken?: string) => (\n params: ImgixUrlParams,\n): string =>\n pipe(\n FIXED_RESOLUTIONS,\n A.map((dpr) =>\n pipe(\n semigroupImgixUrlParams.concat(params, { dpr }),\n buildImgixUrl(baseUrl, secureUrlToken),\n (url) => `${url} ${dpr}x`,\n ),\n ),\n join(', '),\n )\n\ntype BuildImgixFixedArgs = {\n url: string\n sourceWidth: number\n sourceHeight: number\n secureUrlToken?: string\n args?: ImgixFixedArgs\n}\n\n/**\n * Builds a gatsby-image-compatible fixed image object from a base Imgix image URL.\n *\n * @returns gatsby-image-compatible fixed image object.\n */\nexport const buildImgixFixed = ({\n url,\n sourceWidth,\n sourceHeight,\n secureUrlToken,\n args = {},\n}: BuildImgixFixedArgs): FixedObject => {\n const aspectRatio = sourceWidth / sourceHeight\n\n let width: number\n let height: number\n\n if (args.width != undefined && args.height != undefined) {\n width = args.width\n height = args.height\n } else if (args.width != undefined) {\n width = args.width\n height = Math.round(width / aspectRatio)\n } else if (args.height != undefined) {\n width = Math.round(args.height * aspectRatio)\n height = args.height\n } else {\n width = DEFAULT_FIXED_WIDTH\n height = Math.round(width / aspectRatio)\n }\n\n const base64 = buildImgixLqipUrl(\n url,\n secureUrlToken,\n )({\n ...args.imgixParams,\n ...args.placeholderImgixParams,\n })\n\n const src = buildImgixUrl(\n url,\n secureUrlToken,\n )({\n ...args.imgixParams,\n w: width,\n h: height,\n })\n\n const srcSet = buildImgixFixedSrcSet(\n url,\n secureUrlToken,\n )({\n ...args.imgixParams,\n w: width,\n h: height,\n })\n\n return {\n base64,\n width,\n height,\n src,\n srcWebp: src,\n srcSet,\n srcSetWebp: srcSet,\n }\n}\n\ntype BuildFluidSrcSetArgs = {\n aspectRatio: number\n maxWidth: number\n srcSetBreakpoints?: number[]\n}\n\nconst buildImgixFluidSrcSet = (baseUrl: string, secureUrlToken?: string) => (\n params: ImgixUrlParams,\n) => ({\n aspectRatio,\n maxWidth,\n srcSetBreakpoints = FLUID_BREAKPOINT_FACTORS.map((x) => maxWidth * x),\n}: BuildFluidSrcSetArgs): string =>\n pipe(\n A.cons(maxWidth, srcSetBreakpoints),\n A.uniq(eqNumber),\n A.sort(ordNumber),\n A.map((breakpoint) =>\n pipe(\n semigroupImgixUrlParams.concat(params, {\n w: Math.round(breakpoint),\n h: Math.round(breakpoint / aspectRatio),\n }),\n buildImgixUrl(baseUrl, secureUrlToken),\n (url) => `${url} ${Math.round(breakpoint)}w`,\n ),\n ),\n join(', '),\n )\n\ntype BuildImgixFluidArgs = {\n url: string\n sourceWidth: number\n sourceHeight: number\n secureUrlToken?: string\n args?: ImgixFluidArgs\n}\n\n/**\n * Builds a gatsby-image-compatible fluid image object from a base Imgix image URL.\n *\n * @returns gatsby-image-compatible fluid image object.\n */\nexport const buildImgixFluid = ({\n url,\n sourceWidth,\n sourceHeight,\n secureUrlToken,\n args = {},\n}: BuildImgixFluidArgs): FluidObject => {\n const aspectRatio = sourceWidth / sourceHeight\n const maxWidth = args.maxWidth ?? DEFAULT_FLUID_MAX_WIDTH\n\n const base64 = buildImgixLqipUrl(\n url,\n secureUrlToken,\n )({\n ...args.imgixParams,\n ...args.placeholderImgixParams,\n })\n\n const src = buildImgixUrl(\n url,\n secureUrlToken,\n )({\n ...args.imgixParams,\n w: maxWidth,\n h: args.maxHeight,\n })\n\n const srcSet = buildImgixFluidSrcSet(\n url,\n secureUrlToken,\n )(args.imgixParams ?? {})({\n aspectRatio,\n maxWidth: maxWidth,\n srcSetBreakpoints: args.srcSetBreakpoints,\n })\n\n return {\n base64,\n aspectRatio,\n src,\n srcWebp: src,\n srcSet,\n srcSetWebp: srcSet,\n sizes: '',\n }\n}\n","export default /^(?:[0-9a-f]{8}-[0-9a-f]{4}-[1-5][0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}|00000000-0000-0000-0000-000000000000)$/i;","import validate from './validate.js';\n/**\n * Convert array of 16 byte values to UUID string format of the form:\n * XXXXXXXX-XXXX-XXXX-XXXX-XXXXXXXXXXXX\n */\n\nvar byteToHex = [];\n\nfor (var i = 0; i < 256; ++i) {\n byteToHex.push((i + 0x100).toString(16).substr(1));\n}\n\nfunction stringify(arr) {\n var offset = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : 0;\n // Note: Be careful editing this code! It's been tuned for performance\n // and works in ways you may not expect. See https://github.com/uuidjs/uuid/pull/434\n var uuid = (byteToHex[arr[offset + 0]] + byteToHex[arr[offset + 1]] + byteToHex[arr[offset + 2]] + byteToHex[arr[offset + 3]] + '-' + byteToHex[arr[offset + 4]] + byteToHex[arr[offset + 5]] + '-' + byteToHex[arr[offset + 6]] + byteToHex[arr[offset + 7]] + '-' + byteToHex[arr[offset + 8]] + byteToHex[arr[offset + 9]] + '-' + byteToHex[arr[offset + 10]] + byteToHex[arr[offset + 11]] + byteToHex[arr[offset + 12]] + byteToHex[arr[offset + 13]] + byteToHex[arr[offset + 14]] + byteToHex[arr[offset + 15]]).toLowerCase(); // Consistency check for valid UUID. If this throws, it's likely due to one\n // of the following:\n // - One or more input array values don't map to a hex octet (leading to\n // \"undefined\" in the uuid)\n // - Invalid input values for the RFC `version` or `variant` fields\n\n if (!validate(uuid)) {\n throw TypeError('Stringified UUID is invalid');\n }\n\n return uuid;\n}\n\nexport default stringify;","import REGEX from './regex.js';\n\nfunction validate(uuid) {\n return typeof uuid === 'string' && REGEX.test(uuid);\n}\n\nexport default validate;","import validate from './validate.js';\n\nfunction parse(uuid) {\n if (!validate(uuid)) {\n throw TypeError('Invalid UUID');\n }\n\n var v;\n var arr = new Uint8Array(16); // Parse ########-....-....-....-............\n\n arr[0] = (v = parseInt(uuid.slice(0, 8), 16)) >>> 24;\n arr[1] = v >>> 16 & 0xff;\n arr[2] = v >>> 8 & 0xff;\n arr[3] = v & 0xff; // Parse ........-####-....-....-............\n\n arr[4] = (v = parseInt(uuid.slice(9, 13), 16)) >>> 8;\n arr[5] = v & 0xff; // Parse ........-....-####-....-............\n\n arr[6] = (v = parseInt(uuid.slice(14, 18), 16)) >>> 8;\n arr[7] = v & 0xff; // Parse ........-....-....-####-............\n\n arr[8] = (v = parseInt(uuid.slice(19, 23), 16)) >>> 8;\n arr[9] = v & 0xff; // Parse ........-....-....-....-############\n // (Use \"/\" to avoid 32-bit truncation when bit-shifting high-order bytes)\n\n arr[10] = (v = parseInt(uuid.slice(24, 36), 16)) / 0x10000000000 & 0xff;\n arr[11] = v / 0x100000000 & 0xff;\n arr[12] = v >>> 24 & 0xff;\n arr[13] = v >>> 16 & 0xff;\n arr[14] = v >>> 8 & 0xff;\n arr[15] = v & 0xff;\n return arr;\n}\n\nexport default parse;","// Adapted from Chris Veness' SHA1 code at\n// http://www.movable-type.co.uk/scripts/sha1.html\nfunction f(s, x, y, z) {\n switch (s) {\n case 0:\n return x & y ^ ~x & z;\n\n case 1:\n return x ^ y ^ z;\n\n case 2:\n return x & y ^ x & z ^ y & z;\n\n case 3:\n return x ^ y ^ z;\n }\n}\n\nfunction ROTL(x, n) {\n return x << n | x >>> 32 - n;\n}\n\nfunction sha1(bytes) {\n var K = [0x5a827999, 0x6ed9eba1, 0x8f1bbcdc, 0xca62c1d6];\n var H = [0x67452301, 0xefcdab89, 0x98badcfe, 0x10325476, 0xc3d2e1f0];\n\n if (typeof bytes === 'string') {\n var msg = unescape(encodeURIComponent(bytes)); // UTF8 escape\n\n bytes = [];\n\n for (var i = 0; i < msg.length; ++i) {\n bytes.push(msg.charCodeAt(i));\n }\n } else if (!Array.isArray(bytes)) {\n // Convert Array-like to Array\n bytes = Array.prototype.slice.call(bytes);\n }\n\n bytes.push(0x80);\n var l = bytes.length / 4 + 2;\n var N = Math.ceil(l / 16);\n var M = new Array(N);\n\n for (var _i = 0; _i < N; ++_i) {\n var arr = new Uint32Array(16);\n\n for (var j = 0; j < 16; ++j) {\n arr[j] = bytes[_i * 64 + j * 4] << 24 | bytes[_i * 64 + j * 4 + 1] << 16 | bytes[_i * 64 + j * 4 + 2] << 8 | bytes[_i * 64 + j * 4 + 3];\n }\n\n M[_i] = arr;\n }\n\n M[N - 1][14] = (bytes.length - 1) * 8 / Math.pow(2, 32);\n M[N - 1][14] = Math.floor(M[N - 1][14]);\n M[N - 1][15] = (bytes.length - 1) * 8 & 0xffffffff;\n\n for (var _i2 = 0; _i2 < N; ++_i2) {\n var W = new Uint32Array(80);\n\n for (var t = 0; t < 16; ++t) {\n W[t] = M[_i2][t];\n }\n\n for (var _t = 16; _t < 80; ++_t) {\n W[_t] = ROTL(W[_t - 3] ^ W[_t - 8] ^ W[_t - 14] ^ W[_t - 16], 1);\n }\n\n var a = H[0];\n var b = H[1];\n var c = H[2];\n var d = H[3];\n var e = H[4];\n\n for (var _t2 = 0; _t2 < 80; ++_t2) {\n var s = Math.floor(_t2 / 20);\n var T = ROTL(a, 5) + f(s, b, c, d) + e + K[s] + W[_t2] >>> 0;\n e = d;\n d = c;\n c = ROTL(b, 30) >>> 0;\n b = a;\n a = T;\n }\n\n H[0] = H[0] + a >>> 0;\n H[1] = H[1] + b >>> 0;\n H[2] = H[2] + c >>> 0;\n H[3] = H[3] + d >>> 0;\n H[4] = H[4] + e >>> 0;\n }\n\n return [H[0] >> 24 & 0xff, H[0] >> 16 & 0xff, H[0] >> 8 & 0xff, H[0] & 0xff, H[1] >> 24 & 0xff, H[1] >> 16 & 0xff, H[1] >> 8 & 0xff, H[1] & 0xff, H[2] >> 24 & 0xff, H[2] >> 16 & 0xff, H[2] >> 8 & 0xff, H[2] & 0xff, H[3] >> 24 & 0xff, H[3] >> 16 & 0xff, H[3] >> 8 & 0xff, H[3] & 0xff, H[4] >> 24 & 0xff, H[4] >> 16 & 0xff, H[4] >> 8 & 0xff, H[4] & 0xff];\n}\n\nexport default sha1;","import {\n PluginOptions as GatsbyPluginOptions,\n SourceNodesArgs,\n NodeInput,\n Node,\n} from 'gatsby'\nimport { FixedObject, FluidObject } from 'gatsby-image'\nimport { Document as PrismicDocument } from 'prismic-javascript/d.ts/documents'\nimport * as PrismicDOM from 'prismic-dom'\nimport { ImgixUrlParams } from 'gatsby-plugin-imgix'\n\nexport type NodeID = string\n\nexport interface NodeTree {\n [key: string]: Node\n}\n\nexport interface DocumentNodeInput extends NodeInput {\n prismicId: PrismicDocument['id']\n data: { [key: string]: NormalizedField }\n dataString: string\n dataRaw: PrismicDocument['data']\n alternate_languages: NormalizedAlternateLanguagesField\n url?: string\n}\n\nexport interface SliceNodeInput extends NodeInput {\n slice_type: string\n slice_label?: string\n primary: { [key: string]: NormalizedField }\n items: { [key: string]: NormalizedField }[]\n}\n\nexport interface DocumentsToNodesEnvironment {\n createNode: (node: NodeInput) => void\n createNodeId: (input: string) => string\n createContentDigest: (input: string | object) => string\n normalizeImageField: ImageFieldNormalizer\n normalizeLinkField: LinkFieldNormalizer\n normalizeSlicesField: SlicesFieldNormalizer\n normalizeStructuredTextField: StructuredTextFieldNormalizer\n typePaths: TypePath[]\n pluginOptions: PluginOptions\n context:\n | DocumentsToNodesEnvironmentNodeContext\n | DocumentsToNodesEnvironmentBrowserContext\n}\n\nexport interface DocumentsToNodesEnvironmentNodeContext {\n gatsbyContext: SourceNodesArgs\n}\n\nexport interface DocumentsToNodesEnvironmentBrowserContext {\n hasNodeById: (id: string) => boolean\n getNodeById: (id: string) => T & Node\n}\n\nexport interface TypePath {\n path: string[]\n type: GraphQLType | string\n}\n\nexport type FieldNormalizer = (\n apiId: string,\n field: T,\n path: TypePath['path'],\n doc: PrismicDocument,\n env: DocumentsToNodesEnvironment,\n) => N | Promise\n\nexport type ImageFieldNormalizer = FieldNormalizer<\n ImageField,\n NormalizedImageField\n>\n\nexport type LinkFieldNormalizer = FieldNormalizer<\n LinkField,\n NormalizedLinkField\n>\n\nexport type SlicesFieldNormalizer = FieldNormalizer<\n SliceIDsField,\n NormalizedSlicesField\n>\n\nexport type StructuredTextFieldNormalizer = FieldNormalizer<\n StructuredTextField,\n NormalizedStructuredTextField\n>\n\nexport type Field =\n | StructuredTextField\n | ImageField\n | SlicesField\n | GroupField\n | LinkField\n | AlternateLanguagesField\n | string\n | number\n | boolean\n | null\n\nexport type NormalizedField =\n | NormalizedStructuredTextField\n | NormalizedImageField\n | NormalizedSlicesField\n | NormalizedGroupField\n | NormalizedLinkField\n | NormalizedAlternateLanguagesField\n | Field\n\nexport type StructuredTextField = {\n type: string\n text: string\n spans: { [key: string]: unknown }\n}[]\n\nexport interface NormalizedStructuredTextField {\n html: string\n text: string\n raw: StructuredTextField\n}\n\nexport type SlicesField = Slice[]\n\ninterface Slice {\n slice_type: string\n slice_label: string | null\n items: { [key: string]: Field }[]\n primary: { [key: string]: Field }\n}\n\nexport type SliceIDsField = NodeID[]\n\nexport type NormalizedSlicesField = NodeID[]\n\nexport enum LinkFieldType {\n Any = 'Any',\n Document = 'Document',\n Media = 'Media',\n Web = 'Web',\n}\n\nexport interface LinkField {\n link_type: LinkFieldType\n isBroken: boolean\n url?: string\n target?: string\n size?: number\n id?: string\n type?: string\n tags?: string[]\n lang?: string\n slug?: string\n uid?: string\n}\n\nexport interface NormalizedLinkField extends LinkField {\n url: string\n document?: NodeID\n raw: LinkField\n}\n\nexport interface ImageField {\n alt?: string\n copyright?: string\n dimensions?: { width: number; height: number }\n url?: string\n // This should be ImageThumbnailField, but TypeScript does not let us\n // type unknown field types separatly from known without widening the type.\n [key: string]: unknown\n}\n\nexport interface NormalizedImageField extends ImageField {\n thumbnails?: { [key: string]: NormalizedImageField }\n fixed?: FixedObject\n fluid?: FluidObject\n localFile?: NodeID\n}\n\nexport type AlternateLanguagesField = LinkField[]\n\nexport type NormalizedAlternateLanguagesField = AlternateLanguagesField\n\nexport type GroupField = { [key: string]: Field }[]\n\nexport type NormalizedGroupField = { [key: string]: NormalizedField }[]\n\nexport enum FieldType {\n Boolean = 'Boolean',\n Color = 'Color',\n Date = 'Date',\n Embed = 'Embed',\n GeoPoint = 'GeoPoint',\n Group = 'Group',\n Image = 'Image',\n Link = 'Link',\n Number = 'Number',\n Select = 'Select',\n Slice = 'Slice',\n Slices = 'Slices',\n StructuredText = 'StructuredText',\n Text = 'Text',\n Timestamp = 'Timestamp',\n UID = 'UID',\n // Internal plugin-specific field not defined in the in Prismic schema.\n AlternateLanguages = 'AlternateLanguages',\n}\n\nexport enum GraphQLType {\n ID = 'ID',\n Boolean = 'Boolean',\n String = 'String',\n Float = 'Float',\n Date = 'Date',\n JSON = 'JSON',\n Link = 'PrismicLinkType',\n Image = 'PrismicImageType',\n ImageThumbnail = 'PrismicImageThumbnailType',\n ImageThumbnails = 'PrismicImageThumbnailsType',\n Embed = 'PrismicEmbedType',\n GeoPoint = 'PrismicGeoPointType',\n StructuredText = 'PrismicStructuredTextType',\n AllDocumentTypes = 'PrismicAllDocumentTypes',\n Group = 'Group',\n Slices = 'Slices',\n AlternateLanguages = 'AlternateLanguages',\n}\n\nexport interface GraphQLTypeObj {\n type: GraphQLType | string\n extensions?: { [key: string]: any }\n resolve?: Function\n}\n\ninterface BaseFieldConfigSchema {\n label?: string\n labels?: { [key: string]: string[] }\n placeholder?: string\n [key: string]: unknown\n}\n\nexport interface BaseFieldSchema {\n type: FieldType\n config: BaseFieldConfigSchema\n}\n\nexport interface ImageFieldSchema extends BaseFieldSchema {\n type: FieldType.Image\n config: ImageFieldConfigSchema\n}\n\ninterface ThumbnailSchema {\n name: string\n width?: string\n height?: string\n}\n\ninterface ImageFieldConfigSchema extends BaseFieldConfigSchema {\n constraint?: { width?: number; height?: number }\n thumbnails?: ThumbnailSchema[]\n}\n\nexport interface SlicesFieldSchema extends BaseFieldSchema {\n type: FieldType.Slices\n fieldset: string\n config: SlicesFieldConfigSchema\n}\n\ninterface SlicesFieldConfigSchema extends BaseFieldConfigSchema {\n choices: SliceChoicesSchema\n}\n\nexport interface SliceChoicesSchema {\n [sliceId: string]: SliceFieldSchema\n}\n\nenum SliceChoiceDisplay {\n List = 'list',\n Grid = 'grid',\n}\n\nexport interface SliceFieldSchema extends BaseFieldSchema {\n type: FieldType.Slice\n fieldset: string\n description: string\n icon: string\n display: SliceChoiceDisplay\n repeat?: FieldsSchema\n 'non-repeat'?: FieldsSchema\n}\n\nexport interface GroupFieldSchema extends BaseFieldSchema {\n type: FieldType.Group\n config: GroupFieldConfigSchema\n}\n\ninterface GroupFieldConfigSchema extends BaseFieldConfigSchema {\n fields: FieldsSchema\n}\n\nexport type FieldSchema =\n | BaseFieldSchema\n | ImageFieldSchema\n | SlicesFieldSchema\n | GroupFieldSchema\n | SliceFieldSchema\n\nexport interface FieldsSchema {\n [fieldId: string]: FieldSchema\n}\n\nexport interface Schema {\n [tabName: string]: {\n [fieldId: string]: FieldSchema\n }\n}\n\nexport interface Schemas {\n [schemaId: string]: Schema\n}\n\nexport type LinkResolver = (doc: object) => string\nexport type PluginLinkResolver = (input: {\n key?: string\n value?: unknown\n node: PrismicDocument\n}) => LinkResolver\n\nexport type HTMLSerializer = typeof PrismicDOM.HTMLSerializer\nexport type PluginHTMLSerializer = (input: {\n key: string\n value: unknown\n node: PrismicDocument\n}) => HTMLSerializer\n\ntype ShouldDownloadImage = (input: {\n key: string\n value: unknown\n node: PrismicDocument\n}) => boolean | Promise\n\nexport type BrowserPluginOptions = GatsbyPluginOptions &\n Pick<\n PluginOptions,\n | 'repositoryName'\n | 'accessToken'\n | 'fetchLinks'\n | 'schemas'\n | 'lang'\n | 'typePathsFilenamePrefix'\n | 'prismicToolbar'\n >\n\nexport interface PluginOptions extends GatsbyPluginOptions {\n repositoryName: string\n releaseID?: string\n accessToken?: string\n linkResolver?: PluginLinkResolver\n htmlSerializer?: PluginHTMLSerializer\n fetchLinks?: string[]\n schemas: Schemas\n lang?: string\n shouldDownloadImage?: ShouldDownloadImage\n shouldNormalizeImage?: ShouldDownloadImage\n typePathsFilenamePrefix?: string\n prismicToolbar?: boolean | 'legacy'\n imageImgixParams?: ImgixUrlParams\n imagePlaceholderImgixParams?: ImgixUrlParams\n webhookSecret?: string\n}\n\nexport interface WebhookBase {\n type: 'api-update' | 'test-trigger'\n domain: string\n apiUrl: string\n secret: string | null\n}\n\nexport interface TestWebhook extends WebhookBase {\n type: 'test-trigger'\n}\n\ninterface Operations {\n update?: T[]\n addition?: T[]\n deletion?: T[]\n}\n\nexport interface PrismicWebhook extends WebhookBase {\n type: 'api-update'\n masterRef?: string\n releases: Operations\n masks: Operations\n tags: Operations\n documents: string[]\n experiments?: Operations\n}\n\nexport interface WebhookRelease {\n id: string\n ref: string\n label: string\n documents: string[]\n}\n\nexport interface WebhookMask {\n id: string\n label: string\n}\n\nexport interface WebhookTag {\n id: string\n}\n\n// Legacy fields\ninterface WebhookExperimentVariation {\n id: string\n ref: string\n label: string\n}\ninterface WebhookExperiment {\n id: string\n name: string\n variations: WebhookExperimentVariation[]\n}\n","import v35 from './v35.js';\nimport sha1 from './sha1.js';\nvar v5 = v35('v5', 0x50, sha1);\nexport default v5;","import stringify from './stringify.js';\nimport parse from './parse.js';\n\nfunction stringToBytes(str) {\n str = unescape(encodeURIComponent(str)); // UTF8 escape\n\n var bytes = [];\n\n for (var i = 0; i < str.length; ++i) {\n bytes.push(str.charCodeAt(i));\n }\n\n return bytes;\n}\n\nexport var DNS = '6ba7b810-9dad-11d1-80b4-00c04fd430c8';\nexport var URL = '6ba7b811-9dad-11d1-80b4-00c04fd430c8';\nexport default function (name, version, hashfunc) {\n function generateUUID(value, namespace, buf, offset) {\n if (typeof value === 'string') {\n value = stringToBytes(value);\n }\n\n if (typeof namespace === 'string') {\n namespace = parse(namespace);\n }\n\n if (namespace.length !== 16) {\n throw TypeError('Namespace must be array-like (16 iterable integer values, 0-255)');\n } // Compute hash of namespace and value, Per 4.3\n // Future: Use spread syntax when supported on all platforms, e.g. `bytes =\n // hashfunc([...namespace, ... value])`\n\n\n var bytes = new Uint8Array(16 + value.length);\n bytes.set(namespace);\n bytes.set(value, namespace.length);\n bytes = hashfunc(bytes);\n bytes[6] = bytes[6] & 0x0f | version;\n bytes[8] = bytes[8] & 0x3f | 0x80;\n\n if (buf) {\n offset = offset || 0;\n\n for (var i = 0; i < 16; ++i) {\n buf[offset + i] = bytes[i];\n }\n\n return buf;\n }\n\n return stringify(bytes);\n } // Function#name is not settable on some platforms (#270)\n\n\n try {\n generateUUID.name = name; // eslint-disable-next-line no-empty\n } catch (err) {} // For CommonJS default export support\n\n\n generateUUID.DNS = DNS;\n generateUUID.URL = URL;\n return generateUUID;\n}","import * as struct from 'superstruct'\n\nimport { PluginOptions, BrowserPluginOptions } from './types'\n\nconst baseSchema = {\n repositoryName: struct.string(),\n accessToken: struct.optional(struct.string()),\n releaseID: struct.optional(struct.string()),\n schemas: struct.record(struct.string(), struct.object()),\n linkResolver: struct.defaulted(struct.func(), () => () => () => {}),\n htmlSerializer: struct.defaulted(struct.func(), () => () => () => {}),\n fetchLinks: struct.defaulted(struct.array(struct.string()), []),\n lang: struct.defaulted(struct.string(), '*'),\n typePathsFilenamePrefix: struct.defaulted(\n struct.string(),\n 'prismic-typepaths---',\n ),\n prismicToolbar: struct.defaulted(\n struct.union([struct.boolean(), struct.enums(['legacy'])]),\n false,\n ),\n imageImgixParams: struct.defaulted(\n struct.record(\n struct.string(),\n struct.optional(\n struct.union([struct.string(), struct.number(), struct.boolean()]),\n ),\n ),\n { auto: 'format,compress', fit: 'max', q: 50 },\n ),\n imagePlaceholderImgixParams: struct.defaulted(\n struct.record(\n struct.string(),\n struct.optional(\n struct.union([struct.string(), struct.number(), struct.boolean()]),\n ),\n ),\n { w: 100, blur: 15, q: 20 },\n ),\n plugins: struct.defaulted(struct.empty(struct.array()), []),\n} as const\n\nconst PluginOptions = struct.object({\n ...baseSchema,\n shouldDownloadImage: struct.defaulted(\n struct.optional(struct.func()),\n () => () => false,\n ),\n webhookSecret: struct.optional(struct.string()),\n})\n\nconst BrowserPluginOptions = struct.object({\n ...baseSchema,\n pathResolver: struct.optional(struct.func()),\n schemasDigest: struct.string(),\n})\n\nexport const validatePluginOptions = (pluginOptions: PluginOptions) => {\n const coerced = struct.coerce(pluginOptions, PluginOptions)\n struct.assert(coerced, PluginOptions)\n return (coerced as unknown) as PluginOptions\n}\n\nexport const validateBrowserOptions = (\n browserOptions: BrowserPluginOptions,\n) => {\n const coerced = struct.coerce(browserOptions, BrowserPluginOptions)\n struct.assert(coerced, BrowserPluginOptions)\n return (coerced as unknown) as BrowserPluginOptions\n}\n","export const BROWSER_STORE_KEY = '__GATSBY_SOURCE_PRISMIC__'\n\nexport const IMAGE_FIELD_KEYS = [\n 'alt',\n 'copyright',\n 'dimensions',\n 'url',\n] as const\n\nexport const API_PAGE_SIZE = 100\n\nexport const UUID_NAMESPACE = `638f7a53-c567-4eca-8fc1-b23efb1cfb2b`\n\nexport const PLACEHOLDER_NODE_TYPE_SUFFIX = '__PLACEHOLDER'\n","import { getApi } from 'prismic-javascript'\n\nimport { msg, chunk } from './utils'\nimport { API_PAGE_SIZE } from './constants'\n\nimport { SourceNodesArgs, Reporter } from 'gatsby'\nimport PrismicResolvedApi, {\n QueryOptions,\n} from 'prismic-javascript/d.ts/ResolvedApi'\nimport { Document as PrismicDocument } from 'prismic-javascript/d.ts/documents'\nimport { PluginOptions } from './types'\nimport ApiSearchResponse from 'prismic-javascript/d.ts/ApiSearchResponse'\n\nexport function toPrismicUrl(nameOrUrl: string) {\n const urlRegex = /^https?:\\/\\/([^.]+)\\.(wroom\\.(?:test|io)|prismic\\.io)/\n const addr = nameOrUrl.match(urlRegex)\n\n return addr ? addr[0] + '/api/v2' : `https://${nameOrUrl}.prismic.io/api/v2`\n}\n\nexport const createClient = async (\n repositoryName: string,\n accessToken?: string,\n) => {\n const url = toPrismicUrl(repositoryName)\n return await getApi(url, { accessToken })\n}\n\nconst pagedGet = async (\n client: PrismicResolvedApi,\n queryOptions: QueryOptions,\n page: number,\n pageSize: number,\n documents: PrismicDocument[],\n reporter: Reporter,\n): Promise => {\n reporter.verbose(msg(`fetching documents page ${page}`))\n\n const response = await client.query([], { ...queryOptions, page, pageSize })\n\n for (const doc of response.results) documents.push(doc)\n\n if (page * pageSize < response.total_results_size)\n return await pagedGet(\n client,\n queryOptions,\n page + 1,\n pageSize,\n documents,\n reporter,\n )\n\n return documents\n}\n\nexport const fetchAllDocuments = async (\n pluginOptions: PluginOptions,\n gatsbyContext: SourceNodesArgs,\n) => {\n const {\n repositoryName,\n releaseID,\n accessToken,\n fetchLinks,\n lang,\n } = pluginOptions\n const { reporter } = gatsbyContext\n\n const client = await createClient(repositoryName, accessToken)\n\n const queryOptions: QueryOptions = {}\n if (releaseID) {\n const ref = client.refs.find((r) => r.id === releaseID)\n if (ref) {\n queryOptions.ref = ref.ref\n } else {\n reporter.warn(\n msg(\n `A release with ID \"${releaseID}\" was not found. Defaulting to the master ref instead.`,\n ),\n )\n }\n }\n if (fetchLinks) queryOptions.fetchLinks = fetchLinks\n if (lang) queryOptions.lang = lang\n\n return await pagedGet(client, queryOptions, 1, API_PAGE_SIZE, [], reporter)\n}\n\nexport async function fetchDocumentsByIds(\n pluginOptions: PluginOptions,\n gatsbyContext: SourceNodesArgs,\n documents: string[],\n): Promise {\n const {\n repositoryName,\n releaseID,\n accessToken,\n fetchLinks,\n lang,\n } = pluginOptions\n\n const { reporter } = gatsbyContext\n\n const client = await createClient(repositoryName, accessToken)\n\n const queryOptions: QueryOptions = {}\n\n if (releaseID) {\n const ref = client.refs.find((r) => r.id === releaseID)\n if (ref) {\n queryOptions.ref = ref.ref\n } else {\n reporter.warn(\n msg(\n `A release with ID \"${releaseID}\" was not found. Defaulting to the master ref instead.`,\n ),\n )\n }\n }\n\n if (fetchLinks) queryOptions.fetchLinks = fetchLinks\n\n if (lang) queryOptions.lang = lang\n\n const chunks = chunk(documents, 100).map((docs) =>\n client.getByIDs(docs, queryOptions),\n )\n\n const responses: ApiSearchResponse[] = await Promise.all(chunks)\n\n return responses.flatMap((doc) => doc.results)\n}\n","import { useReducer, useEffect, useCallback, useMemo } from 'react'\nimport { set as setCookie } from 'es-cookie'\nimport { previewCookie } from 'prismic-javascript'\nimport { camelCase } from 'camel-case'\n\nimport { validateBrowserOptions } from './validateOptions'\nimport { createClient } from './api'\nimport { createEnvironment } from './environment.browser'\nimport { documentToNodes } from './documentsToNodes'\nimport { isBrowser } from './utils'\nimport { BROWSER_STORE_KEY } from './constants'\n\nimport { Node } from 'gatsby'\nimport { QueryOptions } from 'prismic-javascript/d.ts/ResolvedApi'\nimport {\n PluginOptions,\n DocumentsToNodesEnvironmentBrowserContext,\n BrowserPluginOptions,\n} from './types'\n\nexport type UsePrismicPreviewOptions = Pick<\n PluginOptions,\n | 'repositoryName'\n | 'accessToken'\n | 'linkResolver'\n | 'htmlSerializer'\n | 'fetchLinks'\n | 'lang'\n | 'typePathsFilenamePrefix'\n> & {\n pathResolver?: PluginOptions['linkResolver']\n schemasDigest?: string\n}\n\nenum ActionType {\n IS_NOT_PREVIEW = 'IS_NOT_PREVIEW',\n IS_PREVIEW = 'IS_PREVIEW',\n DOCUMENT_LOADED = 'DOCUMENT_LOADED',\n RESET = 'RESET',\n}\n\ninterface Action {\n type: ActionType\n payload?: {\n rootNode: Node\n path?: string\n }\n}\n\ninterface State {\n isPreview?: boolean\n isLoading: boolean\n previewData?: { [key: string]: Node }\n path?: string\n}\n\nconst initialState: State = {\n isPreview: undefined,\n isLoading: false,\n previewData: undefined,\n path: undefined,\n}\n\nconst reducer = (state: State, action: Action) => {\n switch (action.type) {\n case ActionType.IS_NOT_PREVIEW: {\n return { ...state, isPreview: false, isLoading: false }\n }\n\n case ActionType.IS_PREVIEW: {\n return { ...state, isPreview: true, isLoading: true }\n }\n\n case ActionType.DOCUMENT_LOADED: {\n if (!action.payload)\n return { ...state, isPreview: false, isLoading: false }\n\n const { rootNode, path } = action.payload\n const type = camelCase(rootNode.internal.type)\n const previewData = { [type]: rootNode }\n\n return { ...state, previewData, path, isPreview: true, isLoading: false }\n }\n\n case ActionType.RESET: {\n return initialState\n }\n\n default:\n throw new Error('Invalid error')\n }\n}\n\nexport const usePrismicPreview = (options: UsePrismicPreviewOptions) => {\n const [state, dispatch] = useReducer(reducer, initialState)\n\n // @ts-expect-error\n const hydratedOptions: UsePrismicPreviewOptions & {\n plugins: []\n schemas: {}\n lang: string\n typePathsFilenamePrefix: string\n schemasDigest: string\n } = useMemo(() => {\n if (!isBrowser) return options\n\n const context = window[BROWSER_STORE_KEY][options.repositoryName]\n\n if (!context)\n throw new Error(\n `Could not find plugin context for repository: \"${options.repositoryName}\". Check that a gatsby-source-plugin instance exists for that repository. `,\n )\n\n return validateBrowserOptions({\n ...context.pluginOptions,\n schemasDigest: context.schemasDigest,\n // Need to include an empty object because environment.browser.ts is\n // expecting it. We do not include the actual schemas in the browser.\n schemas: {},\n ...options,\n })\n }, [options])\n\n const { token, documentId } = useMemo(() => {\n if (!isBrowser) return {}\n\n const params = new URLSearchParams(window.location.search)\n\n return {\n token: params.get('token') ?? undefined,\n documentId: params.get('documentId') ?? undefined,\n }\n }, [isBrowser ? window.location.search : undefined])\n\n /**\n * Set the preview status as soon as possible.\n */\n useEffect(() => {\n const isPreview = Boolean(token && documentId)\n\n dispatch({\n type: isPreview ? ActionType.IS_PREVIEW : ActionType.IS_NOT_PREVIEW,\n })\n }, [token, documentId])\n\n const asyncEffect = useCallback(async () => {\n if (!state.isPreview || !token || !documentId) return\n\n setCookie(previewCookie, token)\n\n const queryOptions: QueryOptions = {}\n if (hydratedOptions.fetchLinks)\n queryOptions.fetchLinks = hydratedOptions.fetchLinks\n\n // Query Prismic's API for the document.\n const client = await createClient(\n hydratedOptions.repositoryName,\n hydratedOptions.accessToken,\n )\n const doc = await client.getByID(documentId, queryOptions)\n\n // Process the document into nodes.\n const typePathsRes = await fetch(\n `/${hydratedOptions.typePathsFilenamePrefix}${hydratedOptions.schemasDigest}.json`,\n { headers: { 'Content-Type': 'application/json' } },\n )\n const typePaths = await typePathsRes.json()\n const env = createEnvironment(\n hydratedOptions as BrowserPluginOptions,\n typePaths,\n )\n const { context } = env\n const { getNodeById } = context as DocumentsToNodesEnvironmentBrowserContext\n const rootNodeId = await documentToNodes(doc, env)\n const rootNode = getNodeById(rootNodeId)\n\n const resolvedPathResolver =\n hydratedOptions.pathResolver ?? hydratedOptions.linkResolver\n const path = resolvedPathResolver\n ? resolvedPathResolver({ node: doc })(doc)\n : undefined\n\n dispatch({ type: ActionType.DOCUMENT_LOADED, payload: { rootNode, path } })\n }, [state.isPreview])\n\n useEffect(() => {\n asyncEffect()\n }, [asyncEffect])\n\n return state\n}\n","import pick from 'lodash.pick'\nimport omit from 'lodash.omit'\n\nimport { mapObjValsP, buildSchemaTypeName } from './utils'\nimport { IMAGE_FIELD_KEYS } from './constants'\n\nimport { Document as PrismicDocument } from 'prismic-javascript/d.ts/documents'\nimport {\n DocumentsToNodesEnvironment,\n TypePath,\n Field,\n AlternateLanguagesField,\n GroupField,\n ImageField,\n LinkField,\n SlicesField,\n StructuredTextField,\n NormalizedField,\n NormalizedAlternateLanguagesField,\n LinkFieldType,\n GraphQLType,\n LinkResolver,\n DocumentNodeInput,\n SliceNodeInput,\n} from './types'\n\nconst getTypeForPath = (\n path: TypePath['path'],\n typePaths: TypePath[],\n): GraphQLType | string | undefined => {\n const stringifiedPath = JSON.stringify(path)\n const def = typePaths.find((x) => JSON.stringify(x.path) === stringifiedPath)\n\n if (!def) return\n if (/^\\[.*GroupType\\]$/.test(def.type)) return GraphQLType.Group\n if (/^\\[.*SlicesType\\]$/.test(def.type)) return GraphQLType.Slices\n\n return def.type\n}\n\nconst normalizeField = async (\n apiId: string,\n field: Field,\n path: TypePath['path'],\n doc: PrismicDocument,\n env: DocumentsToNodesEnvironment,\n): Promise => {\n const {\n createNodeId,\n createNode,\n createContentDigest,\n typePaths,\n normalizeStructuredTextField,\n normalizeLinkField,\n normalizeImageField,\n normalizeSlicesField,\n } = env\n\n const type = getTypeForPath([...path, apiId], typePaths)\n\n switch (type) {\n case GraphQLType.Image: {\n const baseObj: ImageField = pick(field as ImageField, IMAGE_FIELD_KEYS)\n const thumbsObj = omit(field as ImageField, IMAGE_FIELD_KEYS) as {\n [key: string]: ImageField\n }\n\n const base = await normalizeImageField(apiId, baseObj, path, doc, env)\n const thumbs = await mapObjValsP(\n async (thumb) =>\n await normalizeImageField(apiId, thumb, path, doc, env),\n thumbsObj,\n )\n\n return { ...base, thumbnails: thumbs }\n }\n\n case GraphQLType.StructuredText: {\n return await normalizeStructuredTextField(\n apiId,\n field as StructuredTextField,\n path,\n doc,\n env,\n )\n }\n\n case GraphQLType.Link: {\n return await normalizeLinkField(apiId, field as LinkField, path, doc, env)\n }\n\n case GraphQLType.Group: {\n return await normalizeObjs(\n field as GroupField,\n [...path, apiId],\n doc,\n env,\n )\n }\n\n case GraphQLType.Slices: {\n const sliceNodeIds = await Promise.all(\n (field as SlicesField).map(async (slice, index) => {\n const sliceNodeId = createNodeId(\n `${doc.type} ${doc.id} ${apiId} ${index}`,\n )\n\n const normalizedPrimary = await normalizeObj(\n slice.primary,\n [...path, apiId, slice.slice_type, 'primary'],\n doc,\n env,\n )\n\n const normalizedItems = await normalizeObjs(\n slice.items,\n [...path, apiId, slice.slice_type, 'items'],\n doc,\n env,\n )\n\n const node: SliceNodeInput = {\n id: sliceNodeId,\n slice_type: slice.slice_type,\n slice_label: slice.slice_label ?? undefined,\n primary: normalizedPrimary,\n items: normalizedItems,\n internal: {\n type: buildSchemaTypeName(\n `${doc.type} ${apiId} ${slice.slice_type}`,\n ),\n contentDigest: createContentDigest(slice),\n },\n }\n\n createNode(node)\n\n return node.id\n }),\n )\n\n return await normalizeSlicesField(\n apiId,\n sliceNodeIds,\n [...path, apiId],\n doc,\n env,\n )\n }\n\n // This field type is not an actual Prismic type and was assigned manually\n // in `schemasToTypeDefs.ts`.\n case GraphQLType.AlternateLanguages: {\n // Treat the array of alternate language documents as a list of link\n // fields. We need to force the link type to a Document since it is not\n // there by default.\n return await Promise.all(\n (field as AlternateLanguagesField).map(\n async (item) =>\n await normalizeLinkField(\n apiId,\n {\n ...item,\n link_type: LinkFieldType.Document,\n },\n path,\n doc,\n env,\n ),\n ),\n )\n }\n\n default: {\n return field\n }\n }\n}\n\nconst normalizeObj = (\n obj: { [key: string]: Field } = {},\n path: TypePath['path'],\n doc: PrismicDocument,\n env: DocumentsToNodesEnvironment,\n): Promise<{ [key: string]: NormalizedField }> =>\n mapObjValsP(\n (field, fieldApiId) => normalizeField(fieldApiId, field, path, doc, env),\n obj,\n )\n\nconst normalizeObjs = (\n objs: { [key: string]: Field }[] = [],\n path: TypePath['path'],\n doc: PrismicDocument,\n env: DocumentsToNodesEnvironment,\n) => Promise.all(objs.map((obj) => normalizeObj(obj, path, doc, env)))\n\nexport const documentToNodes = async (\n doc: PrismicDocument,\n env: DocumentsToNodesEnvironment,\n) => {\n const { createNode, createContentDigest, createNodeId, pluginOptions } = env\n const { linkResolver } = pluginOptions\n\n let linkResolverForDoc: LinkResolver | undefined = undefined\n if (linkResolver) linkResolverForDoc = linkResolver({ node: doc })\n\n const docNodeId = createNodeId(doc.id)\n const docUrl = linkResolverForDoc ? linkResolverForDoc(doc) : undefined\n\n const normalizedData = await normalizeObj(\n doc.data,\n [doc.type, 'data'],\n doc,\n env,\n )\n const normalizedAlernativeLanguages = (await normalizeField(\n 'alternate_languages',\n (doc.alternate_languages as unknown) as AlternateLanguagesField,\n [doc.type],\n doc,\n env,\n )) as NormalizedAlternateLanguagesField\n\n const node: DocumentNodeInput = {\n ...doc,\n id: docNodeId,\n prismicId: doc.id,\n data: normalizedData,\n dataString: JSON.stringify(doc.data),\n dataRaw: doc.data,\n alternate_languages: normalizedAlernativeLanguages,\n url: docUrl,\n internal: {\n type: buildSchemaTypeName(doc.type),\n contentDigest: createContentDigest(doc),\n },\n _previewable: doc.id,\n }\n\n createNode(node)\n\n return node.id\n}\n\nexport const documentsToNodes = async (\n docs: PrismicDocument[],\n env: DocumentsToNodesEnvironment,\n) => await Promise.all(docs.map((doc) => documentToNodes(doc, env)))\n","import {\n Link as PrismicDOMLink,\n RichText as PrismicDOMRichText,\n} from 'prismic-dom'\nimport { buildImgixFixed, buildImgixFluid } from 'gatsby-plugin-imgix'\nimport { v5 as uuidv5 } from 'uuid'\nimport md5 from 'md5'\n\nimport { createClient } from './api'\nimport { documentToNodes } from './documentsToNodes'\nimport { buildSchemaTypeName } from './utils'\nimport { UUID_NAMESPACE, PLACEHOLDER_NODE_TYPE_SUFFIX } from './constants'\n\nimport { NodeInput } from 'gatsby'\nimport { QueryOptions } from 'prismic-javascript/d.ts/ResolvedApi'\nimport {\n BrowserPluginOptions,\n DocumentsToNodesEnvironment,\n DocumentsToNodesEnvironmentBrowserContext,\n HTMLSerializer,\n ImageFieldNormalizer,\n LinkField,\n LinkFieldNormalizer,\n LinkFieldType,\n LinkResolver,\n NormalizedLinkField,\n SlicesFieldNormalizer,\n StructuredTextFieldNormalizer,\n TypePath,\n NodeID,\n} from './types'\n\ninterface UnbrokenDocumentLinkField extends LinkField {\n link_type: LinkFieldType.Document\n id: string\n isBroken: false\n}\n\nconst loadLinkFieldDocument = async (\n field: UnbrokenDocumentLinkField,\n env: DocumentsToNodesEnvironment,\n) => {\n const {\n createNode,\n createNodeId,\n createContentDigest,\n pluginOptions,\n context,\n } = env\n if (field.link_type !== LinkFieldType.Document || !field.id || field.isBroken)\n return\n\n const { hasNodeById } = context as DocumentsToNodesEnvironmentBrowserContext\n const { repositoryName, accessToken, fetchLinks } = pluginOptions\n\n const linkedDocId = createNodeId(field.id)\n\n // Skip the fetch process if the node already exists in the store.\n if (hasNodeById(linkedDocId)) return\n\n // Create a placeholder node in the store to prevent infinite recursion. This\n // placeholder will be replaced with the actual node during the\n // `documentToNodes` call.\n createNode({\n id: linkedDocId,\n internal: {\n type: buildSchemaTypeName(field.type!) + PLACEHOLDER_NODE_TYPE_SUFFIX,\n contentDigest: createContentDigest(linkedDocId),\n },\n })\n\n const queryOptions: QueryOptions = {}\n if (fetchLinks) queryOptions.fetchLinks = fetchLinks\n\n // Query Prismic's API for the document.\n const client = await createClient(repositoryName, accessToken)\n const doc = await client.getByID(field.id, queryOptions)\n\n await documentToNodes(doc, env)\n}\n\nconst normalizeImageField: ImageFieldNormalizer = async (\n _apiId,\n field,\n _path,\n _doc,\n env,\n) => {\n const { pluginOptions } = env\n\n const url = field.url\n if (!url) return field\n\n const fixed = buildImgixFixed({\n url,\n sourceWidth: field.dimensions!.width,\n sourceHeight: field.dimensions!.height,\n args: {\n imgixParams: pluginOptions.imageImgixParams,\n placeholderImgixParams: pluginOptions.imagePlaceholderImgixParams,\n },\n })\n\n const fluid = buildImgixFluid({\n url,\n sourceWidth: field.dimensions!.width,\n sourceHeight: field.dimensions!.height,\n args: {\n imgixParams: pluginOptions.imageImgixParams,\n placeholderImgixParams: pluginOptions.imagePlaceholderImgixParams,\n },\n })\n\n return { ...field, fixed, fluid }\n}\n\n// TODO: Abstract proxy handler for any `getNodeById` needs (e.g. Slices).\nconst normalizeLinkField: LinkFieldNormalizer = async (\n apiId,\n field,\n _path,\n doc,\n env,\n) => {\n const { createNodeId, pluginOptions, context } = env\n const { getNodeById } = context as DocumentsToNodesEnvironmentBrowserContext\n const { linkResolver } = pluginOptions\n\n let linkResolverForField: LinkResolver | undefined = undefined\n if (linkResolver)\n linkResolverForField = linkResolver({\n key: apiId,\n value: field,\n node: doc,\n })\n\n let linkedDocId: NodeID | undefined = undefined\n if (field && field.link_type === LinkFieldType.Document && field.id)\n linkedDocId = createNodeId(field.id)\n\n if (\n field &&\n field.link_type === LinkFieldType.Document &&\n field.id &&\n !field.isBroken\n )\n await loadLinkFieldDocument(field as UnbrokenDocumentLinkField, env)\n\n return new Proxy(\n {\n ...field,\n url: PrismicDOMLink.url(field, linkResolverForField),\n document: linkedDocId,\n raw: field,\n },\n {\n get: (obj, prop: keyof NormalizedLinkField) => {\n if (prop === 'document') {\n if (\n field &&\n field.link_type === LinkFieldType.Document &&\n !field.isBroken &&\n linkedDocId\n )\n return getNodeById(linkedDocId)\n\n return null\n }\n\n return obj[prop]\n },\n },\n )\n}\n\nconst normalizeSlicesField: SlicesFieldNormalizer = (\n _apiId,\n field,\n _path,\n _doc,\n env,\n) => {\n const { context } = env\n const {\n hasNodeById,\n getNodeById,\n } = context as DocumentsToNodesEnvironmentBrowserContext\n\n return new Proxy(field, {\n get: (obj, prop: number) => {\n const id = obj[prop]\n\n if (hasNodeById(id)) {\n const node = getNodeById(id)\n return { ...node, __typename: node.internal.type }\n }\n\n return id\n },\n })\n}\n\nconst normalizeStructuredTextField: StructuredTextFieldNormalizer = async (\n apiId,\n field,\n _path,\n doc,\n env,\n) => {\n const { pluginOptions } = env\n const { linkResolver, htmlSerializer } = pluginOptions\n\n let linkResolverForField: LinkResolver | undefined = undefined\n if (linkResolver)\n linkResolverForField = linkResolver({\n key: apiId,\n value: field,\n node: doc,\n })\n\n let htmlSerializerForField: HTMLSerializer | undefined = undefined\n if (htmlSerializer)\n htmlSerializerForField = htmlSerializer({\n key: apiId,\n value: field,\n node: doc,\n })\n\n return {\n html: PrismicDOMRichText.asHtml(\n field,\n linkResolverForField,\n htmlSerializerForField,\n ),\n text: PrismicDOMRichText.asText(field),\n raw: field,\n }\n}\n\nexport const createEnvironment = (\n pluginOptions: BrowserPluginOptions,\n typePaths: TypePath[],\n): DocumentsToNodesEnvironment => {\n const nodeStore = new Map()\n\n const createNode = (node: NodeInput) => void nodeStore.set(node.id, node)\n const createNodeId = (input: string) => uuidv5(input, UUID_NAMESPACE)\n const createContentDigest = (input: unknown) => md5(JSON.stringify(input))\n const hasNodeById = (id: string) => nodeStore.has(id)\n const getNodeById = (id: string) => nodeStore.get(id)\n\n return {\n createNode,\n createNodeId,\n createContentDigest,\n normalizeImageField,\n normalizeLinkField,\n normalizeSlicesField,\n normalizeStructuredTextField,\n typePaths,\n pluginOptions,\n context: { hasNodeById, getNodeById },\n }\n}\n","import * as React from 'react'\nimport { NodeTree } from './types'\n\nconst DEFAULT_INITIAL_PAGES = {}\nconst DEFAULT_INITIAL_ENABLED = false\n\nexport enum ActionType {\n AddPage,\n EnablePreviews,\n DisablePreviews,\n}\n\ntype Action =\n | {\n type: ActionType.AddPage\n payload: { path: string; data: NodeTree }\n }\n | { type: Exclude }\n\ninterface State {\n pages: Record\n enabled: boolean\n}\n\nconst createInitialState = (initialState?: Partial): State => ({\n pages: DEFAULT_INITIAL_PAGES,\n enabled: DEFAULT_INITIAL_ENABLED,\n ...initialState,\n})\n\nconst reducer = (state: State, action: Action): State => {\n switch (action.type) {\n case ActionType.AddPage: {\n return {\n ...state,\n pages: {\n ...state.pages,\n [action.payload.path]: action.payload.data,\n },\n enabled: true,\n }\n }\n\n case ActionType.EnablePreviews: {\n return { ...state, enabled: true }\n }\n\n case ActionType.DisablePreviews: {\n return { ...state, enabled: false }\n }\n }\n}\n\nconst PreviewStoreContext = React.createContext([\n createInitialState(),\n () => {},\n] as [State, React.Dispatch])\n\nexport type PreviewStoreProviderProps = {\n children?: React.ReactNode\n initialPages?: State['pages']\n initialEnabled?: State['enabled']\n}\n\nexport const PreviewStoreProvider = ({\n children,\n initialPages = DEFAULT_INITIAL_PAGES,\n initialEnabled = DEFAULT_INITIAL_ENABLED,\n}: PreviewStoreProviderProps) => {\n const reducerTuple = React.useReducer(\n reducer,\n createInitialState({\n pages: initialPages,\n enabled: initialEnabled,\n }),\n )\n\n return (\n \n {children}\n \n )\n}\n\nexport const usePreviewStore = () => React.useContext(PreviewStoreContext)\n","import { Node } from 'gatsby'\nimport isPlainObject from 'lodash.isplainobject'\n\nimport { NodeTree } from './types'\n\n// Root node field used to compare static data with preview data. If values are\n// equal, the preview node can be treated as an updated version of the static\n// node.\nconst PREVIEWABLE_NODE_ID_FIELD = '_previewable'\n\n// TODO: Remove in v4.0.0\n// Same as PREVIEWABLE_NODE_ID_FIELD, but the legacy version that will be phased out in v4.0.0.\nconst LEGACY_PREVIEWABLE_NODE_ID_FIELD = 'prismicId'\n\nconst traverseAndReplace = (node: any, replacementNode: Node): any => {\n if (isPlainObject(node)) {\n // If the nodes share an ID, replace it.\n if (\n node[PREVIEWABLE_NODE_ID_FIELD] ===\n replacementNode[PREVIEWABLE_NODE_ID_FIELD]\n )\n return replacementNode\n\n // TODO: Remove in v4.0.0\n if (\n node[LEGACY_PREVIEWABLE_NODE_ID_FIELD] ===\n replacementNode[LEGACY_PREVIEWABLE_NODE_ID_FIELD]\n ) {\n console.warn(\n 'Warning: Merging nested preview data using the prismicId field will be deprecated in gatsby-source-prismic v4.0.0.\\n\\nIf you are relying on this functionality, please update your GraphQL query to include the _previewable field on documents that should be previewable.',\n )\n return replacementNode\n }\n\n // We did not find the Node to replace. Iterate all properties and continue\n // to find the Node.\n const newNode: typeof node = {}\n for (const subnodeKey in node)\n newNode[subnodeKey] = traverseAndReplace(\n node[subnodeKey],\n replacementNode,\n )\n return newNode\n }\n\n // Iterate all elements in the node to find the Node.\n if (Array.isArray(node))\n return node.map((subnode) => traverseAndReplace(subnode, replacementNode))\n\n // If the node is not an object or array, it cannot be a Node.\n return node\n}\n\nexport interface MergePrismicPreviewDataArgs {\n staticData?: NodeTree\n previewData?: NodeTree\n /**\n * Determines the method with which the function merges preview data into static data.\n *\n * - `traverseAndReplace`: Traverse static data nodes and replace with preview data if IDs match.\n * - `rootReplaceOrInsert`: Replace or insert preview data at the root level.\n */\n strategy?: 'traverseAndReplace' | 'rootReplaceOrInsert'\n}\n\n/**\n * Merges preview data with static data. Different merge strategies can be used\n * for different environments.\n */\nexport const mergePrismicPreviewData = ({\n staticData,\n previewData,\n strategy = 'traverseAndReplace',\n}: MergePrismicPreviewDataArgs): NodeTree | undefined => {\n if (!staticData && !previewData) return\n if (!staticData) return previewData\n if (!previewData) return staticData\n\n switch (strategy) {\n // Unpublished previews must return data at the root to ensure it is always\n // available. If staticData and previewData share root-level keys, they are\n // merged. Otherwise, data will be sibilings.\n case 'rootReplaceOrInsert':\n return { ...staticData, ...previewData }\n\n // Traverse static data nodes and replace with preview data if IDs match.\n case 'traverseAndReplace':\n default: {\n const previewDataRootNodeKey = Object.keys(previewData)[0]\n\n // TODO: Remove in v4.0.0.\n if (\n staticData.hasOwnProperty(previewDataRootNodeKey) &&\n !staticData[previewDataRootNodeKey][PREVIEWABLE_NODE_ID_FIELD] &&\n !staticData[previewDataRootNodeKey][LEGACY_PREVIEWABLE_NODE_ID_FIELD]\n ) {\n // TODO: Add link to more details on _previewable.\n console.warn(\n 'Warning: Merging preview data implicitly will be deprecated in gatsby-source-prismic v4.0.0.\\n\\nIf you are relying on this functionality, please update your GraphQL query to include the _previewable field on documents that should be previewable.',\n )\n return { ...staticData, ...previewData }\n }\n\n return traverseAndReplace(staticData, previewData[previewDataRootNodeKey])\n }\n }\n}\n","/**\n * Copyright (c) 2014-present, Facebook, Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n\nvar runtime = (function (exports) {\n \"use strict\";\n\n var Op = Object.prototype;\n var hasOwn = Op.hasOwnProperty;\n var undefined; // More compressible than void 0.\n var $Symbol = typeof Symbol === \"function\" ? Symbol : {};\n var iteratorSymbol = $Symbol.iterator || \"@@iterator\";\n var asyncIteratorSymbol = $Symbol.asyncIterator || \"@@asyncIterator\";\n var toStringTagSymbol = $Symbol.toStringTag || \"@@toStringTag\";\n\n function define(obj, key, value) {\n Object.defineProperty(obj, key, {\n value: value,\n enumerable: true,\n configurable: true,\n writable: true\n });\n return obj[key];\n }\n try {\n // IE 8 has a broken Object.defineProperty that only works on DOM objects.\n define({}, \"\");\n } catch (err) {\n define = function(obj, key, value) {\n return obj[key] = value;\n };\n }\n\n function wrap(innerFn, outerFn, self, tryLocsList) {\n // If outerFn provided and outerFn.prototype is a Generator, then outerFn.prototype instanceof Generator.\n var protoGenerator = outerFn && outerFn.prototype instanceof Generator ? outerFn : Generator;\n var generator = Object.create(protoGenerator.prototype);\n var context = new Context(tryLocsList || []);\n\n // The ._invoke method unifies the implementations of the .next,\n // .throw, and .return methods.\n generator._invoke = makeInvokeMethod(innerFn, self, context);\n\n return generator;\n }\n exports.wrap = wrap;\n\n // Try/catch helper to minimize deoptimizations. Returns a completion\n // record like context.tryEntries[i].completion. This interface could\n // have been (and was previously) designed to take a closure to be\n // invoked without arguments, but in all the cases we care about we\n // already have an existing method we want to call, so there's no need\n // to create a new function object. We can even get away with assuming\n // the method takes exactly one argument, since that happens to be true\n // in every case, so we don't have to touch the arguments object. The\n // only additional allocation required is the completion record, which\n // has a stable shape and so hopefully should be cheap to allocate.\n function tryCatch(fn, obj, arg) {\n try {\n return { type: \"normal\", arg: fn.call(obj, arg) };\n } catch (err) {\n return { type: \"throw\", arg: err };\n }\n }\n\n var GenStateSuspendedStart = \"suspendedStart\";\n var GenStateSuspendedYield = \"suspendedYield\";\n var GenStateExecuting = \"executing\";\n var GenStateCompleted = \"completed\";\n\n // Returning this object from the innerFn has the same effect as\n // breaking out of the dispatch switch statement.\n var ContinueSentinel = {};\n\n // Dummy constructor functions that we use as the .constructor and\n // .constructor.prototype properties for functions that return Generator\n // objects. For full spec compliance, you may wish to configure your\n // minifier not to mangle the names of these two functions.\n function Generator() {}\n function GeneratorFunction() {}\n function GeneratorFunctionPrototype() {}\n\n // This is a polyfill for %IteratorPrototype% for environments that\n // don't natively support it.\n var IteratorPrototype = {};\n IteratorPrototype[iteratorSymbol] = function () {\n return this;\n };\n\n var getProto = Object.getPrototypeOf;\n var NativeIteratorPrototype = getProto && getProto(getProto(values([])));\n if (NativeIteratorPrototype &&\n NativeIteratorPrototype !== Op &&\n hasOwn.call(NativeIteratorPrototype, iteratorSymbol)) {\n // This environment has a native %IteratorPrototype%; use it instead\n // of the polyfill.\n IteratorPrototype = NativeIteratorPrototype;\n }\n\n var Gp = GeneratorFunctionPrototype.prototype =\n Generator.prototype = Object.create(IteratorPrototype);\n GeneratorFunction.prototype = Gp.constructor = GeneratorFunctionPrototype;\n GeneratorFunctionPrototype.constructor = GeneratorFunction;\n GeneratorFunction.displayName = define(\n GeneratorFunctionPrototype,\n toStringTagSymbol,\n \"GeneratorFunction\"\n );\n\n // Helper for defining the .next, .throw, and .return methods of the\n // Iterator interface in terms of a single ._invoke method.\n function defineIteratorMethods(prototype) {\n [\"next\", \"throw\", \"return\"].forEach(function(method) {\n define(prototype, method, function(arg) {\n return this._invoke(method, arg);\n });\n });\n }\n\n exports.isGeneratorFunction = function(genFun) {\n var ctor = typeof genFun === \"function\" && genFun.constructor;\n return ctor\n ? ctor === GeneratorFunction ||\n // For the native GeneratorFunction constructor, the best we can\n // do is to check its .name property.\n (ctor.displayName || ctor.name) === \"GeneratorFunction\"\n : false;\n };\n\n exports.mark = function(genFun) {\n if (Object.setPrototypeOf) {\n Object.setPrototypeOf(genFun, GeneratorFunctionPrototype);\n } else {\n genFun.__proto__ = GeneratorFunctionPrototype;\n define(genFun, toStringTagSymbol, \"GeneratorFunction\");\n }\n genFun.prototype = Object.create(Gp);\n return genFun;\n };\n\n // Within the body of any async function, `await x` is transformed to\n // `yield regeneratorRuntime.awrap(x)`, so that the runtime can test\n // `hasOwn.call(value, \"__await\")` to determine if the yielded value is\n // meant to be awaited.\n exports.awrap = function(arg) {\n return { __await: arg };\n };\n\n function AsyncIterator(generator, PromiseImpl) {\n function invoke(method, arg, resolve, reject) {\n var record = tryCatch(generator[method], generator, arg);\n if (record.type === \"throw\") {\n reject(record.arg);\n } else {\n var result = record.arg;\n var value = result.value;\n if (value &&\n typeof value === \"object\" &&\n hasOwn.call(value, \"__await\")) {\n return PromiseImpl.resolve(value.__await).then(function(value) {\n invoke(\"next\", value, resolve, reject);\n }, function(err) {\n invoke(\"throw\", err, resolve, reject);\n });\n }\n\n return PromiseImpl.resolve(value).then(function(unwrapped) {\n // When a yielded Promise is resolved, its final value becomes\n // the .value of the Promise<{value,done}> result for the\n // current iteration.\n result.value = unwrapped;\n resolve(result);\n }, function(error) {\n // If a rejected Promise was yielded, throw the rejection back\n // into the async generator function so it can be handled there.\n return invoke(\"throw\", error, resolve, reject);\n });\n }\n }\n\n var previousPromise;\n\n function enqueue(method, arg) {\n function callInvokeWithMethodAndArg() {\n return new PromiseImpl(function(resolve, reject) {\n invoke(method, arg, resolve, reject);\n });\n }\n\n return previousPromise =\n // If enqueue has been called before, then we want to wait until\n // all previous Promises have been resolved before calling invoke,\n // so that results are always delivered in the correct order. If\n // enqueue has not been called before, then it is important to\n // call invoke immediately, without waiting on a callback to fire,\n // so that the async generator function has the opportunity to do\n // any necessary setup in a predictable way. This predictability\n // is why the Promise constructor synchronously invokes its\n // executor callback, and why async functions synchronously\n // execute code before the first await. Since we implement simple\n // async functions in terms of async generators, it is especially\n // important to get this right, even though it requires care.\n previousPromise ? previousPromise.then(\n callInvokeWithMethodAndArg,\n // Avoid propagating failures to Promises returned by later\n // invocations of the iterator.\n callInvokeWithMethodAndArg\n ) : callInvokeWithMethodAndArg();\n }\n\n // Define the unified helper method that is used to implement .next,\n // .throw, and .return (see defineIteratorMethods).\n this._invoke = enqueue;\n }\n\n defineIteratorMethods(AsyncIterator.prototype);\n AsyncIterator.prototype[asyncIteratorSymbol] = function () {\n return this;\n };\n exports.AsyncIterator = AsyncIterator;\n\n // Note that simple async functions are implemented on top of\n // AsyncIterator objects; they just return a Promise for the value of\n // the final result produced by the iterator.\n exports.async = function(innerFn, outerFn, self, tryLocsList, PromiseImpl) {\n if (PromiseImpl === void 0) PromiseImpl = Promise;\n\n var iter = new AsyncIterator(\n wrap(innerFn, outerFn, self, tryLocsList),\n PromiseImpl\n );\n\n return exports.isGeneratorFunction(outerFn)\n ? iter // If outerFn is a generator, return the full iterator.\n : iter.next().then(function(result) {\n return result.done ? result.value : iter.next();\n });\n };\n\n function makeInvokeMethod(innerFn, self, context) {\n var state = GenStateSuspendedStart;\n\n return function invoke(method, arg) {\n if (state === GenStateExecuting) {\n throw new Error(\"Generator is already running\");\n }\n\n if (state === GenStateCompleted) {\n if (method === \"throw\") {\n throw arg;\n }\n\n // Be forgiving, per 25.3.3.3.3 of the spec:\n // https://people.mozilla.org/~jorendorff/es6-draft.html#sec-generatorresume\n return doneResult();\n }\n\n context.method = method;\n context.arg = arg;\n\n while (true) {\n var delegate = context.delegate;\n if (delegate) {\n var delegateResult = maybeInvokeDelegate(delegate, context);\n if (delegateResult) {\n if (delegateResult === ContinueSentinel) continue;\n return delegateResult;\n }\n }\n\n if (context.method === \"next\") {\n // Setting context._sent for legacy support of Babel's\n // function.sent implementation.\n context.sent = context._sent = context.arg;\n\n } else if (context.method === \"throw\") {\n if (state === GenStateSuspendedStart) {\n state = GenStateCompleted;\n throw context.arg;\n }\n\n context.dispatchException(context.arg);\n\n } else if (context.method === \"return\") {\n context.abrupt(\"return\", context.arg);\n }\n\n state = GenStateExecuting;\n\n var record = tryCatch(innerFn, self, context);\n if (record.type === \"normal\") {\n // If an exception is thrown from innerFn, we leave state ===\n // GenStateExecuting and loop back for another invocation.\n state = context.done\n ? GenStateCompleted\n : GenStateSuspendedYield;\n\n if (record.arg === ContinueSentinel) {\n continue;\n }\n\n return {\n value: record.arg,\n done: context.done\n };\n\n } else if (record.type === \"throw\") {\n state = GenStateCompleted;\n // Dispatch the exception by looping back around to the\n // context.dispatchException(context.arg) call above.\n context.method = \"throw\";\n context.arg = record.arg;\n }\n }\n };\n }\n\n // Call delegate.iterator[context.method](context.arg) and handle the\n // result, either by returning a { value, done } result from the\n // delegate iterator, or by modifying context.method and context.arg,\n // setting context.delegate to null, and returning the ContinueSentinel.\n function maybeInvokeDelegate(delegate, context) {\n var method = delegate.iterator[context.method];\n if (method === undefined) {\n // A .throw or .return when the delegate iterator has no .throw\n // method always terminates the yield* loop.\n context.delegate = null;\n\n if (context.method === \"throw\") {\n // Note: [\"return\"] must be used for ES3 parsing compatibility.\n if (delegate.iterator[\"return\"]) {\n // If the delegate iterator has a return method, give it a\n // chance to clean up.\n context.method = \"return\";\n context.arg = undefined;\n maybeInvokeDelegate(delegate, context);\n\n if (context.method === \"throw\") {\n // If maybeInvokeDelegate(context) changed context.method from\n // \"return\" to \"throw\", let that override the TypeError below.\n return ContinueSentinel;\n }\n }\n\n context.method = \"throw\";\n context.arg = new TypeError(\n \"The iterator does not provide a 'throw' method\");\n }\n\n return ContinueSentinel;\n }\n\n var record = tryCatch(method, delegate.iterator, context.arg);\n\n if (record.type === \"throw\") {\n context.method = \"throw\";\n context.arg = record.arg;\n context.delegate = null;\n return ContinueSentinel;\n }\n\n var info = record.arg;\n\n if (! info) {\n context.method = \"throw\";\n context.arg = new TypeError(\"iterator result is not an object\");\n context.delegate = null;\n return ContinueSentinel;\n }\n\n if (info.done) {\n // Assign the result of the finished delegate to the temporary\n // variable specified by delegate.resultName (see delegateYield).\n context[delegate.resultName] = info.value;\n\n // Resume execution at the desired location (see delegateYield).\n context.next = delegate.nextLoc;\n\n // If context.method was \"throw\" but the delegate handled the\n // exception, let the outer generator proceed normally. If\n // context.method was \"next\", forget context.arg since it has been\n // \"consumed\" by the delegate iterator. If context.method was\n // \"return\", allow the original .return call to continue in the\n // outer generator.\n if (context.method !== \"return\") {\n context.method = \"next\";\n context.arg = undefined;\n }\n\n } else {\n // Re-yield the result returned by the delegate method.\n return info;\n }\n\n // The delegate iterator is finished, so forget it and continue with\n // the outer generator.\n context.delegate = null;\n return ContinueSentinel;\n }\n\n // Define Generator.prototype.{next,throw,return} in terms of the\n // unified ._invoke helper method.\n defineIteratorMethods(Gp);\n\n define(Gp, toStringTagSymbol, \"Generator\");\n\n // A Generator should always return itself as the iterator object when the\n // @@iterator function is called on it. Some browsers' implementations of the\n // iterator prototype chain incorrectly implement this, causing the Generator\n // object to not be returned from this call. This ensures that doesn't happen.\n // See https://github.com/facebook/regenerator/issues/274 for more details.\n Gp[iteratorSymbol] = function() {\n return this;\n };\n\n Gp.toString = function() {\n return \"[object Generator]\";\n };\n\n function pushTryEntry(locs) {\n var entry = { tryLoc: locs[0] };\n\n if (1 in locs) {\n entry.catchLoc = locs[1];\n }\n\n if (2 in locs) {\n entry.finallyLoc = locs[2];\n entry.afterLoc = locs[3];\n }\n\n this.tryEntries.push(entry);\n }\n\n function resetTryEntry(entry) {\n var record = entry.completion || {};\n record.type = \"normal\";\n delete record.arg;\n entry.completion = record;\n }\n\n function Context(tryLocsList) {\n // The root entry object (effectively a try statement without a catch\n // or a finally block) gives us a place to store values thrown from\n // locations where there is no enclosing try statement.\n this.tryEntries = [{ tryLoc: \"root\" }];\n tryLocsList.forEach(pushTryEntry, this);\n this.reset(true);\n }\n\n exports.keys = function(object) {\n var keys = [];\n for (var key in object) {\n keys.push(key);\n }\n keys.reverse();\n\n // Rather than returning an object with a next method, we keep\n // things simple and return the next function itself.\n return function next() {\n while (keys.length) {\n var key = keys.pop();\n if (key in object) {\n next.value = key;\n next.done = false;\n return next;\n }\n }\n\n // To avoid creating an additional object, we just hang the .value\n // and .done properties off the next function object itself. This\n // also ensures that the minifier will not anonymize the function.\n next.done = true;\n return next;\n };\n };\n\n function values(iterable) {\n if (iterable) {\n var iteratorMethod = iterable[iteratorSymbol];\n if (iteratorMethod) {\n return iteratorMethod.call(iterable);\n }\n\n if (typeof iterable.next === \"function\") {\n return iterable;\n }\n\n if (!isNaN(iterable.length)) {\n var i = -1, next = function next() {\n while (++i < iterable.length) {\n if (hasOwn.call(iterable, i)) {\n next.value = iterable[i];\n next.done = false;\n return next;\n }\n }\n\n next.value = undefined;\n next.done = true;\n\n return next;\n };\n\n return next.next = next;\n }\n }\n\n // Return an iterator with no values.\n return { next: doneResult };\n }\n exports.values = values;\n\n function doneResult() {\n return { value: undefined, done: true };\n }\n\n Context.prototype = {\n constructor: Context,\n\n reset: function(skipTempReset) {\n this.prev = 0;\n this.next = 0;\n // Resetting context._sent for legacy support of Babel's\n // function.sent implementation.\n this.sent = this._sent = undefined;\n this.done = false;\n this.delegate = null;\n\n this.method = \"next\";\n this.arg = undefined;\n\n this.tryEntries.forEach(resetTryEntry);\n\n if (!skipTempReset) {\n for (var name in this) {\n // Not sure about the optimal order of these conditions:\n if (name.charAt(0) === \"t\" &&\n hasOwn.call(this, name) &&\n !isNaN(+name.slice(1))) {\n this[name] = undefined;\n }\n }\n }\n },\n\n stop: function() {\n this.done = true;\n\n var rootEntry = this.tryEntries[0];\n var rootRecord = rootEntry.completion;\n if (rootRecord.type === \"throw\") {\n throw rootRecord.arg;\n }\n\n return this.rval;\n },\n\n dispatchException: function(exception) {\n if (this.done) {\n throw exception;\n }\n\n var context = this;\n function handle(loc, caught) {\n record.type = \"throw\";\n record.arg = exception;\n context.next = loc;\n\n if (caught) {\n // If the dispatched exception was caught by a catch block,\n // then let that catch block handle the exception normally.\n context.method = \"next\";\n context.arg = undefined;\n }\n\n return !! caught;\n }\n\n for (var i = this.tryEntries.length - 1; i >= 0; --i) {\n var entry = this.tryEntries[i];\n var record = entry.completion;\n\n if (entry.tryLoc === \"root\") {\n // Exception thrown outside of any try block that could handle\n // it, so set the completion value of the entire function to\n // throw the exception.\n return handle(\"end\");\n }\n\n if (entry.tryLoc <= this.prev) {\n var hasCatch = hasOwn.call(entry, \"catchLoc\");\n var hasFinally = hasOwn.call(entry, \"finallyLoc\");\n\n if (hasCatch && hasFinally) {\n if (this.prev < entry.catchLoc) {\n return handle(entry.catchLoc, true);\n } else if (this.prev < entry.finallyLoc) {\n return handle(entry.finallyLoc);\n }\n\n } else if (hasCatch) {\n if (this.prev < entry.catchLoc) {\n return handle(entry.catchLoc, true);\n }\n\n } else if (hasFinally) {\n if (this.prev < entry.finallyLoc) {\n return handle(entry.finallyLoc);\n }\n\n } else {\n throw new Error(\"try statement without catch or finally\");\n }\n }\n }\n },\n\n abrupt: function(type, arg) {\n for (var i = this.tryEntries.length - 1; i >= 0; --i) {\n var entry = this.tryEntries[i];\n if (entry.tryLoc <= this.prev &&\n hasOwn.call(entry, \"finallyLoc\") &&\n this.prev < entry.finallyLoc) {\n var finallyEntry = entry;\n break;\n }\n }\n\n if (finallyEntry &&\n (type === \"break\" ||\n type === \"continue\") &&\n finallyEntry.tryLoc <= arg &&\n arg <= finallyEntry.finallyLoc) {\n // Ignore the finally entry if control is not jumping to a\n // location outside the try/catch block.\n finallyEntry = null;\n }\n\n var record = finallyEntry ? finallyEntry.completion : {};\n record.type = type;\n record.arg = arg;\n\n if (finallyEntry) {\n this.method = \"next\";\n this.next = finallyEntry.finallyLoc;\n return ContinueSentinel;\n }\n\n return this.complete(record);\n },\n\n complete: function(record, afterLoc) {\n if (record.type === \"throw\") {\n throw record.arg;\n }\n\n if (record.type === \"break\" ||\n record.type === \"continue\") {\n this.next = record.arg;\n } else if (record.type === \"return\") {\n this.rval = this.arg = record.arg;\n this.method = \"return\";\n this.next = \"end\";\n } else if (record.type === \"normal\" && afterLoc) {\n this.next = afterLoc;\n }\n\n return ContinueSentinel;\n },\n\n finish: function(finallyLoc) {\n for (var i = this.tryEntries.length - 1; i >= 0; --i) {\n var entry = this.tryEntries[i];\n if (entry.finallyLoc === finallyLoc) {\n this.complete(entry.completion, entry.afterLoc);\n resetTryEntry(entry);\n return ContinueSentinel;\n }\n }\n },\n\n \"catch\": function(tryLoc) {\n for (var i = this.tryEntries.length - 1; i >= 0; --i) {\n var entry = this.tryEntries[i];\n if (entry.tryLoc === tryLoc) {\n var record = entry.completion;\n if (record.type === \"throw\") {\n var thrown = record.arg;\n resetTryEntry(entry);\n }\n return thrown;\n }\n }\n\n // The context.catch method must only be called with a location\n // argument that corresponds to a known catch block.\n throw new Error(\"illegal catch attempt\");\n },\n\n delegateYield: function(iterable, resultName, nextLoc) {\n this.delegate = {\n iterator: values(iterable),\n resultName: resultName,\n nextLoc: nextLoc\n };\n\n if (this.method === \"next\") {\n // Deliberately forget the last sent value so that we don't\n // accidentally pass it on to the delegate.\n this.arg = undefined;\n }\n\n return ContinueSentinel;\n }\n };\n\n // Regardless of whether this script is executing as a CommonJS module\n // or not, return the runtime object so that we can declare the variable\n // regeneratorRuntime in the outer scope, which allows this module to be\n // injected easily by `bin/regenerator --include-runtime script.js`.\n return exports;\n\n}(\n // If this script is executing as a CommonJS module, use module.exports\n // as the regeneratorRuntime namespace. Otherwise create a new empty\n // object. Either way, the resulting object will be used to initialize\n // the regeneratorRuntime variable at the top of this file.\n typeof module === \"object\" ? module.exports : {}\n));\n\ntry {\n regeneratorRuntime = runtime;\n} catch (accidentalStrictMode) {\n // This module should not be running in strict mode, so the above\n // assignment should always work unless something is misconfigured. Just\n // in case runtime.js accidentally runs in strict mode, we can escape\n // strict mode using a global Function call. This could conceivably fail\n // if a Content Security Policy forbids using Function, but in that case\n // the proper solution is to fix the accidental strict mode problem. If\n // you've misconfigured your bundler to force strict mode and applied a\n // CSP to forbid Function, and you're not willing to fix either of those\n // problems, please detail your unique predicament in a GitHub issue.\n Function(\"r\", \"regeneratorRuntime = r\")(runtime);\n}\n"],"sourceRoot":""}