{"version":3,"sources":["node_modules/@firebase/util/dist/index.esm2017.js","node_modules/@firebase/component/dist/esm/index.esm2017.js","node_modules/@firebase/logger/dist/esm/index.esm2017.js","node_modules/idb/build/wrap-idb-value.js","node_modules/idb/build/index.js","node_modules/@firebase/app/dist/esm/index.esm2017.js","node_modules/firebase/app/dist/esm/index.esm.js","node_modules/@angular/fire/fesm2022/angular-fire.mjs","node_modules/@angular/fire/fesm2022/angular-fire-app.mjs","node_modules/@firebase/installations/dist/esm/index.esm2017.js","node_modules/@firebase/messaging/dist/esm/index.esm2017.js","node_modules/@angular/fire/fesm2022/angular-fire-messaging.mjs","src/app/services/notifications/fcm.service.ts","src/app/store/communication/communication.actions.ts","src/app/store/communication/communication.service.ts","src/app/store/communication/communication.state.ts"],"sourcesContent":["/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * @fileoverview Firebase constants. Some of these (@defines) can be overridden at compile-time.\n */\nconst CONSTANTS = {\n /**\n * @define {boolean} Whether this is the client Node.js SDK.\n */\n NODE_CLIENT: false,\n /**\n * @define {boolean} Whether this is the Admin Node.js SDK.\n */\n NODE_ADMIN: false,\n /**\n * Firebase SDK Version\n */\n SDK_VERSION: '${JSCORE_VERSION}'\n};\n\n/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Throws an error if the provided assertion is falsy\n */\nconst assert = function (assertion, message) {\n if (!assertion) {\n throw assertionError(message);\n }\n};\n/**\n * Returns an Error object suitable for throwing.\n */\nconst assertionError = function (message) {\n return new Error('Firebase Database (' + CONSTANTS.SDK_VERSION + ') INTERNAL ASSERT FAILED: ' + message);\n};\n\n/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nconst stringToByteArray$1 = function (str) {\n // TODO(user): Use native implementations if/when available\n const out = [];\n let p = 0;\n for (let i = 0; i < str.length; i++) {\n let c = str.charCodeAt(i);\n if (c < 128) {\n out[p++] = c;\n } else if (c < 2048) {\n out[p++] = c >> 6 | 192;\n out[p++] = c & 63 | 128;\n } else if ((c & 0xfc00) === 0xd800 && i + 1 < str.length && (str.charCodeAt(i + 1) & 0xfc00) === 0xdc00) {\n // Surrogate Pair\n c = 0x10000 + ((c & 0x03ff) << 10) + (str.charCodeAt(++i) & 0x03ff);\n out[p++] = c >> 18 | 240;\n out[p++] = c >> 12 & 63 | 128;\n out[p++] = c >> 6 & 63 | 128;\n out[p++] = c & 63 | 128;\n } else {\n out[p++] = c >> 12 | 224;\n out[p++] = c >> 6 & 63 | 128;\n out[p++] = c & 63 | 128;\n }\n }\n return out;\n};\n/**\n * Turns an array of numbers into the string given by the concatenation of the\n * characters to which the numbers correspond.\n * @param bytes Array of numbers representing characters.\n * @return Stringification of the array.\n */\nconst byteArrayToString = function (bytes) {\n // TODO(user): Use native implementations if/when available\n const out = [];\n let pos = 0,\n c = 0;\n while (pos < bytes.length) {\n const c1 = bytes[pos++];\n if (c1 < 128) {\n out[c++] = String.fromCharCode(c1);\n } else if (c1 > 191 && c1 < 224) {\n const c2 = bytes[pos++];\n out[c++] = String.fromCharCode((c1 & 31) << 6 | c2 & 63);\n } else if (c1 > 239 && c1 < 365) {\n // Surrogate Pair\n const c2 = bytes[pos++];\n const c3 = bytes[pos++];\n const c4 = bytes[pos++];\n const u = ((c1 & 7) << 18 | (c2 & 63) << 12 | (c3 & 63) << 6 | c4 & 63) - 0x10000;\n out[c++] = String.fromCharCode(0xd800 + (u >> 10));\n out[c++] = String.fromCharCode(0xdc00 + (u & 1023));\n } else {\n const c2 = bytes[pos++];\n const c3 = bytes[pos++];\n out[c++] = String.fromCharCode((c1 & 15) << 12 | (c2 & 63) << 6 | c3 & 63);\n }\n }\n return out.join('');\n};\n// We define it as an object literal instead of a class because a class compiled down to es5 can't\n// be treeshaked. https://github.com/rollup/rollup/issues/1691\n// Static lookup maps, lazily populated by init_()\n// TODO(dlarocque): Define this as a class, since we no longer target ES5.\nconst base64 = {\n /**\n * Maps bytes to characters.\n */\n byteToCharMap_: null,\n /**\n * Maps characters to bytes.\n */\n charToByteMap_: null,\n /**\n * Maps bytes to websafe characters.\n * @private\n */\n byteToCharMapWebSafe_: null,\n /**\n * Maps websafe characters to bytes.\n * @private\n */\n charToByteMapWebSafe_: null,\n /**\n * Our default alphabet, shared between\n * ENCODED_VALS and ENCODED_VALS_WEBSAFE\n */\n ENCODED_VALS_BASE: 'ABCDEFGHIJKLMNOPQRSTUVWXYZ' + 'abcdefghijklmnopqrstuvwxyz' + '0123456789',\n /**\n * Our default alphabet. Value 64 (=) is special; it means \"nothing.\"\n */\n get ENCODED_VALS() {\n return this.ENCODED_VALS_BASE + '+/=';\n },\n /**\n * Our websafe alphabet.\n */\n get ENCODED_VALS_WEBSAFE() {\n return this.ENCODED_VALS_BASE + '-_.';\n },\n /**\n * Whether this browser supports the atob and btoa functions. This extension\n * started at Mozilla but is now implemented by many browsers. We use the\n * ASSUME_* variables to avoid pulling in the full useragent detection library\n * but still allowing the standard per-browser compilations.\n *\n */\n HAS_NATIVE_SUPPORT: typeof atob === 'function',\n /**\n * Base64-encode an array of bytes.\n *\n * @param input An array of bytes (numbers with\n * value in [0, 255]) to encode.\n * @param webSafe Boolean indicating we should use the\n * alternative alphabet.\n * @return The base64 encoded string.\n */\n encodeByteArray(input, webSafe) {\n if (!Array.isArray(input)) {\n throw Error('encodeByteArray takes an array as a parameter');\n }\n this.init_();\n const byteToCharMap = webSafe ? this.byteToCharMapWebSafe_ : this.byteToCharMap_;\n const output = [];\n for (let i = 0; i < input.length; i += 3) {\n const byte1 = input[i];\n const haveByte2 = i + 1 < input.length;\n const byte2 = haveByte2 ? input[i + 1] : 0;\n const haveByte3 = i + 2 < input.length;\n const byte3 = haveByte3 ? input[i + 2] : 0;\n const outByte1 = byte1 >> 2;\n const outByte2 = (byte1 & 0x03) << 4 | byte2 >> 4;\n let outByte3 = (byte2 & 0x0f) << 2 | byte3 >> 6;\n let outByte4 = byte3 & 0x3f;\n if (!haveByte3) {\n outByte4 = 64;\n if (!haveByte2) {\n outByte3 = 64;\n }\n }\n output.push(byteToCharMap[outByte1], byteToCharMap[outByte2], byteToCharMap[outByte3], byteToCharMap[outByte4]);\n }\n return output.join('');\n },\n /**\n * Base64-encode a string.\n *\n * @param input A string to encode.\n * @param webSafe If true, we should use the\n * alternative alphabet.\n * @return The base64 encoded string.\n */\n encodeString(input, webSafe) {\n // Shortcut for Mozilla browsers that implement\n // a native base64 encoder in the form of \"btoa/atob\"\n if (this.HAS_NATIVE_SUPPORT && !webSafe) {\n return btoa(input);\n }\n return this.encodeByteArray(stringToByteArray$1(input), webSafe);\n },\n /**\n * Base64-decode a string.\n *\n * @param input to decode.\n * @param webSafe True if we should use the\n * alternative alphabet.\n * @return string representing the decoded value.\n */\n decodeString(input, webSafe) {\n // Shortcut for Mozilla browsers that implement\n // a native base64 encoder in the form of \"btoa/atob\"\n if (this.HAS_NATIVE_SUPPORT && !webSafe) {\n return atob(input);\n }\n return byteArrayToString(this.decodeStringToByteArray(input, webSafe));\n },\n /**\n * Base64-decode a string.\n *\n * In base-64 decoding, groups of four characters are converted into three\n * bytes. If the encoder did not apply padding, the input length may not\n * be a multiple of 4.\n *\n * In this case, the last group will have fewer than 4 characters, and\n * padding will be inferred. If the group has one or two characters, it decodes\n * to one byte. If the group has three characters, it decodes to two bytes.\n *\n * @param input Input to decode.\n * @param webSafe True if we should use the web-safe alphabet.\n * @return bytes representing the decoded value.\n */\n decodeStringToByteArray(input, webSafe) {\n this.init_();\n const charToByteMap = webSafe ? this.charToByteMapWebSafe_ : this.charToByteMap_;\n const output = [];\n for (let i = 0; i < input.length;) {\n const byte1 = charToByteMap[input.charAt(i++)];\n const haveByte2 = i < input.length;\n const byte2 = haveByte2 ? charToByteMap[input.charAt(i)] : 0;\n ++i;\n const haveByte3 = i < input.length;\n const byte3 = haveByte3 ? charToByteMap[input.charAt(i)] : 64;\n ++i;\n const haveByte4 = i < input.length;\n const byte4 = haveByte4 ? charToByteMap[input.charAt(i)] : 64;\n ++i;\n if (byte1 == null || byte2 == null || byte3 == null || byte4 == null) {\n throw new DecodeBase64StringError();\n }\n const outByte1 = byte1 << 2 | byte2 >> 4;\n output.push(outByte1);\n if (byte3 !== 64) {\n const outByte2 = byte2 << 4 & 0xf0 | byte3 >> 2;\n output.push(outByte2);\n if (byte4 !== 64) {\n const outByte3 = byte3 << 6 & 0xc0 | byte4;\n output.push(outByte3);\n }\n }\n }\n return output;\n },\n /**\n * Lazy static initialization function. Called before\n * accessing any of the static map variables.\n * @private\n */\n init_() {\n if (!this.byteToCharMap_) {\n this.byteToCharMap_ = {};\n this.charToByteMap_ = {};\n this.byteToCharMapWebSafe_ = {};\n this.charToByteMapWebSafe_ = {};\n // We want quick mappings back and forth, so we precompute two maps.\n for (let i = 0; i < this.ENCODED_VALS.length; i++) {\n this.byteToCharMap_[i] = this.ENCODED_VALS.charAt(i);\n this.charToByteMap_[this.byteToCharMap_[i]] = i;\n this.byteToCharMapWebSafe_[i] = this.ENCODED_VALS_WEBSAFE.charAt(i);\n this.charToByteMapWebSafe_[this.byteToCharMapWebSafe_[i]] = i;\n // Be forgiving when decoding and correctly decode both encodings.\n if (i >= this.ENCODED_VALS_BASE.length) {\n this.charToByteMap_[this.ENCODED_VALS_WEBSAFE.charAt(i)] = i;\n this.charToByteMapWebSafe_[this.ENCODED_VALS.charAt(i)] = i;\n }\n }\n }\n }\n};\n/**\n * An error encountered while decoding base64 string.\n */\nclass DecodeBase64StringError extends Error {\n constructor() {\n super(...arguments);\n this.name = 'DecodeBase64StringError';\n }\n}\n/**\n * URL-safe base64 encoding\n */\nconst base64Encode = function (str) {\n const utf8Bytes = stringToByteArray$1(str);\n return base64.encodeByteArray(utf8Bytes, true);\n};\n/**\n * URL-safe base64 encoding (without \".\" padding in the end).\n * e.g. Used in JSON Web Token (JWT) parts.\n */\nconst base64urlEncodeWithoutPadding = function (str) {\n // Use base64url encoding and remove padding in the end (dot characters).\n return base64Encode(str).replace(/\\./g, '');\n};\n/**\n * URL-safe base64 decoding\n *\n * NOTE: DO NOT use the global atob() function - it does NOT support the\n * base64Url variant encoding.\n *\n * @param str To be decoded\n * @return Decoded result, if possible\n */\nconst base64Decode = function (str) {\n try {\n return base64.decodeString(str, true);\n } catch (e) {\n console.error('base64Decode failed: ', e);\n }\n return null;\n};\n\n/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Do a deep-copy of basic JavaScript Objects or Arrays.\n */\nfunction deepCopy(value) {\n return deepExtend(undefined, value);\n}\n/**\n * Copy properties from source to target (recursively allows extension\n * of Objects and Arrays). Scalar values in the target are over-written.\n * If target is undefined, an object of the appropriate type will be created\n * (and returned).\n *\n * We recursively copy all child properties of plain Objects in the source- so\n * that namespace- like dictionaries are merged.\n *\n * Note that the target can be a function, in which case the properties in\n * the source Object are copied onto it as static properties of the Function.\n *\n * Note: we don't merge __proto__ to prevent prototype pollution\n */\nfunction deepExtend(target, source) {\n if (!(source instanceof Object)) {\n return source;\n }\n switch (source.constructor) {\n case Date:\n // Treat Dates like scalars; if the target date object had any child\n // properties - they will be lost!\n const dateValue = source;\n return new Date(dateValue.getTime());\n case Object:\n if (target === undefined) {\n target = {};\n }\n break;\n case Array:\n // Always copy the array source and overwrite the target.\n target = [];\n break;\n default:\n // Not a plain Object - treat it as a scalar.\n return source;\n }\n for (const prop in source) {\n // use isValidKey to guard against prototype pollution. See https://snyk.io/vuln/SNYK-JS-LODASH-450202\n if (!source.hasOwnProperty(prop) || !isValidKey(prop)) {\n continue;\n }\n target[prop] = deepExtend(target[prop], source[prop]);\n }\n return target;\n}\nfunction isValidKey(key) {\n return key !== '__proto__';\n}\n\n/**\n * @license\n * Copyright 2022 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Polyfill for `globalThis` object.\n * @returns the `globalThis` object for the given environment.\n * @public\n */\nfunction getGlobal() {\n if (typeof self !== 'undefined') {\n return self;\n }\n if (typeof window !== 'undefined') {\n return window;\n }\n if (typeof global !== 'undefined') {\n return global;\n }\n throw new Error('Unable to locate global object.');\n}\n\n/**\n * @license\n * Copyright 2022 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nconst getDefaultsFromGlobal = () => getGlobal().__FIREBASE_DEFAULTS__;\n/**\n * Attempt to read defaults from a JSON string provided to\n * process(.)env(.)__FIREBASE_DEFAULTS__ or a JSON file whose path is in\n * process(.)env(.)__FIREBASE_DEFAULTS_PATH__\n * The dots are in parens because certain compilers (Vite?) cannot\n * handle seeing that variable in comments.\n * See https://github.com/firebase/firebase-js-sdk/issues/6838\n */\nconst getDefaultsFromEnvVariable = () => {\n if (typeof process === 'undefined' || typeof process.env === 'undefined') {\n return;\n }\n const defaultsJsonString = process.env.__FIREBASE_DEFAULTS__;\n if (defaultsJsonString) {\n return JSON.parse(defaultsJsonString);\n }\n};\nconst getDefaultsFromCookie = () => {\n if (typeof document === 'undefined') {\n return;\n }\n let match;\n try {\n match = document.cookie.match(/__FIREBASE_DEFAULTS__=([^;]+)/);\n } catch (e) {\n // Some environments such as Angular Universal SSR have a\n // `document` object but error on accessing `document.cookie`.\n return;\n }\n const decoded = match && base64Decode(match[1]);\n return decoded && JSON.parse(decoded);\n};\n/**\n * Get the __FIREBASE_DEFAULTS__ object. It checks in order:\n * (1) if such an object exists as a property of `globalThis`\n * (2) if such an object was provided on a shell environment variable\n * (3) if such an object exists in a cookie\n * @public\n */\nconst getDefaults = () => {\n try {\n return getDefaultsFromGlobal() || getDefaultsFromEnvVariable() || getDefaultsFromCookie();\n } catch (e) {\n /**\n * Catch-all for being unable to get __FIREBASE_DEFAULTS__ due\n * to any environment case we have not accounted for. Log to\n * info instead of swallowing so we can find these unknown cases\n * and add paths for them if needed.\n */\n console.info(`Unable to get __FIREBASE_DEFAULTS__ due to: ${e}`);\n return;\n }\n};\n/**\n * Returns emulator host stored in the __FIREBASE_DEFAULTS__ object\n * for the given product.\n * @returns a URL host formatted like `127.0.0.1:9999` or `[::1]:4000` if available\n * @public\n */\nconst getDefaultEmulatorHost = productName => {\n var _a, _b;\n return (_b = (_a = getDefaults()) === null || _a === void 0 ? void 0 : _a.emulatorHosts) === null || _b === void 0 ? void 0 : _b[productName];\n};\n/**\n * Returns emulator hostname and port stored in the __FIREBASE_DEFAULTS__ object\n * for the given product.\n * @returns a pair of hostname and port like `[\"::1\", 4000]` if available\n * @public\n */\nconst getDefaultEmulatorHostnameAndPort = productName => {\n const host = getDefaultEmulatorHost(productName);\n if (!host) {\n return undefined;\n }\n const separatorIndex = host.lastIndexOf(':'); // Finding the last since IPv6 addr also has colons.\n if (separatorIndex <= 0 || separatorIndex + 1 === host.length) {\n throw new Error(`Invalid host ${host} with no separate hostname and port!`);\n }\n // eslint-disable-next-line no-restricted-globals\n const port = parseInt(host.substring(separatorIndex + 1), 10);\n if (host[0] === '[') {\n // Bracket-quoted `[ipv6addr]:port` => return \"ipv6addr\" (without brackets).\n return [host.substring(1, separatorIndex - 1), port];\n } else {\n return [host.substring(0, separatorIndex), port];\n }\n};\n/**\n * Returns Firebase app config stored in the __FIREBASE_DEFAULTS__ object.\n * @public\n */\nconst getDefaultAppConfig = () => {\n var _a;\n return (_a = getDefaults()) === null || _a === void 0 ? void 0 : _a.config;\n};\n/**\n * Returns an experimental setting on the __FIREBASE_DEFAULTS__ object (properties\n * prefixed by \"_\")\n * @public\n */\nconst getExperimentalSetting = name => {\n var _a;\n return (_a = getDefaults()) === null || _a === void 0 ? void 0 : _a[`_${name}`];\n};\n\n/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nclass Deferred {\n constructor() {\n this.reject = () => {};\n this.resolve = () => {};\n this.promise = new Promise((resolve, reject) => {\n this.resolve = resolve;\n this.reject = reject;\n });\n }\n /**\n * Our API internals are not promisified and cannot because our callback APIs have subtle expectations around\n * invoking promises inline, which Promises are forbidden to do. This method accepts an optional node-style callback\n * and returns a node-style callback which will resolve or reject the Deferred's promise.\n */\n wrapCallback(callback) {\n return (error, value) => {\n if (error) {\n this.reject(error);\n } else {\n this.resolve(value);\n }\n if (typeof callback === 'function') {\n // Attaching noop handler just in case developer wasn't expecting\n // promises\n this.promise.catch(() => {});\n // Some of our callbacks don't expect a value and our own tests\n // assert that the parameter length is 1\n if (callback.length === 1) {\n callback(error);\n } else {\n callback(error, value);\n }\n }\n };\n }\n}\n\n/**\n * @license\n * Copyright 2021 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nfunction createMockUserToken(token, projectId) {\n if (token.uid) {\n throw new Error('The \"uid\" field is no longer supported by mockUserToken. Please use \"sub\" instead for Firebase Auth User ID.');\n }\n // Unsecured JWTs use \"none\" as the algorithm.\n const header = {\n alg: 'none',\n type: 'JWT'\n };\n const project = projectId || 'demo-project';\n const iat = token.iat || 0;\n const sub = token.sub || token.user_id;\n if (!sub) {\n throw new Error(\"mockUserToken must contain 'sub' or 'user_id' field!\");\n }\n const payload = Object.assign({\n // Set all required fields to decent defaults\n iss: `https://securetoken.google.com/${project}`,\n aud: project,\n iat,\n exp: iat + 3600,\n auth_time: iat,\n sub,\n user_id: sub,\n firebase: {\n sign_in_provider: 'custom',\n identities: {}\n }\n }, token);\n // Unsecured JWTs use the empty string as a signature.\n const signature = '';\n return [base64urlEncodeWithoutPadding(JSON.stringify(header)), base64urlEncodeWithoutPadding(JSON.stringify(payload)), signature].join('.');\n}\n\n/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Returns navigator.userAgent string or '' if it's not defined.\n * @return user agent string\n */\nfunction getUA() {\n if (typeof navigator !== 'undefined' && typeof navigator['userAgent'] === 'string') {\n return navigator['userAgent'];\n } else {\n return '';\n }\n}\n/**\n * Detect Cordova / PhoneGap / Ionic frameworks on a mobile device.\n *\n * Deliberately does not rely on checking `file://` URLs (as this fails PhoneGap\n * in the Ripple emulator) nor Cordova `onDeviceReady`, which would normally\n * wait for a callback.\n */\nfunction isMobileCordova() {\n return typeof window !== 'undefined' &&\n // @ts-ignore Setting up an broadly applicable index signature for Window\n // just to deal with this case would probably be a bad idea.\n !!(window['cordova'] || window['phonegap'] || window['PhoneGap']) && /ios|iphone|ipod|ipad|android|blackberry|iemobile/i.test(getUA());\n}\n/**\n * Detect Node.js.\n *\n * @return true if Node.js environment is detected or specified.\n */\n// Node detection logic from: https://github.com/iliakan/detect-node/\nfunction isNode() {\n var _a;\n const forceEnvironment = (_a = getDefaults()) === null || _a === void 0 ? void 0 : _a.forceEnvironment;\n if (forceEnvironment === 'node') {\n return true;\n } else if (forceEnvironment === 'browser') {\n return false;\n }\n try {\n return Object.prototype.toString.call(global.process) === '[object process]';\n } catch (e) {\n return false;\n }\n}\n/**\n * Detect Browser Environment.\n * Note: This will return true for certain test frameworks that are incompletely\n * mimicking a browser, and should not lead to assuming all browser APIs are\n * available.\n */\nfunction isBrowser() {\n return typeof window !== 'undefined' || isWebWorker();\n}\n/**\n * Detect Web Worker context.\n */\nfunction isWebWorker() {\n return typeof WorkerGlobalScope !== 'undefined' && typeof self !== 'undefined' && self instanceof WorkerGlobalScope;\n}\n/**\n * Detect Cloudflare Worker context.\n */\nfunction isCloudflareWorker() {\n return typeof navigator !== 'undefined' && navigator.userAgent === 'Cloudflare-Workers';\n}\nfunction isBrowserExtension() {\n const runtime = typeof chrome === 'object' ? chrome.runtime : typeof browser === 'object' ? browser.runtime : undefined;\n return typeof runtime === 'object' && runtime.id !== undefined;\n}\n/**\n * Detect React Native.\n *\n * @return true if ReactNative environment is detected.\n */\nfunction isReactNative() {\n return typeof navigator === 'object' && navigator['product'] === 'ReactNative';\n}\n/** Detects Electron apps. */\nfunction isElectron() {\n return getUA().indexOf('Electron/') >= 0;\n}\n/** Detects Internet Explorer. */\nfunction isIE() {\n const ua = getUA();\n return ua.indexOf('MSIE ') >= 0 || ua.indexOf('Trident/') >= 0;\n}\n/** Detects Universal Windows Platform apps. */\nfunction isUWP() {\n return getUA().indexOf('MSAppHost/') >= 0;\n}\n/**\n * Detect whether the current SDK build is the Node version.\n *\n * @return true if it's the Node SDK build.\n */\nfunction isNodeSdk() {\n return CONSTANTS.NODE_CLIENT === true || CONSTANTS.NODE_ADMIN === true;\n}\n/** Returns true if we are running in Safari. */\nfunction isSafari() {\n return !isNode() && !!navigator.userAgent && navigator.userAgent.includes('Safari') && !navigator.userAgent.includes('Chrome');\n}\n/**\n * This method checks if indexedDB is supported by current browser/service worker context\n * @return true if indexedDB is supported by current browser/service worker context\n */\nfunction isIndexedDBAvailable() {\n try {\n return typeof indexedDB === 'object';\n } catch (e) {\n return false;\n }\n}\n/**\n * This method validates browser/sw context for indexedDB by opening a dummy indexedDB database and reject\n * if errors occur during the database open operation.\n *\n * @throws exception if current browser/sw context can't run idb.open (ex: Safari iframe, Firefox\n * private browsing)\n */\nfunction validateIndexedDBOpenable() {\n return new Promise((resolve, reject) => {\n try {\n let preExist = true;\n const DB_CHECK_NAME = 'validate-browser-context-for-indexeddb-analytics-module';\n const request = self.indexedDB.open(DB_CHECK_NAME);\n request.onsuccess = () => {\n request.result.close();\n // delete database only when it doesn't pre-exist\n if (!preExist) {\n self.indexedDB.deleteDatabase(DB_CHECK_NAME);\n }\n resolve(true);\n };\n request.onupgradeneeded = () => {\n preExist = false;\n };\n request.onerror = () => {\n var _a;\n reject(((_a = request.error) === null || _a === void 0 ? void 0 : _a.message) || '');\n };\n } catch (error) {\n reject(error);\n }\n });\n}\n/**\n *\n * This method checks whether cookie is enabled within current browser\n * @return true if cookie is enabled within current browser\n */\nfunction areCookiesEnabled() {\n if (typeof navigator === 'undefined' || !navigator.cookieEnabled) {\n return false;\n }\n return true;\n}\n\n/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * @fileoverview Standardized Firebase Error.\n *\n * Usage:\n *\n * // TypeScript string literals for type-safe codes\n * type Err =\n * 'unknown' |\n * 'object-not-found'\n * ;\n *\n * // Closure enum for type-safe error codes\n * // at-enum {string}\n * var Err = {\n * UNKNOWN: 'unknown',\n * OBJECT_NOT_FOUND: 'object-not-found',\n * }\n *\n * let errors: Map = {\n * 'generic-error': \"Unknown error\",\n * 'file-not-found': \"Could not find file: {$file}\",\n * };\n *\n * // Type-safe function - must pass a valid error code as param.\n * let error = new ErrorFactory('service', 'Service', errors);\n *\n * ...\n * throw error.create(Err.GENERIC);\n * ...\n * throw error.create(Err.FILE_NOT_FOUND, {'file': fileName});\n * ...\n * // Service: Could not file file: foo.txt (service/file-not-found).\n *\n * catch (e) {\n * assert(e.message === \"Could not find file: foo.txt.\");\n * if ((e as FirebaseError)?.code === 'service/file-not-found') {\n * console.log(\"Could not read file: \" + e['file']);\n * }\n * }\n */\nconst ERROR_NAME = 'FirebaseError';\n// Based on code from:\n// https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Error#Custom_Error_Types\nclass FirebaseError extends Error {\n constructor(/** The error code for this error. */\n code, message, /** Custom data for this error. */\n customData) {\n super(message);\n this.code = code;\n this.customData = customData;\n /** The custom name for all FirebaseErrors. */\n this.name = ERROR_NAME;\n // Fix For ES5\n // https://github.com/Microsoft/TypeScript-wiki/blob/master/Breaking-Changes.md#extending-built-ins-like-error-array-and-map-may-no-longer-work\n // TODO(dlarocque): Replace this with `new.target`: https://www.typescriptlang.org/docs/handbook/release-notes/typescript-2-2.html#support-for-newtarget\n // which we can now use since we no longer target ES5.\n Object.setPrototypeOf(this, FirebaseError.prototype);\n // Maintains proper stack trace for where our error was thrown.\n // Only available on V8.\n if (Error.captureStackTrace) {\n Error.captureStackTrace(this, ErrorFactory.prototype.create);\n }\n }\n}\nclass ErrorFactory {\n constructor(service, serviceName, errors) {\n this.service = service;\n this.serviceName = serviceName;\n this.errors = errors;\n }\n create(code, ...data) {\n const customData = data[0] || {};\n const fullCode = `${this.service}/${code}`;\n const template = this.errors[code];\n const message = template ? replaceTemplate(template, customData) : 'Error';\n // Service Name: Error message (service/code).\n const fullMessage = `${this.serviceName}: ${message} (${fullCode}).`;\n const error = new FirebaseError(fullCode, fullMessage, customData);\n return error;\n }\n}\nfunction replaceTemplate(template, data) {\n return template.replace(PATTERN, (_, key) => {\n const value = data[key];\n return value != null ? String(value) : `<${key}?>`;\n });\n}\nconst PATTERN = /\\{\\$([^}]+)}/g;\n\n/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Evaluates a JSON string into a javascript object.\n *\n * @param {string} str A string containing JSON.\n * @return {*} The javascript object representing the specified JSON.\n */\nfunction jsonEval(str) {\n return JSON.parse(str);\n}\n/**\n * Returns JSON representing a javascript object.\n * @param {*} data JavaScript object to be stringified.\n * @return {string} The JSON contents of the object.\n */\nfunction stringify(data) {\n return JSON.stringify(data);\n}\n\n/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Decodes a Firebase auth. token into constituent parts.\n *\n * Notes:\n * - May return with invalid / incomplete claims if there's no native base64 decoding support.\n * - Doesn't check if the token is actually valid.\n */\nconst decode = function (token) {\n let header = {},\n claims = {},\n data = {},\n signature = '';\n try {\n const parts = token.split('.');\n header = jsonEval(base64Decode(parts[0]) || '');\n claims = jsonEval(base64Decode(parts[1]) || '');\n signature = parts[2];\n data = claims['d'] || {};\n delete claims['d'];\n } catch (e) {}\n return {\n header,\n claims,\n data,\n signature\n };\n};\n/**\n * Decodes a Firebase auth. token and checks the validity of its time-based claims. Will return true if the\n * token is within the time window authorized by the 'nbf' (not-before) and 'iat' (issued-at) claims.\n *\n * Notes:\n * - May return a false negative if there's no native base64 decoding support.\n * - Doesn't check if the token is actually valid.\n */\nconst isValidTimestamp = function (token) {\n const claims = decode(token).claims;\n const now = Math.floor(new Date().getTime() / 1000);\n let validSince = 0,\n validUntil = 0;\n if (typeof claims === 'object') {\n if (claims.hasOwnProperty('nbf')) {\n validSince = claims['nbf'];\n } else if (claims.hasOwnProperty('iat')) {\n validSince = claims['iat'];\n }\n if (claims.hasOwnProperty('exp')) {\n validUntil = claims['exp'];\n } else {\n // token will expire after 24h by default\n validUntil = validSince + 86400;\n }\n }\n return !!now && !!validSince && !!validUntil && now >= validSince && now <= validUntil;\n};\n/**\n * Decodes a Firebase auth. token and returns its issued at time if valid, null otherwise.\n *\n * Notes:\n * - May return null if there's no native base64 decoding support.\n * - Doesn't check if the token is actually valid.\n */\nconst issuedAtTime = function (token) {\n const claims = decode(token).claims;\n if (typeof claims === 'object' && claims.hasOwnProperty('iat')) {\n return claims['iat'];\n }\n return null;\n};\n/**\n * Decodes a Firebase auth. token and checks the validity of its format. Expects a valid issued-at time.\n *\n * Notes:\n * - May return a false negative if there's no native base64 decoding support.\n * - Doesn't check if the token is actually valid.\n */\nconst isValidFormat = function (token) {\n const decoded = decode(token),\n claims = decoded.claims;\n return !!claims && typeof claims === 'object' && claims.hasOwnProperty('iat');\n};\n/**\n * Attempts to peer into an auth token and determine if it's an admin auth token by looking at the claims portion.\n *\n * Notes:\n * - May return a false negative if there's no native base64 decoding support.\n * - Doesn't check if the token is actually valid.\n */\nconst isAdmin = function (token) {\n const claims = decode(token).claims;\n return typeof claims === 'object' && claims['admin'] === true;\n};\n\n/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nfunction contains(obj, key) {\n return Object.prototype.hasOwnProperty.call(obj, key);\n}\nfunction safeGet(obj, key) {\n if (Object.prototype.hasOwnProperty.call(obj, key)) {\n return obj[key];\n } else {\n return undefined;\n }\n}\nfunction isEmpty(obj) {\n for (const key in obj) {\n if (Object.prototype.hasOwnProperty.call(obj, key)) {\n return false;\n }\n }\n return true;\n}\nfunction map(obj, fn, contextObj) {\n const res = {};\n for (const key in obj) {\n if (Object.prototype.hasOwnProperty.call(obj, key)) {\n res[key] = fn.call(contextObj, obj[key], key, obj);\n }\n }\n return res;\n}\n/**\n * Deep equal two objects. Support Arrays and Objects.\n */\nfunction deepEqual(a, b) {\n if (a === b) {\n return true;\n }\n const aKeys = Object.keys(a);\n const bKeys = Object.keys(b);\n for (const k of aKeys) {\n if (!bKeys.includes(k)) {\n return false;\n }\n const aProp = a[k];\n const bProp = b[k];\n if (isObject(aProp) && isObject(bProp)) {\n if (!deepEqual(aProp, bProp)) {\n return false;\n }\n } else if (aProp !== bProp) {\n return false;\n }\n }\n for (const k of bKeys) {\n if (!aKeys.includes(k)) {\n return false;\n }\n }\n return true;\n}\nfunction isObject(thing) {\n return thing !== null && typeof thing === 'object';\n}\n\n/**\n * @license\n * Copyright 2022 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Rejects if the given promise doesn't resolve in timeInMS milliseconds.\n * @internal\n */\nfunction promiseWithTimeout(promise, timeInMS = 2000) {\n const deferredPromise = new Deferred();\n setTimeout(() => deferredPromise.reject('timeout!'), timeInMS);\n promise.then(deferredPromise.resolve, deferredPromise.reject);\n return deferredPromise.promise;\n}\n\n/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Returns a querystring-formatted string (e.g. &arg=val&arg2=val2) from a\n * params object (e.g. {arg: 'val', arg2: 'val2'})\n * Note: You must prepend it with ? when adding it to a URL.\n */\nfunction querystring(querystringParams) {\n const params = [];\n for (const [key, value] of Object.entries(querystringParams)) {\n if (Array.isArray(value)) {\n value.forEach(arrayVal => {\n params.push(encodeURIComponent(key) + '=' + encodeURIComponent(arrayVal));\n });\n } else {\n params.push(encodeURIComponent(key) + '=' + encodeURIComponent(value));\n }\n }\n return params.length ? '&' + params.join('&') : '';\n}\n/**\n * Decodes a querystring (e.g. ?arg=val&arg2=val2) into a params object\n * (e.g. {arg: 'val', arg2: 'val2'})\n */\nfunction querystringDecode(querystring) {\n const obj = {};\n const tokens = querystring.replace(/^\\?/, '').split('&');\n tokens.forEach(token => {\n if (token) {\n const [key, value] = token.split('=');\n obj[decodeURIComponent(key)] = decodeURIComponent(value);\n }\n });\n return obj;\n}\n/**\n * Extract the query string part of a URL, including the leading question mark (if present).\n */\nfunction extractQuerystring(url) {\n const queryStart = url.indexOf('?');\n if (!queryStart) {\n return '';\n }\n const fragmentStart = url.indexOf('#', queryStart);\n return url.substring(queryStart, fragmentStart > 0 ? fragmentStart : undefined);\n}\n\n/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * @fileoverview SHA-1 cryptographic hash.\n * Variable names follow the notation in FIPS PUB 180-3:\n * http://csrc.nist.gov/publications/fips/fips180-3/fips180-3_final.pdf.\n *\n * Usage:\n * var sha1 = new sha1();\n * sha1.update(bytes);\n * var hash = sha1.digest();\n *\n * Performance:\n * Chrome 23: ~400 Mbit/s\n * Firefox 16: ~250 Mbit/s\n *\n */\n/**\n * SHA-1 cryptographic hash constructor.\n *\n * The properties declared here are discussed in the above algorithm document.\n * @constructor\n * @final\n * @struct\n */\nclass Sha1 {\n constructor() {\n /**\n * Holds the previous values of accumulated variables a-e in the compress_\n * function.\n * @private\n */\n this.chain_ = [];\n /**\n * A buffer holding the partially computed hash result.\n * @private\n */\n this.buf_ = [];\n /**\n * An array of 80 bytes, each a part of the message to be hashed. Referred to\n * as the message schedule in the docs.\n * @private\n */\n this.W_ = [];\n /**\n * Contains data needed to pad messages less than 64 bytes.\n * @private\n */\n this.pad_ = [];\n /**\n * @private {number}\n */\n this.inbuf_ = 0;\n /**\n * @private {number}\n */\n this.total_ = 0;\n this.blockSize = 512 / 8;\n this.pad_[0] = 128;\n for (let i = 1; i < this.blockSize; ++i) {\n this.pad_[i] = 0;\n }\n this.reset();\n }\n reset() {\n this.chain_[0] = 0x67452301;\n this.chain_[1] = 0xefcdab89;\n this.chain_[2] = 0x98badcfe;\n this.chain_[3] = 0x10325476;\n this.chain_[4] = 0xc3d2e1f0;\n this.inbuf_ = 0;\n this.total_ = 0;\n }\n /**\n * Internal compress helper function.\n * @param buf Block to compress.\n * @param offset Offset of the block in the buffer.\n * @private\n */\n compress_(buf, offset) {\n if (!offset) {\n offset = 0;\n }\n const W = this.W_;\n // get 16 big endian words\n if (typeof buf === 'string') {\n for (let i = 0; i < 16; i++) {\n // TODO(user): [bug 8140122] Recent versions of Safari for Mac OS and iOS\n // have a bug that turns the post-increment ++ operator into pre-increment\n // during JIT compilation. We have code that depends heavily on SHA-1 for\n // correctness and which is affected by this bug, so I've removed all uses\n // of post-increment ++ in which the result value is used. We can revert\n // this change once the Safari bug\n // (https://bugs.webkit.org/show_bug.cgi?id=109036) has been fixed and\n // most clients have been updated.\n W[i] = buf.charCodeAt(offset) << 24 | buf.charCodeAt(offset + 1) << 16 | buf.charCodeAt(offset + 2) << 8 | buf.charCodeAt(offset + 3);\n offset += 4;\n }\n } else {\n for (let i = 0; i < 16; i++) {\n W[i] = buf[offset] << 24 | buf[offset + 1] << 16 | buf[offset + 2] << 8 | buf[offset + 3];\n offset += 4;\n }\n }\n // expand to 80 words\n for (let i = 16; i < 80; i++) {\n const t = W[i - 3] ^ W[i - 8] ^ W[i - 14] ^ W[i - 16];\n W[i] = (t << 1 | t >>> 31) & 0xffffffff;\n }\n let a = this.chain_[0];\n let b = this.chain_[1];\n let c = this.chain_[2];\n let d = this.chain_[3];\n let e = this.chain_[4];\n let f, k;\n // TODO(user): Try to unroll this loop to speed up the computation.\n for (let i = 0; i < 80; i++) {\n if (i < 40) {\n if (i < 20) {\n f = d ^ b & (c ^ d);\n k = 0x5a827999;\n } else {\n f = b ^ c ^ d;\n k = 0x6ed9eba1;\n }\n } else {\n if (i < 60) {\n f = b & c | d & (b | c);\n k = 0x8f1bbcdc;\n } else {\n f = b ^ c ^ d;\n k = 0xca62c1d6;\n }\n }\n const t = (a << 5 | a >>> 27) + f + e + k + W[i] & 0xffffffff;\n e = d;\n d = c;\n c = (b << 30 | b >>> 2) & 0xffffffff;\n b = a;\n a = t;\n }\n this.chain_[0] = this.chain_[0] + a & 0xffffffff;\n this.chain_[1] = this.chain_[1] + b & 0xffffffff;\n this.chain_[2] = this.chain_[2] + c & 0xffffffff;\n this.chain_[3] = this.chain_[3] + d & 0xffffffff;\n this.chain_[4] = this.chain_[4] + e & 0xffffffff;\n }\n update(bytes, length) {\n // TODO(johnlenz): tighten the function signature and remove this check\n if (bytes == null) {\n return;\n }\n if (length === undefined) {\n length = bytes.length;\n }\n const lengthMinusBlock = length - this.blockSize;\n let n = 0;\n // Using local instead of member variables gives ~5% speedup on Firefox 16.\n const buf = this.buf_;\n let inbuf = this.inbuf_;\n // The outer while loop should execute at most twice.\n while (n < length) {\n // When we have no data in the block to top up, we can directly process the\n // input buffer (assuming it contains sufficient data). This gives ~25%\n // speedup on Chrome 23 and ~15% speedup on Firefox 16, but requires that\n // the data is provided in large chunks (or in multiples of 64 bytes).\n if (inbuf === 0) {\n while (n <= lengthMinusBlock) {\n this.compress_(bytes, n);\n n += this.blockSize;\n }\n }\n if (typeof bytes === 'string') {\n while (n < length) {\n buf[inbuf] = bytes.charCodeAt(n);\n ++inbuf;\n ++n;\n if (inbuf === this.blockSize) {\n this.compress_(buf);\n inbuf = 0;\n // Jump to the outer loop so we use the full-block optimization.\n break;\n }\n }\n } else {\n while (n < length) {\n buf[inbuf] = bytes[n];\n ++inbuf;\n ++n;\n if (inbuf === this.blockSize) {\n this.compress_(buf);\n inbuf = 0;\n // Jump to the outer loop so we use the full-block optimization.\n break;\n }\n }\n }\n }\n this.inbuf_ = inbuf;\n this.total_ += length;\n }\n /** @override */\n digest() {\n const digest = [];\n let totalBits = this.total_ * 8;\n // Add pad 0x80 0x00*.\n if (this.inbuf_ < 56) {\n this.update(this.pad_, 56 - this.inbuf_);\n } else {\n this.update(this.pad_, this.blockSize - (this.inbuf_ - 56));\n }\n // Add # bits.\n for (let i = this.blockSize - 1; i >= 56; i--) {\n this.buf_[i] = totalBits & 255;\n totalBits /= 256; // Don't use bit-shifting here!\n }\n this.compress_(this.buf_);\n let n = 0;\n for (let i = 0; i < 5; i++) {\n for (let j = 24; j >= 0; j -= 8) {\n digest[n] = this.chain_[i] >> j & 255;\n ++n;\n }\n }\n return digest;\n }\n}\n\n/**\n * Helper to make a Subscribe function (just like Promise helps make a\n * Thenable).\n *\n * @param executor Function which can make calls to a single Observer\n * as a proxy.\n * @param onNoObservers Callback when count of Observers goes to zero.\n */\nfunction createSubscribe(executor, onNoObservers) {\n const proxy = new ObserverProxy(executor, onNoObservers);\n return proxy.subscribe.bind(proxy);\n}\n/**\n * Implement fan-out for any number of Observers attached via a subscribe\n * function.\n */\nclass ObserverProxy {\n /**\n * @param executor Function which can make calls to a single Observer\n * as a proxy.\n * @param onNoObservers Callback when count of Observers goes to zero.\n */\n constructor(executor, onNoObservers) {\n this.observers = [];\n this.unsubscribes = [];\n this.observerCount = 0;\n // Micro-task scheduling by calling task.then().\n this.task = Promise.resolve();\n this.finalized = false;\n this.onNoObservers = onNoObservers;\n // Call the executor asynchronously so subscribers that are called\n // synchronously after the creation of the subscribe function\n // can still receive the very first value generated in the executor.\n this.task.then(() => {\n executor(this);\n }).catch(e => {\n this.error(e);\n });\n }\n next(value) {\n this.forEachObserver(observer => {\n observer.next(value);\n });\n }\n error(error) {\n this.forEachObserver(observer => {\n observer.error(error);\n });\n this.close(error);\n }\n complete() {\n this.forEachObserver(observer => {\n observer.complete();\n });\n this.close();\n }\n /**\n * Subscribe function that can be used to add an Observer to the fan-out list.\n *\n * - We require that no event is sent to a subscriber synchronously to their\n * call to subscribe().\n */\n subscribe(nextOrObserver, error, complete) {\n let observer;\n if (nextOrObserver === undefined && error === undefined && complete === undefined) {\n throw new Error('Missing Observer.');\n }\n // Assemble an Observer object when passed as callback functions.\n if (implementsAnyMethods(nextOrObserver, ['next', 'error', 'complete'])) {\n observer = nextOrObserver;\n } else {\n observer = {\n next: nextOrObserver,\n error,\n complete\n };\n }\n if (observer.next === undefined) {\n observer.next = noop;\n }\n if (observer.error === undefined) {\n observer.error = noop;\n }\n if (observer.complete === undefined) {\n observer.complete = noop;\n }\n const unsub = this.unsubscribeOne.bind(this, this.observers.length);\n // Attempt to subscribe to a terminated Observable - we\n // just respond to the Observer with the final error or complete\n // event.\n if (this.finalized) {\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\n this.task.then(() => {\n try {\n if (this.finalError) {\n observer.error(this.finalError);\n } else {\n observer.complete();\n }\n } catch (e) {\n // nothing\n }\n return;\n });\n }\n this.observers.push(observer);\n return unsub;\n }\n // Unsubscribe is synchronous - we guarantee that no events are sent to\n // any unsubscribed Observer.\n unsubscribeOne(i) {\n if (this.observers === undefined || this.observers[i] === undefined) {\n return;\n }\n delete this.observers[i];\n this.observerCount -= 1;\n if (this.observerCount === 0 && this.onNoObservers !== undefined) {\n this.onNoObservers(this);\n }\n }\n forEachObserver(fn) {\n if (this.finalized) {\n // Already closed by previous event....just eat the additional values.\n return;\n }\n // Since sendOne calls asynchronously - there is no chance that\n // this.observers will become undefined.\n for (let i = 0; i < this.observers.length; i++) {\n this.sendOne(i, fn);\n }\n }\n // Call the Observer via one of it's callback function. We are careful to\n // confirm that the observe has not been unsubscribed since this asynchronous\n // function had been queued.\n sendOne(i, fn) {\n // Execute the callback asynchronously\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\n this.task.then(() => {\n if (this.observers !== undefined && this.observers[i] !== undefined) {\n try {\n fn(this.observers[i]);\n } catch (e) {\n // Ignore exceptions raised in Observers or missing methods of an\n // Observer.\n // Log error to console. b/31404806\n if (typeof console !== 'undefined' && console.error) {\n console.error(e);\n }\n }\n }\n });\n }\n close(err) {\n if (this.finalized) {\n return;\n }\n this.finalized = true;\n if (err !== undefined) {\n this.finalError = err;\n }\n // Proxy is no longer needed - garbage collect references\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\n this.task.then(() => {\n this.observers = undefined;\n this.onNoObservers = undefined;\n });\n }\n}\n/** Turn synchronous function into one called asynchronously. */\n// eslint-disable-next-line @typescript-eslint/ban-types\nfunction async(fn, onError) {\n return (...args) => {\n Promise.resolve(true).then(() => {\n fn(...args);\n }).catch(error => {\n if (onError) {\n onError(error);\n }\n });\n };\n}\n/**\n * Return true if the object passed in implements any of the named methods.\n */\nfunction implementsAnyMethods(obj, methods) {\n if (typeof obj !== 'object' || obj === null) {\n return false;\n }\n for (const method of methods) {\n if (method in obj && typeof obj[method] === 'function') {\n return true;\n }\n }\n return false;\n}\nfunction noop() {\n // do nothing\n}\n\n/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Check to make sure the appropriate number of arguments are provided for a public function.\n * Throws an error if it fails.\n *\n * @param fnName The function name\n * @param minCount The minimum number of arguments to allow for the function call\n * @param maxCount The maximum number of argument to allow for the function call\n * @param argCount The actual number of arguments provided.\n */\nconst validateArgCount = function (fnName, minCount, maxCount, argCount) {\n let argError;\n if (argCount < minCount) {\n argError = 'at least ' + minCount;\n } else if (argCount > maxCount) {\n argError = maxCount === 0 ? 'none' : 'no more than ' + maxCount;\n }\n if (argError) {\n const error = fnName + ' failed: Was called with ' + argCount + (argCount === 1 ? ' argument.' : ' arguments.') + ' Expects ' + argError + '.';\n throw new Error(error);\n }\n};\n/**\n * Generates a string to prefix an error message about failed argument validation\n *\n * @param fnName The function name\n * @param argName The name of the argument\n * @return The prefix to add to the error thrown for validation.\n */\nfunction errorPrefix(fnName, argName) {\n return `${fnName} failed: ${argName} argument `;\n}\n/**\n * @param fnName\n * @param argumentNumber\n * @param namespace\n * @param optional\n */\nfunction validateNamespace(fnName, namespace, optional) {\n if (optional && !namespace) {\n return;\n }\n if (typeof namespace !== 'string') {\n //TODO: I should do more validation here. We only allow certain chars in namespaces.\n throw new Error(errorPrefix(fnName, 'namespace') + 'must be a valid firebase namespace.');\n }\n}\nfunction validateCallback(fnName, argumentName,\n// eslint-disable-next-line @typescript-eslint/ban-types\ncallback, optional) {\n if (optional && !callback) {\n return;\n }\n if (typeof callback !== 'function') {\n throw new Error(errorPrefix(fnName, argumentName) + 'must be a valid function.');\n }\n}\nfunction validateContextObject(fnName, argumentName, context, optional) {\n if (optional && !context) {\n return;\n }\n if (typeof context !== 'object' || context === null) {\n throw new Error(errorPrefix(fnName, argumentName) + 'must be a valid context object.');\n }\n}\n\n/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n// Code originally came from goog.crypt.stringToUtf8ByteArray, but for some reason they\n// automatically replaced '\\r\\n' with '\\n', and they didn't handle surrogate pairs,\n// so it's been modified.\n// Note that not all Unicode characters appear as single characters in JavaScript strings.\n// fromCharCode returns the UTF-16 encoding of a character - so some Unicode characters\n// use 2 characters in JavaScript. All 4-byte UTF-8 characters begin with a first\n// character in the range 0xD800 - 0xDBFF (the first character of a so-called surrogate\n// pair).\n// See http://www.ecma-international.org/ecma-262/5.1/#sec-15.1.3\n/**\n * @param {string} str\n * @return {Array}\n */\nconst stringToByteArray = function (str) {\n const out = [];\n let p = 0;\n for (let i = 0; i < str.length; i++) {\n let c = str.charCodeAt(i);\n // Is this the lead surrogate in a surrogate pair?\n if (c >= 0xd800 && c <= 0xdbff) {\n const high = c - 0xd800; // the high 10 bits.\n i++;\n assert(i < str.length, 'Surrogate pair missing trail surrogate.');\n const low = str.charCodeAt(i) - 0xdc00; // the low 10 bits.\n c = 0x10000 + (high << 10) + low;\n }\n if (c < 128) {\n out[p++] = c;\n } else if (c < 2048) {\n out[p++] = c >> 6 | 192;\n out[p++] = c & 63 | 128;\n } else if (c < 65536) {\n out[p++] = c >> 12 | 224;\n out[p++] = c >> 6 & 63 | 128;\n out[p++] = c & 63 | 128;\n } else {\n out[p++] = c >> 18 | 240;\n out[p++] = c >> 12 & 63 | 128;\n out[p++] = c >> 6 & 63 | 128;\n out[p++] = c & 63 | 128;\n }\n }\n return out;\n};\n/**\n * Calculate length without actually converting; useful for doing cheaper validation.\n * @param {string} str\n * @return {number}\n */\nconst stringLength = function (str) {\n let p = 0;\n for (let i = 0; i < str.length; i++) {\n const c = str.charCodeAt(i);\n if (c < 128) {\n p++;\n } else if (c < 2048) {\n p += 2;\n } else if (c >= 0xd800 && c <= 0xdbff) {\n // Lead surrogate of a surrogate pair. The pair together will take 4 bytes to represent.\n p += 4;\n i++; // skip trail surrogate.\n } else {\n p += 3;\n }\n }\n return p;\n};\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * The amount of milliseconds to exponentially increase.\n */\nconst DEFAULT_INTERVAL_MILLIS = 1000;\n/**\n * The factor to backoff by.\n * Should be a number greater than 1.\n */\nconst DEFAULT_BACKOFF_FACTOR = 2;\n/**\n * The maximum milliseconds to increase to.\n *\n *

Visible for testing\n */\nconst MAX_VALUE_MILLIS = 4 * 60 * 60 * 1000; // Four hours, like iOS and Android.\n/**\n * The percentage of backoff time to randomize by.\n * See\n * http://go/safe-client-behavior#step-1-determine-the-appropriate-retry-interval-to-handle-spike-traffic\n * for context.\n *\n *

Visible for testing\n */\nconst RANDOM_FACTOR = 0.5;\n/**\n * Based on the backoff method from\n * https://github.com/google/closure-library/blob/master/closure/goog/math/exponentialbackoff.js.\n * Extracted here so we don't need to pass metadata and a stateful ExponentialBackoff object around.\n */\nfunction calculateBackoffMillis(backoffCount, intervalMillis = DEFAULT_INTERVAL_MILLIS, backoffFactor = DEFAULT_BACKOFF_FACTOR) {\n // Calculates an exponentially increasing value.\n // Deviation: calculates value from count and a constant interval, so we only need to save value\n // and count to restore state.\n const currBaseValue = intervalMillis * Math.pow(backoffFactor, backoffCount);\n // A random \"fuzz\" to avoid waves of retries.\n // Deviation: randomFactor is required.\n const randomWait = Math.round(\n // A fraction of the backoff value to add/subtract.\n // Deviation: changes multiplication order to improve readability.\n RANDOM_FACTOR * currBaseValue * (\n // A random float (rounded to int by Math.round above) in the range [-1, 1]. Determines\n // if we add or subtract.\n Math.random() - 0.5) * 2);\n // Limits backoff to max to avoid effectively permanent backoff.\n return Math.min(MAX_VALUE_MILLIS, currBaseValue + randomWait);\n}\n\n/**\n * @license\n * Copyright 2020 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Provide English ordinal letters after a number\n */\nfunction ordinal(i) {\n if (!Number.isFinite(i)) {\n return `${i}`;\n }\n return i + indicator(i);\n}\nfunction indicator(i) {\n i = Math.abs(i);\n const cent = i % 100;\n if (cent >= 10 && cent <= 20) {\n return 'th';\n }\n const dec = i % 10;\n if (dec === 1) {\n return 'st';\n }\n if (dec === 2) {\n return 'nd';\n }\n if (dec === 3) {\n return 'rd';\n }\n return 'th';\n}\n\n/**\n * @license\n * Copyright 2021 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nfunction getModularInstance(service) {\n if (service && service._delegate) {\n return service._delegate;\n } else {\n return service;\n }\n}\nexport { CONSTANTS, DecodeBase64StringError, Deferred, ErrorFactory, FirebaseError, MAX_VALUE_MILLIS, RANDOM_FACTOR, Sha1, areCookiesEnabled, assert, assertionError, async, base64, base64Decode, base64Encode, base64urlEncodeWithoutPadding, calculateBackoffMillis, contains, createMockUserToken, createSubscribe, decode, deepCopy, deepEqual, deepExtend, errorPrefix, extractQuerystring, getDefaultAppConfig, getDefaultEmulatorHost, getDefaultEmulatorHostnameAndPort, getDefaults, getExperimentalSetting, getGlobal, getModularInstance, getUA, isAdmin, isBrowser, isBrowserExtension, isCloudflareWorker, isElectron, isEmpty, isIE, isIndexedDBAvailable, isMobileCordova, isNode, isNodeSdk, isReactNative, isSafari, isUWP, isValidFormat, isValidTimestamp, isWebWorker, issuedAtTime, jsonEval, map, ordinal, promiseWithTimeout, querystring, querystringDecode, safeGet, stringLength, stringToByteArray, stringify, validateArgCount, validateCallback, validateContextObject, validateIndexedDBOpenable, validateNamespace };\n","import { Deferred } from '@firebase/util';\n\n/**\n * Component for service name T, e.g. `auth`, `auth-internal`\n */\nclass Component {\n /**\n *\n * @param name The public service name, e.g. app, auth, firestore, database\n * @param instanceFactory Service factory responsible for creating the public interface\n * @param type whether the service provided by the component is public or private\n */\n constructor(name, instanceFactory, type) {\n this.name = name;\n this.instanceFactory = instanceFactory;\n this.type = type;\n this.multipleInstances = false;\n /**\n * Properties to be added to the service namespace\n */\n this.serviceProps = {};\n this.instantiationMode = \"LAZY\" /* InstantiationMode.LAZY */;\n this.onInstanceCreated = null;\n }\n setInstantiationMode(mode) {\n this.instantiationMode = mode;\n return this;\n }\n setMultipleInstances(multipleInstances) {\n this.multipleInstances = multipleInstances;\n return this;\n }\n setServiceProps(props) {\n this.serviceProps = props;\n return this;\n }\n setInstanceCreatedCallback(callback) {\n this.onInstanceCreated = callback;\n return this;\n }\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nconst DEFAULT_ENTRY_NAME = '[DEFAULT]';\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Provider for instance for service name T, e.g. 'auth', 'auth-internal'\n * NameServiceMapping[T] is an alias for the type of the instance\n */\nclass Provider {\n constructor(name, container) {\n this.name = name;\n this.container = container;\n this.component = null;\n this.instances = new Map();\n this.instancesDeferred = new Map();\n this.instancesOptions = new Map();\n this.onInitCallbacks = new Map();\n }\n /**\n * @param identifier A provider can provide multiple instances of a service\n * if this.component.multipleInstances is true.\n */\n get(identifier) {\n // if multipleInstances is not supported, use the default name\n const normalizedIdentifier = this.normalizeInstanceIdentifier(identifier);\n if (!this.instancesDeferred.has(normalizedIdentifier)) {\n const deferred = new Deferred();\n this.instancesDeferred.set(normalizedIdentifier, deferred);\n if (this.isInitialized(normalizedIdentifier) || this.shouldAutoInitialize()) {\n // initialize the service if it can be auto-initialized\n try {\n const instance = this.getOrInitializeService({\n instanceIdentifier: normalizedIdentifier\n });\n if (instance) {\n deferred.resolve(instance);\n }\n } catch (e) {\n // when the instance factory throws an exception during get(), it should not cause\n // a fatal error. We just return the unresolved promise in this case.\n }\n }\n }\n return this.instancesDeferred.get(normalizedIdentifier).promise;\n }\n getImmediate(options) {\n var _a;\n // if multipleInstances is not supported, use the default name\n const normalizedIdentifier = this.normalizeInstanceIdentifier(options === null || options === void 0 ? void 0 : options.identifier);\n const optional = (_a = options === null || options === void 0 ? void 0 : options.optional) !== null && _a !== void 0 ? _a : false;\n if (this.isInitialized(normalizedIdentifier) || this.shouldAutoInitialize()) {\n try {\n return this.getOrInitializeService({\n instanceIdentifier: normalizedIdentifier\n });\n } catch (e) {\n if (optional) {\n return null;\n } else {\n throw e;\n }\n }\n } else {\n // In case a component is not initialized and should/cannot be auto-initialized at the moment, return null if the optional flag is set, or throw\n if (optional) {\n return null;\n } else {\n throw Error(`Service ${this.name} is not available`);\n }\n }\n }\n getComponent() {\n return this.component;\n }\n setComponent(component) {\n if (component.name !== this.name) {\n throw Error(`Mismatching Component ${component.name} for Provider ${this.name}.`);\n }\n if (this.component) {\n throw Error(`Component for ${this.name} has already been provided`);\n }\n this.component = component;\n // return early without attempting to initialize the component if the component requires explicit initialization (calling `Provider.initialize()`)\n if (!this.shouldAutoInitialize()) {\n return;\n }\n // if the service is eager, initialize the default instance\n if (isComponentEager(component)) {\n try {\n this.getOrInitializeService({\n instanceIdentifier: DEFAULT_ENTRY_NAME\n });\n } catch (e) {\n // when the instance factory for an eager Component throws an exception during the eager\n // initialization, it should not cause a fatal error.\n // TODO: Investigate if we need to make it configurable, because some component may want to cause\n // a fatal error in this case?\n }\n }\n // Create service instances for the pending promises and resolve them\n // NOTE: if this.multipleInstances is false, only the default instance will be created\n // and all promises with resolve with it regardless of the identifier.\n for (const [instanceIdentifier, instanceDeferred] of this.instancesDeferred.entries()) {\n const normalizedIdentifier = this.normalizeInstanceIdentifier(instanceIdentifier);\n try {\n // `getOrInitializeService()` should always return a valid instance since a component is guaranteed. use ! to make typescript happy.\n const instance = this.getOrInitializeService({\n instanceIdentifier: normalizedIdentifier\n });\n instanceDeferred.resolve(instance);\n } catch (e) {\n // when the instance factory throws an exception, it should not cause\n // a fatal error. We just leave the promise unresolved.\n }\n }\n }\n clearInstance(identifier = DEFAULT_ENTRY_NAME) {\n this.instancesDeferred.delete(identifier);\n this.instancesOptions.delete(identifier);\n this.instances.delete(identifier);\n }\n // app.delete() will call this method on every provider to delete the services\n // TODO: should we mark the provider as deleted?\n async delete() {\n const services = Array.from(this.instances.values());\n await Promise.all([...services.filter(service => 'INTERNAL' in service) // legacy services\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n .map(service => service.INTERNAL.delete()), ...services.filter(service => '_delete' in service) // modularized services\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n .map(service => service._delete())]);\n }\n isComponentSet() {\n return this.component != null;\n }\n isInitialized(identifier = DEFAULT_ENTRY_NAME) {\n return this.instances.has(identifier);\n }\n getOptions(identifier = DEFAULT_ENTRY_NAME) {\n return this.instancesOptions.get(identifier) || {};\n }\n initialize(opts = {}) {\n const {\n options = {}\n } = opts;\n const normalizedIdentifier = this.normalizeInstanceIdentifier(opts.instanceIdentifier);\n if (this.isInitialized(normalizedIdentifier)) {\n throw Error(`${this.name}(${normalizedIdentifier}) has already been initialized`);\n }\n if (!this.isComponentSet()) {\n throw Error(`Component ${this.name} has not been registered yet`);\n }\n const instance = this.getOrInitializeService({\n instanceIdentifier: normalizedIdentifier,\n options\n });\n // resolve any pending promise waiting for the service instance\n for (const [instanceIdentifier, instanceDeferred] of this.instancesDeferred.entries()) {\n const normalizedDeferredIdentifier = this.normalizeInstanceIdentifier(instanceIdentifier);\n if (normalizedIdentifier === normalizedDeferredIdentifier) {\n instanceDeferred.resolve(instance);\n }\n }\n return instance;\n }\n /**\n *\n * @param callback - a function that will be invoked after the provider has been initialized by calling provider.initialize().\n * The function is invoked SYNCHRONOUSLY, so it should not execute any longrunning tasks in order to not block the program.\n *\n * @param identifier An optional instance identifier\n * @returns a function to unregister the callback\n */\n onInit(callback, identifier) {\n var _a;\n const normalizedIdentifier = this.normalizeInstanceIdentifier(identifier);\n const existingCallbacks = (_a = this.onInitCallbacks.get(normalizedIdentifier)) !== null && _a !== void 0 ? _a : new Set();\n existingCallbacks.add(callback);\n this.onInitCallbacks.set(normalizedIdentifier, existingCallbacks);\n const existingInstance = this.instances.get(normalizedIdentifier);\n if (existingInstance) {\n callback(existingInstance, normalizedIdentifier);\n }\n return () => {\n existingCallbacks.delete(callback);\n };\n }\n /**\n * Invoke onInit callbacks synchronously\n * @param instance the service instance`\n */\n invokeOnInitCallbacks(instance, identifier) {\n const callbacks = this.onInitCallbacks.get(identifier);\n if (!callbacks) {\n return;\n }\n for (const callback of callbacks) {\n try {\n callback(instance, identifier);\n } catch (_a) {\n // ignore errors in the onInit callback\n }\n }\n }\n getOrInitializeService({\n instanceIdentifier,\n options = {}\n }) {\n let instance = this.instances.get(instanceIdentifier);\n if (!instance && this.component) {\n instance = this.component.instanceFactory(this.container, {\n instanceIdentifier: normalizeIdentifierForFactory(instanceIdentifier),\n options\n });\n this.instances.set(instanceIdentifier, instance);\n this.instancesOptions.set(instanceIdentifier, options);\n /**\n * Invoke onInit listeners.\n * Note this.component.onInstanceCreated is different, which is used by the component creator,\n * while onInit listeners are registered by consumers of the provider.\n */\n this.invokeOnInitCallbacks(instance, instanceIdentifier);\n /**\n * Order is important\n * onInstanceCreated() should be called after this.instances.set(instanceIdentifier, instance); which\n * makes `isInitialized()` return true.\n */\n if (this.component.onInstanceCreated) {\n try {\n this.component.onInstanceCreated(this.container, instanceIdentifier, instance);\n } catch (_a) {\n // ignore errors in the onInstanceCreatedCallback\n }\n }\n }\n return instance || null;\n }\n normalizeInstanceIdentifier(identifier = DEFAULT_ENTRY_NAME) {\n if (this.component) {\n return this.component.multipleInstances ? identifier : DEFAULT_ENTRY_NAME;\n } else {\n return identifier; // assume multiple instances are supported before the component is provided.\n }\n }\n shouldAutoInitialize() {\n return !!this.component && this.component.instantiationMode !== \"EXPLICIT\" /* InstantiationMode.EXPLICIT */;\n }\n}\n// undefined should be passed to the service factory for the default instance\nfunction normalizeIdentifierForFactory(identifier) {\n return identifier === DEFAULT_ENTRY_NAME ? undefined : identifier;\n}\nfunction isComponentEager(component) {\n return component.instantiationMode === \"EAGER\" /* InstantiationMode.EAGER */;\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * ComponentContainer that provides Providers for service name T, e.g. `auth`, `auth-internal`\n */\nclass ComponentContainer {\n constructor(name) {\n this.name = name;\n this.providers = new Map();\n }\n /**\n *\n * @param component Component being added\n * @param overwrite When a component with the same name has already been registered,\n * if overwrite is true: overwrite the existing component with the new component and create a new\n * provider with the new component. It can be useful in tests where you want to use different mocks\n * for different tests.\n * if overwrite is false: throw an exception\n */\n addComponent(component) {\n const provider = this.getProvider(component.name);\n if (provider.isComponentSet()) {\n throw new Error(`Component ${component.name} has already been registered with ${this.name}`);\n }\n provider.setComponent(component);\n }\n addOrOverwriteComponent(component) {\n const provider = this.getProvider(component.name);\n if (provider.isComponentSet()) {\n // delete the existing provider from the container, so we can register the new component\n this.providers.delete(component.name);\n }\n this.addComponent(component);\n }\n /**\n * getProvider provides a type safe interface where it can only be called with a field name\n * present in NameServiceMapping interface.\n *\n * Firebase SDKs providing services should extend NameServiceMapping interface to register\n * themselves.\n */\n getProvider(name) {\n if (this.providers.has(name)) {\n return this.providers.get(name);\n }\n // create a Provider for a service that hasn't registered with Firebase\n const provider = new Provider(name, this);\n this.providers.set(name, provider);\n return provider;\n }\n getProviders() {\n return Array.from(this.providers.values());\n }\n}\nexport { Component, ComponentContainer, Provider };\n","/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * A container for all of the Logger instances\n */\nconst instances = [];\n/**\n * The JS SDK supports 5 log levels and also allows a user the ability to\n * silence the logs altogether.\n *\n * The order is a follows:\n * DEBUG < VERBOSE < INFO < WARN < ERROR\n *\n * All of the log types above the current log level will be captured (i.e. if\n * you set the log level to `INFO`, errors will still be logged, but `DEBUG` and\n * `VERBOSE` logs will not)\n */\nvar LogLevel = /*#__PURE__*/function (LogLevel) {\n LogLevel[LogLevel[\"DEBUG\"] = 0] = \"DEBUG\";\n LogLevel[LogLevel[\"VERBOSE\"] = 1] = \"VERBOSE\";\n LogLevel[LogLevel[\"INFO\"] = 2] = \"INFO\";\n LogLevel[LogLevel[\"WARN\"] = 3] = \"WARN\";\n LogLevel[LogLevel[\"ERROR\"] = 4] = \"ERROR\";\n LogLevel[LogLevel[\"SILENT\"] = 5] = \"SILENT\";\n return LogLevel;\n}(LogLevel || {});\nconst levelStringToEnum = {\n 'debug': LogLevel.DEBUG,\n 'verbose': LogLevel.VERBOSE,\n 'info': LogLevel.INFO,\n 'warn': LogLevel.WARN,\n 'error': LogLevel.ERROR,\n 'silent': LogLevel.SILENT\n};\n/**\n * The default log level\n */\nconst defaultLogLevel = LogLevel.INFO;\n/**\n * By default, `console.debug` is not displayed in the developer console (in\n * chrome). To avoid forcing users to have to opt-in to these logs twice\n * (i.e. once for firebase, and once in the console), we are sending `DEBUG`\n * logs to the `console.log` function.\n */\nconst ConsoleMethod = {\n [LogLevel.DEBUG]: 'log',\n [LogLevel.VERBOSE]: 'log',\n [LogLevel.INFO]: 'info',\n [LogLevel.WARN]: 'warn',\n [LogLevel.ERROR]: 'error'\n};\n/**\n * The default log handler will forward DEBUG, VERBOSE, INFO, WARN, and ERROR\n * messages on to their corresponding console counterparts (if the log method\n * is supported by the current log level)\n */\nconst defaultLogHandler = (instance, logType, ...args) => {\n if (logType < instance.logLevel) {\n return;\n }\n const now = new Date().toISOString();\n const method = ConsoleMethod[logType];\n if (method) {\n console[method](`[${now}] ${instance.name}:`, ...args);\n } else {\n throw new Error(`Attempted to log a message with an invalid logType (value: ${logType})`);\n }\n};\nclass Logger {\n /**\n * Gives you an instance of a Logger to capture messages according to\n * Firebase's logging scheme.\n *\n * @param name The name that the logs will be associated with\n */\n constructor(name) {\n this.name = name;\n /**\n * The log level of the given Logger instance.\n */\n this._logLevel = defaultLogLevel;\n /**\n * The main (internal) log handler for the Logger instance.\n * Can be set to a new function in internal package code but not by user.\n */\n this._logHandler = defaultLogHandler;\n /**\n * The optional, additional, user-defined log handler for the Logger instance.\n */\n this._userLogHandler = null;\n /**\n * Capture the current instance for later use\n */\n instances.push(this);\n }\n get logLevel() {\n return this._logLevel;\n }\n set logLevel(val) {\n if (!(val in LogLevel)) {\n throw new TypeError(`Invalid value \"${val}\" assigned to \\`logLevel\\``);\n }\n this._logLevel = val;\n }\n // Workaround for setter/getter having to be the same type.\n setLogLevel(val) {\n this._logLevel = typeof val === 'string' ? levelStringToEnum[val] : val;\n }\n get logHandler() {\n return this._logHandler;\n }\n set logHandler(val) {\n if (typeof val !== 'function') {\n throw new TypeError('Value assigned to `logHandler` must be a function');\n }\n this._logHandler = val;\n }\n get userLogHandler() {\n return this._userLogHandler;\n }\n set userLogHandler(val) {\n this._userLogHandler = val;\n }\n /**\n * The functions below are all based on the `console` interface\n */\n debug(...args) {\n this._userLogHandler && this._userLogHandler(this, LogLevel.DEBUG, ...args);\n this._logHandler(this, LogLevel.DEBUG, ...args);\n }\n log(...args) {\n this._userLogHandler && this._userLogHandler(this, LogLevel.VERBOSE, ...args);\n this._logHandler(this, LogLevel.VERBOSE, ...args);\n }\n info(...args) {\n this._userLogHandler && this._userLogHandler(this, LogLevel.INFO, ...args);\n this._logHandler(this, LogLevel.INFO, ...args);\n }\n warn(...args) {\n this._userLogHandler && this._userLogHandler(this, LogLevel.WARN, ...args);\n this._logHandler(this, LogLevel.WARN, ...args);\n }\n error(...args) {\n this._userLogHandler && this._userLogHandler(this, LogLevel.ERROR, ...args);\n this._logHandler(this, LogLevel.ERROR, ...args);\n }\n}\nfunction setLogLevel(level) {\n instances.forEach(inst => {\n inst.setLogLevel(level);\n });\n}\nfunction setUserLogHandler(logCallback, options) {\n for (const instance of instances) {\n let customLogLevel = null;\n if (options && options.level) {\n customLogLevel = levelStringToEnum[options.level];\n }\n if (logCallback === null) {\n instance.userLogHandler = null;\n } else {\n instance.userLogHandler = (instance, level, ...args) => {\n const message = args.map(arg => {\n if (arg == null) {\n return null;\n } else if (typeof arg === 'string') {\n return arg;\n } else if (typeof arg === 'number' || typeof arg === 'boolean') {\n return arg.toString();\n } else if (arg instanceof Error) {\n return arg.message;\n } else {\n try {\n return JSON.stringify(arg);\n } catch (ignored) {\n return null;\n }\n }\n }).filter(arg => arg).join(' ');\n if (level >= (customLogLevel !== null && customLogLevel !== void 0 ? customLogLevel : instance.logLevel)) {\n logCallback({\n level: LogLevel[level].toLowerCase(),\n message,\n args,\n type: instance.name\n });\n }\n };\n }\n }\n}\nexport { LogLevel, Logger, setLogLevel, setUserLogHandler };\n","const instanceOfAny = (object, constructors) => constructors.some(c => object instanceof c);\nlet idbProxyableTypes;\nlet cursorAdvanceMethods;\n// This is a function to prevent it throwing up in node environments.\nfunction getIdbProxyableTypes() {\n return idbProxyableTypes || (idbProxyableTypes = [IDBDatabase, IDBObjectStore, IDBIndex, IDBCursor, IDBTransaction]);\n}\n// This is a function to prevent it throwing up in node environments.\nfunction getCursorAdvanceMethods() {\n return cursorAdvanceMethods || (cursorAdvanceMethods = [IDBCursor.prototype.advance, IDBCursor.prototype.continue, IDBCursor.prototype.continuePrimaryKey]);\n}\nconst cursorRequestMap = new WeakMap();\nconst transactionDoneMap = new WeakMap();\nconst transactionStoreNamesMap = new WeakMap();\nconst transformCache = new WeakMap();\nconst reverseTransformCache = new WeakMap();\nfunction promisifyRequest(request) {\n const promise = new Promise((resolve, reject) => {\n const unlisten = () => {\n request.removeEventListener('success', success);\n request.removeEventListener('error', error);\n };\n const success = () => {\n resolve(wrap(request.result));\n unlisten();\n };\n const error = () => {\n reject(request.error);\n unlisten();\n };\n request.addEventListener('success', success);\n request.addEventListener('error', error);\n });\n promise.then(value => {\n // Since cursoring reuses the IDBRequest (*sigh*), we cache it for later retrieval\n // (see wrapFunction).\n if (value instanceof IDBCursor) {\n cursorRequestMap.set(value, request);\n }\n // Catching to avoid \"Uncaught Promise exceptions\"\n }).catch(() => {});\n // This mapping exists in reverseTransformCache but doesn't doesn't exist in transformCache. This\n // is because we create many promises from a single IDBRequest.\n reverseTransformCache.set(promise, request);\n return promise;\n}\nfunction cacheDonePromiseForTransaction(tx) {\n // Early bail if we've already created a done promise for this transaction.\n if (transactionDoneMap.has(tx)) return;\n const done = new Promise((resolve, reject) => {\n const unlisten = () => {\n tx.removeEventListener('complete', complete);\n tx.removeEventListener('error', error);\n tx.removeEventListener('abort', error);\n };\n const complete = () => {\n resolve();\n unlisten();\n };\n const error = () => {\n reject(tx.error || new DOMException('AbortError', 'AbortError'));\n unlisten();\n };\n tx.addEventListener('complete', complete);\n tx.addEventListener('error', error);\n tx.addEventListener('abort', error);\n });\n // Cache it for later retrieval.\n transactionDoneMap.set(tx, done);\n}\nlet idbProxyTraps = {\n get(target, prop, receiver) {\n if (target instanceof IDBTransaction) {\n // Special handling for transaction.done.\n if (prop === 'done') return transactionDoneMap.get(target);\n // Polyfill for objectStoreNames because of Edge.\n if (prop === 'objectStoreNames') {\n return target.objectStoreNames || transactionStoreNamesMap.get(target);\n }\n // Make tx.store return the only store in the transaction, or undefined if there are many.\n if (prop === 'store') {\n return receiver.objectStoreNames[1] ? undefined : receiver.objectStore(receiver.objectStoreNames[0]);\n }\n }\n // Else transform whatever we get back.\n return wrap(target[prop]);\n },\n set(target, prop, value) {\n target[prop] = value;\n return true;\n },\n has(target, prop) {\n if (target instanceof IDBTransaction && (prop === 'done' || prop === 'store')) {\n return true;\n }\n return prop in target;\n }\n};\nfunction replaceTraps(callback) {\n idbProxyTraps = callback(idbProxyTraps);\n}\nfunction wrapFunction(func) {\n // Due to expected object equality (which is enforced by the caching in `wrap`), we\n // only create one new func per func.\n // Edge doesn't support objectStoreNames (booo), so we polyfill it here.\n if (func === IDBDatabase.prototype.transaction && !('objectStoreNames' in IDBTransaction.prototype)) {\n return function (storeNames, ...args) {\n const tx = func.call(unwrap(this), storeNames, ...args);\n transactionStoreNamesMap.set(tx, storeNames.sort ? storeNames.sort() : [storeNames]);\n return wrap(tx);\n };\n }\n // Cursor methods are special, as the behaviour is a little more different to standard IDB. In\n // IDB, you advance the cursor and wait for a new 'success' on the IDBRequest that gave you the\n // cursor. It's kinda like a promise that can resolve with many values. That doesn't make sense\n // with real promises, so each advance methods returns a new promise for the cursor object, or\n // undefined if the end of the cursor has been reached.\n if (getCursorAdvanceMethods().includes(func)) {\n return function (...args) {\n // Calling the original function with the proxy as 'this' causes ILLEGAL INVOCATION, so we use\n // the original object.\n func.apply(unwrap(this), args);\n return wrap(cursorRequestMap.get(this));\n };\n }\n return function (...args) {\n // Calling the original function with the proxy as 'this' causes ILLEGAL INVOCATION, so we use\n // the original object.\n return wrap(func.apply(unwrap(this), args));\n };\n}\nfunction transformCachableValue(value) {\n if (typeof value === 'function') return wrapFunction(value);\n // This doesn't return, it just creates a 'done' promise for the transaction,\n // which is later returned for transaction.done (see idbObjectHandler).\n if (value instanceof IDBTransaction) cacheDonePromiseForTransaction(value);\n if (instanceOfAny(value, getIdbProxyableTypes())) return new Proxy(value, idbProxyTraps);\n // Return the same value back if we're not going to transform it.\n return value;\n}\nfunction wrap(value) {\n // We sometimes generate multiple promises from a single IDBRequest (eg when cursoring), because\n // IDB is weird and a single IDBRequest can yield many responses, so these can't be cached.\n if (value instanceof IDBRequest) return promisifyRequest(value);\n // If we've already transformed this value before, reuse the transformed value.\n // This is faster, but it also provides object equality.\n if (transformCache.has(value)) return transformCache.get(value);\n const newValue = transformCachableValue(value);\n // Not all types are transformed.\n // These may be primitive types, so they can't be WeakMap keys.\n if (newValue !== value) {\n transformCache.set(value, newValue);\n reverseTransformCache.set(newValue, value);\n }\n return newValue;\n}\nconst unwrap = value => reverseTransformCache.get(value);\nexport { reverseTransformCache as a, instanceOfAny as i, replaceTraps as r, unwrap as u, wrap as w };","import { w as wrap, r as replaceTraps } from './wrap-idb-value.js';\nexport { u as unwrap, w as wrap } from './wrap-idb-value.js';\n\n/**\n * Open a database.\n *\n * @param name Name of the database.\n * @param version Schema version.\n * @param callbacks Additional callbacks.\n */\nfunction openDB(name, version, {\n blocked,\n upgrade,\n blocking,\n terminated\n} = {}) {\n const request = indexedDB.open(name, version);\n const openPromise = wrap(request);\n if (upgrade) {\n request.addEventListener('upgradeneeded', event => {\n upgrade(wrap(request.result), event.oldVersion, event.newVersion, wrap(request.transaction), event);\n });\n }\n if (blocked) {\n request.addEventListener('blocked', event => blocked(\n // Casting due to https://github.com/microsoft/TypeScript-DOM-lib-generator/pull/1405\n event.oldVersion, event.newVersion, event));\n }\n openPromise.then(db => {\n if (terminated) db.addEventListener('close', () => terminated());\n if (blocking) {\n db.addEventListener('versionchange', event => blocking(event.oldVersion, event.newVersion, event));\n }\n }).catch(() => {});\n return openPromise;\n}\n/**\n * Delete a database.\n *\n * @param name Name of the database.\n */\nfunction deleteDB(name, {\n blocked\n} = {}) {\n const request = indexedDB.deleteDatabase(name);\n if (blocked) {\n request.addEventListener('blocked', event => blocked(\n // Casting due to https://github.com/microsoft/TypeScript-DOM-lib-generator/pull/1405\n event.oldVersion, event));\n }\n return wrap(request).then(() => undefined);\n}\nconst readMethods = ['get', 'getKey', 'getAll', 'getAllKeys', 'count'];\nconst writeMethods = ['put', 'add', 'delete', 'clear'];\nconst cachedMethods = new Map();\nfunction getMethod(target, prop) {\n if (!(target instanceof IDBDatabase && !(prop in target) && typeof prop === 'string')) {\n return;\n }\n if (cachedMethods.get(prop)) return cachedMethods.get(prop);\n const targetFuncName = prop.replace(/FromIndex$/, '');\n const useIndex = prop !== targetFuncName;\n const isWrite = writeMethods.includes(targetFuncName);\n if (\n // Bail if the target doesn't exist on the target. Eg, getAll isn't in Edge.\n !(targetFuncName in (useIndex ? IDBIndex : IDBObjectStore).prototype) || !(isWrite || readMethods.includes(targetFuncName))) {\n return;\n }\n const method = async function (storeName, ...args) {\n // isWrite ? 'readwrite' : undefined gzipps better, but fails in Edge :(\n const tx = this.transaction(storeName, isWrite ? 'readwrite' : 'readonly');\n let target = tx.store;\n if (useIndex) target = target.index(args.shift());\n // Must reject if op rejects.\n // If it's a write operation, must reject if tx.done rejects.\n // Must reject with op rejection first.\n // Must resolve with op value.\n // Must handle both promises (no unhandled rejections)\n return (await Promise.all([target[targetFuncName](...args), isWrite && tx.done]))[0];\n };\n cachedMethods.set(prop, method);\n return method;\n}\nreplaceTraps(oldTraps => ({\n ...oldTraps,\n get: (target, prop, receiver) => getMethod(target, prop) || oldTraps.get(target, prop, receiver),\n has: (target, prop) => !!getMethod(target, prop) || oldTraps.has(target, prop)\n}));\nexport { deleteDB, openDB };","import { Component, ComponentContainer } from '@firebase/component';\nimport { Logger, setUserLogHandler, setLogLevel as setLogLevel$1 } from '@firebase/logger';\nimport { ErrorFactory, base64Decode, getDefaultAppConfig, deepEqual, isBrowser, isWebWorker, FirebaseError, base64urlEncodeWithoutPadding, isIndexedDBAvailable, validateIndexedDBOpenable } from '@firebase/util';\nexport { FirebaseError } from '@firebase/util';\nimport { openDB } from 'idb';\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nclass PlatformLoggerServiceImpl {\n constructor(container) {\n this.container = container;\n }\n // In initial implementation, this will be called by installations on\n // auth token refresh, and installations will send this string.\n getPlatformInfoString() {\n const providers = this.container.getProviders();\n // Loop through providers and get library/version pairs from any that are\n // version components.\n return providers.map(provider => {\n if (isVersionServiceProvider(provider)) {\n const service = provider.getImmediate();\n return `${service.library}/${service.version}`;\n } else {\n return null;\n }\n }).filter(logString => logString).join(' ');\n }\n}\n/**\n *\n * @param provider check if this provider provides a VersionService\n *\n * NOTE: Using Provider<'app-version'> is a hack to indicate that the provider\n * provides VersionService. The provider is not necessarily a 'app-version'\n * provider.\n */\nfunction isVersionServiceProvider(provider) {\n const component = provider.getComponent();\n return (component === null || component === void 0 ? void 0 : component.type) === \"VERSION\" /* ComponentType.VERSION */;\n}\nconst name$q = \"@firebase/app\";\nconst version$1 = \"0.11.0\";\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nconst logger = new Logger('@firebase/app');\nconst name$p = \"@firebase/app-compat\";\nconst name$o = \"@firebase/analytics-compat\";\nconst name$n = \"@firebase/analytics\";\nconst name$m = \"@firebase/app-check-compat\";\nconst name$l = \"@firebase/app-check\";\nconst name$k = \"@firebase/auth\";\nconst name$j = \"@firebase/auth-compat\";\nconst name$i = \"@firebase/database\";\nconst name$h = \"@firebase/data-connect\";\nconst name$g = \"@firebase/database-compat\";\nconst name$f = \"@firebase/functions\";\nconst name$e = \"@firebase/functions-compat\";\nconst name$d = \"@firebase/installations\";\nconst name$c = \"@firebase/installations-compat\";\nconst name$b = \"@firebase/messaging\";\nconst name$a = \"@firebase/messaging-compat\";\nconst name$9 = \"@firebase/performance\";\nconst name$8 = \"@firebase/performance-compat\";\nconst name$7 = \"@firebase/remote-config\";\nconst name$6 = \"@firebase/remote-config-compat\";\nconst name$5 = \"@firebase/storage\";\nconst name$4 = \"@firebase/storage-compat\";\nconst name$3 = \"@firebase/firestore\";\nconst name$2 = \"@firebase/vertexai\";\nconst name$1 = \"@firebase/firestore-compat\";\nconst name = \"firebase\";\nconst version = \"11.3.0\";\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * The default app name\n *\n * @internal\n */\nconst DEFAULT_ENTRY_NAME = '[DEFAULT]';\nconst PLATFORM_LOG_STRING = {\n [name$q]: 'fire-core',\n [name$p]: 'fire-core-compat',\n [name$n]: 'fire-analytics',\n [name$o]: 'fire-analytics-compat',\n [name$l]: 'fire-app-check',\n [name$m]: 'fire-app-check-compat',\n [name$k]: 'fire-auth',\n [name$j]: 'fire-auth-compat',\n [name$i]: 'fire-rtdb',\n [name$h]: 'fire-data-connect',\n [name$g]: 'fire-rtdb-compat',\n [name$f]: 'fire-fn',\n [name$e]: 'fire-fn-compat',\n [name$d]: 'fire-iid',\n [name$c]: 'fire-iid-compat',\n [name$b]: 'fire-fcm',\n [name$a]: 'fire-fcm-compat',\n [name$9]: 'fire-perf',\n [name$8]: 'fire-perf-compat',\n [name$7]: 'fire-rc',\n [name$6]: 'fire-rc-compat',\n [name$5]: 'fire-gcs',\n [name$4]: 'fire-gcs-compat',\n [name$3]: 'fire-fst',\n [name$1]: 'fire-fst-compat',\n [name$2]: 'fire-vertex',\n 'fire-js': 'fire-js',\n // Platform identifier for JS SDK.\n [name]: 'fire-js-all'\n};\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * @internal\n */\nconst _apps = new Map();\n/**\n * @internal\n */\nconst _serverApps = new Map();\n/**\n * Registered components.\n *\n * @internal\n */\n// eslint-disable-next-line @typescript-eslint/no-explicit-any\nconst _components = new Map();\n/**\n * @param component - the component being added to this app's container\n *\n * @internal\n */\nfunction _addComponent(app, component) {\n try {\n app.container.addComponent(component);\n } catch (e) {\n logger.debug(`Component ${component.name} failed to register with FirebaseApp ${app.name}`, e);\n }\n}\n/**\n *\n * @internal\n */\nfunction _addOrOverwriteComponent(app, component) {\n app.container.addOrOverwriteComponent(component);\n}\n/**\n *\n * @param component - the component to register\n * @returns whether or not the component is registered successfully\n *\n * @internal\n */\nfunction _registerComponent(component) {\n const componentName = component.name;\n if (_components.has(componentName)) {\n logger.debug(`There were multiple attempts to register component ${componentName}.`);\n return false;\n }\n _components.set(componentName, component);\n // add the component to existing app instances\n for (const app of _apps.values()) {\n _addComponent(app, component);\n }\n for (const serverApp of _serverApps.values()) {\n _addComponent(serverApp, component);\n }\n return true;\n}\n/**\n *\n * @param app - FirebaseApp instance\n * @param name - service name\n *\n * @returns the provider for the service with the matching name\n *\n * @internal\n */\nfunction _getProvider(app, name) {\n const heartbeatController = app.container.getProvider('heartbeat').getImmediate({\n optional: true\n });\n if (heartbeatController) {\n void heartbeatController.triggerHeartbeat();\n }\n return app.container.getProvider(name);\n}\n/**\n *\n * @param app - FirebaseApp instance\n * @param name - service name\n * @param instanceIdentifier - service instance identifier in case the service supports multiple instances\n *\n * @internal\n */\nfunction _removeServiceInstance(app, name, instanceIdentifier = DEFAULT_ENTRY_NAME) {\n _getProvider(app, name).clearInstance(instanceIdentifier);\n}\n/**\n *\n * @param obj - an object of type FirebaseApp or FirebaseOptions.\n *\n * @returns true if the provide object is of type FirebaseApp.\n *\n * @internal\n */\nfunction _isFirebaseApp(obj) {\n return obj.options !== undefined;\n}\n/**\n *\n * @param obj - an object of type FirebaseApp.\n *\n * @returns true if the provided object is of type FirebaseServerAppImpl.\n *\n * @internal\n */\nfunction _isFirebaseServerApp(obj) {\n if (obj === null || obj === undefined) {\n return false;\n }\n return obj.settings !== undefined;\n}\n/**\n * Test only\n *\n * @internal\n */\nfunction _clearComponents() {\n _components.clear();\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nconst ERRORS = {\n [\"no-app\" /* AppError.NO_APP */]: \"No Firebase App '{$appName}' has been created - \" + 'call initializeApp() first',\n [\"bad-app-name\" /* AppError.BAD_APP_NAME */]: \"Illegal App name: '{$appName}'\",\n [\"duplicate-app\" /* AppError.DUPLICATE_APP */]: \"Firebase App named '{$appName}' already exists with different options or config\",\n [\"app-deleted\" /* AppError.APP_DELETED */]: \"Firebase App named '{$appName}' already deleted\",\n [\"server-app-deleted\" /* AppError.SERVER_APP_DELETED */]: 'Firebase Server App has been deleted',\n [\"no-options\" /* AppError.NO_OPTIONS */]: 'Need to provide options, when not being deployed to hosting via source.',\n [\"invalid-app-argument\" /* AppError.INVALID_APP_ARGUMENT */]: 'firebase.{$appName}() takes either no argument or a ' + 'Firebase App instance.',\n [\"invalid-log-argument\" /* AppError.INVALID_LOG_ARGUMENT */]: 'First argument to `onLog` must be null or a function.',\n [\"idb-open\" /* AppError.IDB_OPEN */]: 'Error thrown when opening IndexedDB. Original error: {$originalErrorMessage}.',\n [\"idb-get\" /* AppError.IDB_GET */]: 'Error thrown when reading from IndexedDB. Original error: {$originalErrorMessage}.',\n [\"idb-set\" /* AppError.IDB_WRITE */]: 'Error thrown when writing to IndexedDB. Original error: {$originalErrorMessage}.',\n [\"idb-delete\" /* AppError.IDB_DELETE */]: 'Error thrown when deleting from IndexedDB. Original error: {$originalErrorMessage}.',\n [\"finalization-registry-not-supported\" /* AppError.FINALIZATION_REGISTRY_NOT_SUPPORTED */]: 'FirebaseServerApp deleteOnDeref field defined but the JS runtime does not support FinalizationRegistry.',\n [\"invalid-server-app-environment\" /* AppError.INVALID_SERVER_APP_ENVIRONMENT */]: 'FirebaseServerApp is not for use in browser environments.'\n};\nconst ERROR_FACTORY = new ErrorFactory('app', 'Firebase', ERRORS);\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nclass FirebaseAppImpl {\n constructor(options, config, container) {\n this._isDeleted = false;\n this._options = Object.assign({}, options);\n this._config = Object.assign({}, config);\n this._name = config.name;\n this._automaticDataCollectionEnabled = config.automaticDataCollectionEnabled;\n this._container = container;\n this.container.addComponent(new Component('app', () => this, \"PUBLIC\" /* ComponentType.PUBLIC */));\n }\n get automaticDataCollectionEnabled() {\n this.checkDestroyed();\n return this._automaticDataCollectionEnabled;\n }\n set automaticDataCollectionEnabled(val) {\n this.checkDestroyed();\n this._automaticDataCollectionEnabled = val;\n }\n get name() {\n this.checkDestroyed();\n return this._name;\n }\n get options() {\n this.checkDestroyed();\n return this._options;\n }\n get config() {\n this.checkDestroyed();\n return this._config;\n }\n get container() {\n return this._container;\n }\n get isDeleted() {\n return this._isDeleted;\n }\n set isDeleted(val) {\n this._isDeleted = val;\n }\n /**\n * This function will throw an Error if the App has already been deleted -\n * use before performing API actions on the App.\n */\n checkDestroyed() {\n if (this.isDeleted) {\n throw ERROR_FACTORY.create(\"app-deleted\" /* AppError.APP_DELETED */, {\n appName: this._name\n });\n }\n }\n}\n\n/**\n * @license\n * Copyright 2023 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n// Parse the token and check to see if the `exp` claim is in the future.\n// Reports an error to the console if the token or claim could not be parsed, or if `exp` is in\n// the past.\nfunction validateTokenTTL(base64Token, tokenName) {\n const secondPart = base64Decode(base64Token.split('.')[1]);\n if (secondPart === null) {\n console.error(`FirebaseServerApp ${tokenName} is invalid: second part could not be parsed.`);\n return;\n }\n const expClaim = JSON.parse(secondPart).exp;\n if (expClaim === undefined) {\n console.error(`FirebaseServerApp ${tokenName} is invalid: expiration claim could not be parsed`);\n return;\n }\n const exp = JSON.parse(secondPart).exp * 1000;\n const now = new Date().getTime();\n const diff = exp - now;\n if (diff <= 0) {\n console.error(`FirebaseServerApp ${tokenName} is invalid: the token has expired.`);\n }\n}\nclass FirebaseServerAppImpl extends FirebaseAppImpl {\n constructor(options, serverConfig, name, container) {\n // Build configuration parameters for the FirebaseAppImpl base class.\n const automaticDataCollectionEnabled = serverConfig.automaticDataCollectionEnabled !== undefined ? serverConfig.automaticDataCollectionEnabled : false;\n // Create the FirebaseAppSettings object for the FirebaseAppImp constructor.\n const config = {\n name,\n automaticDataCollectionEnabled\n };\n if (options.apiKey !== undefined) {\n // Construct the parent FirebaseAppImp object.\n super(options, config, container);\n } else {\n const appImpl = options;\n super(appImpl.options, config, container);\n }\n // Now construct the data for the FirebaseServerAppImpl.\n this._serverConfig = Object.assign({\n automaticDataCollectionEnabled\n }, serverConfig);\n // Ensure that the current time is within the `authIdtoken` window of validity.\n if (this._serverConfig.authIdToken) {\n validateTokenTTL(this._serverConfig.authIdToken, 'authIdToken');\n }\n // Ensure that the current time is within the `appCheckToken` window of validity.\n if (this._serverConfig.appCheckToken) {\n validateTokenTTL(this._serverConfig.appCheckToken, 'appCheckToken');\n }\n this._finalizationRegistry = null;\n if (typeof FinalizationRegistry !== 'undefined') {\n this._finalizationRegistry = new FinalizationRegistry(() => {\n this.automaticCleanup();\n });\n }\n this._refCount = 0;\n this.incRefCount(this._serverConfig.releaseOnDeref);\n // Do not retain a hard reference to the dref object, otherwise the FinalizationRegistry\n // will never trigger.\n this._serverConfig.releaseOnDeref = undefined;\n serverConfig.releaseOnDeref = undefined;\n registerVersion(name$q, version$1, 'serverapp');\n }\n toJSON() {\n return undefined;\n }\n get refCount() {\n return this._refCount;\n }\n // Increment the reference count of this server app. If an object is provided, register it\n // with the finalization registry.\n incRefCount(obj) {\n if (this.isDeleted) {\n return;\n }\n this._refCount++;\n if (obj !== undefined && this._finalizationRegistry !== null) {\n this._finalizationRegistry.register(obj, this);\n }\n }\n // Decrement the reference count.\n decRefCount() {\n if (this.isDeleted) {\n return 0;\n }\n return --this._refCount;\n }\n // Invoked by the FinalizationRegistry callback to note that this app should go through its\n // reference counts and delete itself if no reference count remain. The coordinating logic that\n // handles this is in deleteApp(...).\n automaticCleanup() {\n void deleteApp(this);\n }\n get settings() {\n this.checkDestroyed();\n return this._serverConfig;\n }\n /**\n * This function will throw an Error if the App has already been deleted -\n * use before performing API actions on the App.\n */\n checkDestroyed() {\n if (this.isDeleted) {\n throw ERROR_FACTORY.create(\"server-app-deleted\" /* AppError.SERVER_APP_DELETED */);\n }\n }\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * The current SDK version.\n *\n * @public\n */\nconst SDK_VERSION = version;\nfunction initializeApp(_options, rawConfig = {}) {\n let options = _options;\n if (typeof rawConfig !== 'object') {\n const name = rawConfig;\n rawConfig = {\n name\n };\n }\n const config = Object.assign({\n name: DEFAULT_ENTRY_NAME,\n automaticDataCollectionEnabled: false\n }, rawConfig);\n const name = config.name;\n if (typeof name !== 'string' || !name) {\n throw ERROR_FACTORY.create(\"bad-app-name\" /* AppError.BAD_APP_NAME */, {\n appName: String(name)\n });\n }\n options || (options = getDefaultAppConfig());\n if (!options) {\n throw ERROR_FACTORY.create(\"no-options\" /* AppError.NO_OPTIONS */);\n }\n const existingApp = _apps.get(name);\n if (existingApp) {\n // return the existing app if options and config deep equal the ones in the existing app.\n if (deepEqual(options, existingApp.options) && deepEqual(config, existingApp.config)) {\n return existingApp;\n } else {\n throw ERROR_FACTORY.create(\"duplicate-app\" /* AppError.DUPLICATE_APP */, {\n appName: name\n });\n }\n }\n const container = new ComponentContainer(name);\n for (const component of _components.values()) {\n container.addComponent(component);\n }\n const newApp = new FirebaseAppImpl(options, config, container);\n _apps.set(name, newApp);\n return newApp;\n}\nfunction initializeServerApp(_options, _serverAppConfig) {\n if (isBrowser() && !isWebWorker()) {\n // FirebaseServerApp isn't designed to be run in browsers.\n throw ERROR_FACTORY.create(\"invalid-server-app-environment\" /* AppError.INVALID_SERVER_APP_ENVIRONMENT */);\n }\n if (_serverAppConfig.automaticDataCollectionEnabled === undefined) {\n _serverAppConfig.automaticDataCollectionEnabled = false;\n }\n let appOptions;\n if (_isFirebaseApp(_options)) {\n appOptions = _options.options;\n } else {\n appOptions = _options;\n }\n // Build an app name based on a hash of the configuration options.\n const nameObj = Object.assign(Object.assign({}, _serverAppConfig), appOptions);\n // However, Do not mangle the name based on releaseOnDeref, since it will vary between the\n // construction of FirebaseServerApp instances. For example, if the object is the request headers.\n if (nameObj.releaseOnDeref !== undefined) {\n delete nameObj.releaseOnDeref;\n }\n const hashCode = s => {\n return [...s].reduce((hash, c) => Math.imul(31, hash) + c.charCodeAt(0) | 0, 0);\n };\n if (_serverAppConfig.releaseOnDeref !== undefined) {\n if (typeof FinalizationRegistry === 'undefined') {\n throw ERROR_FACTORY.create(\"finalization-registry-not-supported\" /* AppError.FINALIZATION_REGISTRY_NOT_SUPPORTED */, {});\n }\n }\n const nameString = '' + hashCode(JSON.stringify(nameObj));\n const existingApp = _serverApps.get(nameString);\n if (existingApp) {\n existingApp.incRefCount(_serverAppConfig.releaseOnDeref);\n return existingApp;\n }\n const container = new ComponentContainer(nameString);\n for (const component of _components.values()) {\n container.addComponent(component);\n }\n const newApp = new FirebaseServerAppImpl(appOptions, _serverAppConfig, nameString, container);\n _serverApps.set(nameString, newApp);\n return newApp;\n}\n/**\n * Retrieves a {@link @firebase/app#FirebaseApp} instance.\n *\n * When called with no arguments, the default app is returned. When an app name\n * is provided, the app corresponding to that name is returned.\n *\n * An exception is thrown if the app being retrieved has not yet been\n * initialized.\n *\n * @example\n * ```javascript\n * // Return the default app\n * const app = getApp();\n * ```\n *\n * @example\n * ```javascript\n * // Return a named app\n * const otherApp = getApp(\"otherApp\");\n * ```\n *\n * @param name - Optional name of the app to return. If no name is\n * provided, the default is `\"[DEFAULT]\"`.\n *\n * @returns The app corresponding to the provided app name.\n * If no app name is provided, the default app is returned.\n *\n * @public\n */\nfunction getApp(name = DEFAULT_ENTRY_NAME) {\n const app = _apps.get(name);\n if (!app && name === DEFAULT_ENTRY_NAME && getDefaultAppConfig()) {\n return initializeApp();\n }\n if (!app) {\n throw ERROR_FACTORY.create(\"no-app\" /* AppError.NO_APP */, {\n appName: name\n });\n }\n return app;\n}\n/**\n * A (read-only) array of all initialized apps.\n * @public\n */\nfunction getApps() {\n return Array.from(_apps.values());\n}\n/**\n * Renders this app unusable and frees the resources of all associated\n * services.\n *\n * @example\n * ```javascript\n * deleteApp(app)\n * .then(function() {\n * console.log(\"App deleted successfully\");\n * })\n * .catch(function(error) {\n * console.log(\"Error deleting app:\", error);\n * });\n * ```\n *\n * @public\n */\nasync function deleteApp(app) {\n let cleanupProviders = false;\n const name = app.name;\n if (_apps.has(name)) {\n cleanupProviders = true;\n _apps.delete(name);\n } else if (_serverApps.has(name)) {\n const firebaseServerApp = app;\n if (firebaseServerApp.decRefCount() <= 0) {\n _serverApps.delete(name);\n cleanupProviders = true;\n }\n }\n if (cleanupProviders) {\n await Promise.all(app.container.getProviders().map(provider => provider.delete()));\n app.isDeleted = true;\n }\n}\n/**\n * Registers a library's name and version for platform logging purposes.\n * @param library - Name of 1p or 3p library (e.g. firestore, angularfire)\n * @param version - Current version of that library.\n * @param variant - Bundle variant, e.g., node, rn, etc.\n *\n * @public\n */\nfunction registerVersion(libraryKeyOrName, version, variant) {\n var _a;\n // TODO: We can use this check to whitelist strings when/if we set up\n // a good whitelist system.\n let library = (_a = PLATFORM_LOG_STRING[libraryKeyOrName]) !== null && _a !== void 0 ? _a : libraryKeyOrName;\n if (variant) {\n library += `-${variant}`;\n }\n const libraryMismatch = library.match(/\\s|\\//);\n const versionMismatch = version.match(/\\s|\\//);\n if (libraryMismatch || versionMismatch) {\n const warning = [`Unable to register library \"${library}\" with version \"${version}\":`];\n if (libraryMismatch) {\n warning.push(`library name \"${library}\" contains illegal characters (whitespace or \"/\")`);\n }\n if (libraryMismatch && versionMismatch) {\n warning.push('and');\n }\n if (versionMismatch) {\n warning.push(`version name \"${version}\" contains illegal characters (whitespace or \"/\")`);\n }\n logger.warn(warning.join(' '));\n return;\n }\n _registerComponent(new Component(`${library}-version`, () => ({\n library,\n version\n }), \"VERSION\" /* ComponentType.VERSION */));\n}\n/**\n * Sets log handler for all Firebase SDKs.\n * @param logCallback - An optional custom log handler that executes user code whenever\n * the Firebase SDK makes a logging call.\n *\n * @public\n */\nfunction onLog(logCallback, options) {\n if (logCallback !== null && typeof logCallback !== 'function') {\n throw ERROR_FACTORY.create(\"invalid-log-argument\" /* AppError.INVALID_LOG_ARGUMENT */);\n }\n setUserLogHandler(logCallback, options);\n}\n/**\n * Sets log level for all Firebase SDKs.\n *\n * All of the log types above the current log level are captured (i.e. if\n * you set the log level to `info`, errors are logged, but `debug` and\n * `verbose` logs are not).\n *\n * @public\n */\nfunction setLogLevel(logLevel) {\n setLogLevel$1(logLevel);\n}\n\n/**\n * @license\n * Copyright 2021 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nconst DB_NAME = 'firebase-heartbeat-database';\nconst DB_VERSION = 1;\nconst STORE_NAME = 'firebase-heartbeat-store';\nlet dbPromise = null;\nfunction getDbPromise() {\n if (!dbPromise) {\n dbPromise = openDB(DB_NAME, DB_VERSION, {\n upgrade: (db, oldVersion) => {\n // We don't use 'break' in this switch statement, the fall-through\n // behavior is what we want, because if there are multiple versions between\n // the old version and the current version, we want ALL the migrations\n // that correspond to those versions to run, not only the last one.\n // eslint-disable-next-line default-case\n switch (oldVersion) {\n case 0:\n try {\n db.createObjectStore(STORE_NAME);\n } catch (e) {\n // Safari/iOS browsers throw occasional exceptions on\n // db.createObjectStore() that may be a bug. Avoid blocking\n // the rest of the app functionality.\n console.warn(e);\n }\n }\n }\n }).catch(e => {\n throw ERROR_FACTORY.create(\"idb-open\" /* AppError.IDB_OPEN */, {\n originalErrorMessage: e.message\n });\n });\n }\n return dbPromise;\n}\nasync function readHeartbeatsFromIndexedDB(app) {\n try {\n const db = await getDbPromise();\n const tx = db.transaction(STORE_NAME);\n const result = await tx.objectStore(STORE_NAME).get(computeKey(app));\n // We already have the value but tx.done can throw,\n // so we need to await it here to catch errors\n await tx.done;\n return result;\n } catch (e) {\n if (e instanceof FirebaseError) {\n logger.warn(e.message);\n } else {\n const idbGetError = ERROR_FACTORY.create(\"idb-get\" /* AppError.IDB_GET */, {\n originalErrorMessage: e === null || e === void 0 ? void 0 : e.message\n });\n logger.warn(idbGetError.message);\n }\n }\n}\nasync function writeHeartbeatsToIndexedDB(app, heartbeatObject) {\n try {\n const db = await getDbPromise();\n const tx = db.transaction(STORE_NAME, 'readwrite');\n const objectStore = tx.objectStore(STORE_NAME);\n await objectStore.put(heartbeatObject, computeKey(app));\n await tx.done;\n } catch (e) {\n if (e instanceof FirebaseError) {\n logger.warn(e.message);\n } else {\n const idbGetError = ERROR_FACTORY.create(\"idb-set\" /* AppError.IDB_WRITE */, {\n originalErrorMessage: e === null || e === void 0 ? void 0 : e.message\n });\n logger.warn(idbGetError.message);\n }\n }\n}\nfunction computeKey(app) {\n return `${app.name}!${app.options.appId}`;\n}\n\n/**\n * @license\n * Copyright 2021 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nconst MAX_HEADER_BYTES = 1024;\nconst MAX_NUM_STORED_HEARTBEATS = 30;\nclass HeartbeatServiceImpl {\n constructor(container) {\n this.container = container;\n /**\n * In-memory cache for heartbeats, used by getHeartbeatsHeader() to generate\n * the header string.\n * Stores one record per date. This will be consolidated into the standard\n * format of one record per user agent string before being sent as a header.\n * Populated from indexedDB when the controller is instantiated and should\n * be kept in sync with indexedDB.\n * Leave public for easier testing.\n */\n this._heartbeatsCache = null;\n const app = this.container.getProvider('app').getImmediate();\n this._storage = new HeartbeatStorageImpl(app);\n this._heartbeatsCachePromise = this._storage.read().then(result => {\n this._heartbeatsCache = result;\n return result;\n });\n }\n /**\n * Called to report a heartbeat. The function will generate\n * a HeartbeatsByUserAgent object, update heartbeatsCache, and persist it\n * to IndexedDB.\n * Note that we only store one heartbeat per day. So if a heartbeat for today is\n * already logged, subsequent calls to this function in the same day will be ignored.\n */\n async triggerHeartbeat() {\n var _a, _b;\n try {\n const platformLogger = this.container.getProvider('platform-logger').getImmediate();\n // This is the \"Firebase user agent\" string from the platform logger\n // service, not the browser user agent.\n const agent = platformLogger.getPlatformInfoString();\n const date = getUTCDateString();\n if (((_a = this._heartbeatsCache) === null || _a === void 0 ? void 0 : _a.heartbeats) == null) {\n this._heartbeatsCache = await this._heartbeatsCachePromise;\n // If we failed to construct a heartbeats cache, then return immediately.\n if (((_b = this._heartbeatsCache) === null || _b === void 0 ? void 0 : _b.heartbeats) == null) {\n return;\n }\n }\n // Do not store a heartbeat if one is already stored for this day\n // or if a header has already been sent today.\n if (this._heartbeatsCache.lastSentHeartbeatDate === date || this._heartbeatsCache.heartbeats.some(singleDateHeartbeat => singleDateHeartbeat.date === date)) {\n return;\n } else {\n // There is no entry for this date. Create one.\n this._heartbeatsCache.heartbeats.push({\n date,\n agent\n });\n // If the number of stored heartbeats exceeds the maximum number of stored heartbeats, remove the heartbeat with the earliest date.\n // Since this is executed each time a heartbeat is pushed, the limit can only be exceeded by one, so only one needs to be removed.\n if (this._heartbeatsCache.heartbeats.length > MAX_NUM_STORED_HEARTBEATS) {\n const earliestHeartbeatIdx = getEarliestHeartbeatIdx(this._heartbeatsCache.heartbeats);\n this._heartbeatsCache.heartbeats.splice(earliestHeartbeatIdx, 1);\n }\n }\n return this._storage.overwrite(this._heartbeatsCache);\n } catch (e) {\n logger.warn(e);\n }\n }\n /**\n * Returns a base64 encoded string which can be attached to the heartbeat-specific header directly.\n * It also clears all heartbeats from memory as well as in IndexedDB.\n *\n * NOTE: Consuming product SDKs should not send the header if this method\n * returns an empty string.\n */\n async getHeartbeatsHeader() {\n var _a;\n try {\n if (this._heartbeatsCache === null) {\n await this._heartbeatsCachePromise;\n }\n // If it's still null or the array is empty, there is no data to send.\n if (((_a = this._heartbeatsCache) === null || _a === void 0 ? void 0 : _a.heartbeats) == null || this._heartbeatsCache.heartbeats.length === 0) {\n return '';\n }\n const date = getUTCDateString();\n // Extract as many heartbeats from the cache as will fit under the size limit.\n const {\n heartbeatsToSend,\n unsentEntries\n } = extractHeartbeatsForHeader(this._heartbeatsCache.heartbeats);\n const headerString = base64urlEncodeWithoutPadding(JSON.stringify({\n version: 2,\n heartbeats: heartbeatsToSend\n }));\n // Store last sent date to prevent another being logged/sent for the same day.\n this._heartbeatsCache.lastSentHeartbeatDate = date;\n if (unsentEntries.length > 0) {\n // Store any unsent entries if they exist.\n this._heartbeatsCache.heartbeats = unsentEntries;\n // This seems more likely than emptying the array (below) to lead to some odd state\n // since the cache isn't empty and this will be called again on the next request,\n // and is probably safest if we await it.\n await this._storage.overwrite(this._heartbeatsCache);\n } else {\n this._heartbeatsCache.heartbeats = [];\n // Do not wait for this, to reduce latency.\n void this._storage.overwrite(this._heartbeatsCache);\n }\n return headerString;\n } catch (e) {\n logger.warn(e);\n return '';\n }\n }\n}\nfunction getUTCDateString() {\n const today = new Date();\n // Returns date format 'YYYY-MM-DD'\n return today.toISOString().substring(0, 10);\n}\nfunction extractHeartbeatsForHeader(heartbeatsCache, maxSize = MAX_HEADER_BYTES) {\n // Heartbeats grouped by user agent in the standard format to be sent in\n // the header.\n const heartbeatsToSend = [];\n // Single date format heartbeats that are not sent.\n let unsentEntries = heartbeatsCache.slice();\n for (const singleDateHeartbeat of heartbeatsCache) {\n // Look for an existing entry with the same user agent.\n const heartbeatEntry = heartbeatsToSend.find(hb => hb.agent === singleDateHeartbeat.agent);\n if (!heartbeatEntry) {\n // If no entry for this user agent exists, create one.\n heartbeatsToSend.push({\n agent: singleDateHeartbeat.agent,\n dates: [singleDateHeartbeat.date]\n });\n if (countBytes(heartbeatsToSend) > maxSize) {\n // If the header would exceed max size, remove the added heartbeat\n // entry and stop adding to the header.\n heartbeatsToSend.pop();\n break;\n }\n } else {\n heartbeatEntry.dates.push(singleDateHeartbeat.date);\n // If the header would exceed max size, remove the added date\n // and stop adding to the header.\n if (countBytes(heartbeatsToSend) > maxSize) {\n heartbeatEntry.dates.pop();\n break;\n }\n }\n // Pop unsent entry from queue. (Skipped if adding the entry exceeded\n // quota and the loop breaks early.)\n unsentEntries = unsentEntries.slice(1);\n }\n return {\n heartbeatsToSend,\n unsentEntries\n };\n}\nclass HeartbeatStorageImpl {\n constructor(app) {\n this.app = app;\n this._canUseIndexedDBPromise = this.runIndexedDBEnvironmentCheck();\n }\n async runIndexedDBEnvironmentCheck() {\n if (!isIndexedDBAvailable()) {\n return false;\n } else {\n return validateIndexedDBOpenable().then(() => true).catch(() => false);\n }\n }\n /**\n * Read all heartbeats.\n */\n async read() {\n const canUseIndexedDB = await this._canUseIndexedDBPromise;\n if (!canUseIndexedDB) {\n return {\n heartbeats: []\n };\n } else {\n const idbHeartbeatObject = await readHeartbeatsFromIndexedDB(this.app);\n if (idbHeartbeatObject === null || idbHeartbeatObject === void 0 ? void 0 : idbHeartbeatObject.heartbeats) {\n return idbHeartbeatObject;\n } else {\n return {\n heartbeats: []\n };\n }\n }\n }\n // overwrite the storage with the provided heartbeats\n async overwrite(heartbeatsObject) {\n var _a;\n const canUseIndexedDB = await this._canUseIndexedDBPromise;\n if (!canUseIndexedDB) {\n return;\n } else {\n const existingHeartbeatsObject = await this.read();\n return writeHeartbeatsToIndexedDB(this.app, {\n lastSentHeartbeatDate: (_a = heartbeatsObject.lastSentHeartbeatDate) !== null && _a !== void 0 ? _a : existingHeartbeatsObject.lastSentHeartbeatDate,\n heartbeats: heartbeatsObject.heartbeats\n });\n }\n }\n // add heartbeats\n async add(heartbeatsObject) {\n var _a;\n const canUseIndexedDB = await this._canUseIndexedDBPromise;\n if (!canUseIndexedDB) {\n return;\n } else {\n const existingHeartbeatsObject = await this.read();\n return writeHeartbeatsToIndexedDB(this.app, {\n lastSentHeartbeatDate: (_a = heartbeatsObject.lastSentHeartbeatDate) !== null && _a !== void 0 ? _a : existingHeartbeatsObject.lastSentHeartbeatDate,\n heartbeats: [...existingHeartbeatsObject.heartbeats, ...heartbeatsObject.heartbeats]\n });\n }\n }\n}\n/**\n * Calculate bytes of a HeartbeatsByUserAgent array after being wrapped\n * in a platform logging header JSON object, stringified, and converted\n * to base 64.\n */\nfunction countBytes(heartbeatsCache) {\n // base64 has a restricted set of characters, all of which should be 1 byte.\n return base64urlEncodeWithoutPadding(\n // heartbeatsCache wrapper properties\n JSON.stringify({\n version: 2,\n heartbeats: heartbeatsCache\n })).length;\n}\n/**\n * Returns the index of the heartbeat with the earliest date.\n * If the heartbeats array is empty, -1 is returned.\n */\nfunction getEarliestHeartbeatIdx(heartbeats) {\n if (heartbeats.length === 0) {\n return -1;\n }\n let earliestHeartbeatIdx = 0;\n let earliestHeartbeatDate = heartbeats[0].date;\n for (let i = 1; i < heartbeats.length; i++) {\n if (heartbeats[i].date < earliestHeartbeatDate) {\n earliestHeartbeatDate = heartbeats[i].date;\n earliestHeartbeatIdx = i;\n }\n }\n return earliestHeartbeatIdx;\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nfunction registerCoreComponents(variant) {\n _registerComponent(new Component('platform-logger', container => new PlatformLoggerServiceImpl(container), \"PRIVATE\" /* ComponentType.PRIVATE */));\n _registerComponent(new Component('heartbeat', container => new HeartbeatServiceImpl(container), \"PRIVATE\" /* ComponentType.PRIVATE */));\n // Register `app` package.\n registerVersion(name$q, version$1, variant);\n // BUILD_TARGET will be replaced by values like esm2017, cjs2017, etc during the compilation\n registerVersion(name$q, version$1, 'esm2017');\n // Register platform SDK identifier (no version).\n registerVersion('fire-js', '');\n}\n\n/**\n * Firebase App\n *\n * @remarks This package coordinates the communication between the different Firebase components\n * @packageDocumentation\n */\nregisterCoreComponents('');\nexport { SDK_VERSION, DEFAULT_ENTRY_NAME as _DEFAULT_ENTRY_NAME, _addComponent, _addOrOverwriteComponent, _apps, _clearComponents, _components, _getProvider, _isFirebaseApp, _isFirebaseServerApp, _registerComponent, _removeServiceInstance, _serverApps, deleteApp, getApp, getApps, initializeApp, initializeServerApp, onLog, registerVersion, setLogLevel };\n","import { registerVersion } from '@firebase/app';\nexport * from '@firebase/app';\nvar name = \"firebase\";\nvar version = \"11.3.0\";\n\n/**\n * @license\n * Copyright 2020 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nregisterVersion(name, version, 'app');\n","import * as i0 from '@angular/core';\nimport { Version, isDevMode, inject, NgZone, Injectable, runInInjectionContext, PendingTasks, EnvironmentInjector } from '@angular/core';\nimport { getApps } from 'firebase/app';\nimport { pendingUntilEvent } from '@angular/core/rxjs-interop';\nimport { queueScheduler, asyncScheduler, Observable } from 'rxjs';\nimport { subscribeOn, observeOn } from 'rxjs/operators';\nconst VERSION = /*#__PURE__*/new Version('ANGULARFIRE2_VERSION');\nconst ɵisSupportedError = module => `The APP_INITIALIZER that is \"making\" isSupported() sync for the sake of convenient DI has not resolved in this\ncontext. Rather than injecting ${module} in the constructor, first ensure that ${module} is supported by calling\n\\`await isSupported()\\`, then retrieve the instance from the injector manually \\`injector.get(${module})\\`.`;\nfunction ɵgetDefaultInstanceOf(identifier, provided, defaultApp) {\n if (provided) {\n // Was provide* only called once? If so grab that\n if (provided.length === 1) {\n return provided[0];\n }\n const providedUsingDefaultApp = provided.filter(it => it.app === defaultApp);\n // Was provide* only called once, using the default app? If so use that\n if (providedUsingDefaultApp.length === 1) {\n return providedUsingDefaultApp[0];\n }\n }\n // Grab the default instance from the defaultApp\n const defaultAppWithContainer = defaultApp;\n const provider = defaultAppWithContainer.container.getProvider(identifier);\n return provider.getImmediate({\n optional: true\n });\n}\nconst ɵgetAllInstancesOf = (identifier, app) => {\n const apps = app ? [app] : getApps();\n const instances = [];\n apps.forEach(app => {\n const provider = app.container.getProvider(identifier);\n provider.instances.forEach(instance => {\n if (!instances.includes(instance)) {\n instances.push(instance);\n }\n });\n });\n return instances;\n};\n\n/* eslint-disable @typescript-eslint/ban-ts-comment */\nvar LogLevel = /*#__PURE__*/function (LogLevel) {\n LogLevel[LogLevel[\"SILENT\"] = 0] = \"SILENT\";\n LogLevel[LogLevel[\"WARN\"] = 1] = \"WARN\";\n LogLevel[LogLevel[\"VERBOSE\"] = 2] = \"VERBOSE\";\n return LogLevel;\n}(LogLevel || {});\nvar currentLogLevel = /*#__PURE__*/isDevMode() && typeof Zone !== \"undefined\" ? LogLevel.WARN : LogLevel.SILENT;\nconst setLogLevel = logLevel => currentLogLevel = logLevel;\n/**\n * Schedules tasks so that they are invoked inside the Zone that is passed in the constructor.\n */\nclass ɵZoneScheduler {\n zone;\n delegate;\n constructor(zone, delegate = queueScheduler) {\n this.zone = zone;\n this.delegate = delegate;\n }\n now() {\n return this.delegate.now();\n }\n schedule(work, delay, state) {\n const targetZone = this.zone;\n // Wrap the specified work function to make sure that if nested scheduling takes place the\n // work is executed in the correct zone\n const workInZone = function (state) {\n if (targetZone) {\n targetZone.runGuarded(() => {\n work.apply(this, [state]);\n });\n } else {\n work.apply(this, [state]);\n }\n };\n // Scheduling itself needs to be run in zone to ensure setInterval calls for async scheduling are done\n // inside the correct zone. This scheduler needs to schedule asynchronously always to ensure that\n // firebase emissions are never synchronous. Specifying a delay causes issues with the queueScheduler delegate.\n return this.delegate.schedule(workInZone, delay, state);\n }\n}\nlet ɵAngularFireSchedulers = /*#__PURE__*/(() => {\n class ɵAngularFireSchedulers {\n outsideAngular;\n insideAngular;\n constructor() {\n const ngZone = inject(NgZone);\n this.outsideAngular = ngZone.runOutsideAngular(() => new ɵZoneScheduler(typeof Zone === 'undefined' ? undefined : Zone.current));\n this.insideAngular = ngZone.run(() => new ɵZoneScheduler(typeof Zone === 'undefined' ? undefined : Zone.current, asyncScheduler));\n }\n static ɵfac = function ɵAngularFireSchedulers_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || ɵAngularFireSchedulers)();\n };\n static ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: ɵAngularFireSchedulers,\n factory: ɵAngularFireSchedulers.ɵfac,\n providedIn: 'root'\n });\n }\n return ɵAngularFireSchedulers;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nvar alreadyWarned = false;\nfunction warnOutsideInjectionContext(original, logLevel) {\n if (!alreadyWarned && (currentLogLevel > LogLevel.SILENT || isDevMode())) {\n alreadyWarned = true;\n console.warn(\"Calling Firebase APIs outside of an Injection context may destabilize your application leading to subtle change-detection and hydration bugs. Find more at https://github.com/angular/angularfire/blob/main/docs/zones.md\");\n }\n if (currentLogLevel >= logLevel) {\n console.warn(`Firebase API called outside injection context: ${original.name}`);\n }\n}\nfunction runOutsideAngular(fn) {\n const ngZone = inject(NgZone, {\n optional: true\n });\n if (!ngZone) {\n return fn();\n }\n return ngZone.runOutsideAngular(() => fn());\n}\nfunction run(fn) {\n const ngZone = inject(NgZone, {\n optional: true\n });\n if (!ngZone) {\n return fn();\n }\n return ngZone.run(() => fn());\n}\nconst zoneWrapFn = (it, taskDone, injector) => {\n return (...args) => {\n if (taskDone) {\n setTimeout(taskDone, 0);\n }\n return runInInjectionContext(injector, () => run(() => it.apply(this, args)));\n };\n};\nconst ɵzoneWrap = (it, blockUntilFirst, logLevel) => {\n logLevel ||= blockUntilFirst ? LogLevel.WARN : LogLevel.VERBOSE;\n // function() is needed for the arguments object\n return function () {\n let taskDone;\n const _arguments = arguments;\n let schedulers;\n let pendingTasks;\n let injector;\n try {\n schedulers = inject(ɵAngularFireSchedulers);\n pendingTasks = inject(PendingTasks);\n injector = inject(EnvironmentInjector);\n } catch (e) {\n warnOutsideInjectionContext(it, logLevel);\n return it.apply(this, _arguments);\n }\n // if this is a callback function, e.g, onSnapshot, we should create a pending task and complete it\n // only once one of the callback functions is tripped.\n for (let i = 0; i < arguments.length; i++) {\n if (typeof _arguments[i] === 'function') {\n if (blockUntilFirst) {\n taskDone ||= run(() => pendingTasks.add());\n }\n // TODO create a microtask to track callback functions\n _arguments[i] = zoneWrapFn(_arguments[i], taskDone, injector);\n }\n }\n const ret = runOutsideAngular(() => it.apply(this, _arguments));\n if (!blockUntilFirst) {\n if (ret instanceof Observable) {\n return ret.pipe(subscribeOn(schedulers.outsideAngular), observeOn(schedulers.insideAngular));\n } else {\n return run(() => ret);\n }\n }\n if (ret instanceof Observable) {\n return ret.pipe(subscribeOn(schedulers.outsideAngular), observeOn(schedulers.insideAngular), pendingUntilEvent(injector));\n } else if (ret instanceof Promise) {\n // eslint-disable-next-line @typescript-eslint/no-misused-promises\n return run(() => new Promise((resolve, reject) => {\n pendingTasks.run(() => ret).then(it => runInInjectionContext(injector, () => run(() => resolve(it))), reason => runInInjectionContext(injector, () => run(() => reject(reason))));\n }));\n } else if (typeof ret === 'function' && taskDone) {\n // Handle unsubscribe\n // function() is needed for the arguments object\n return function () {\n setTimeout(taskDone, 0);\n return ret.apply(this, arguments);\n };\n } else {\n // TODO how do we handle storage uploads in Zone? and other stuff with cancel() etc?\n return run(() => ret);\n }\n };\n};\n\n/**\n * Generated bundle index. Do not edit.\n */\n\nexport { LogLevel, VERSION, setLogLevel, ɵAngularFireSchedulers, ɵZoneScheduler, ɵgetAllInstancesOf, ɵgetDefaultInstanceOf, ɵisSupportedError, ɵzoneWrap };\n","import { getApps as getApps$1, getApp as getApp$1, registerVersion as registerVersion$1, deleteApp as deleteApp$1, initializeApp as initializeApp$1, initializeServerApp as initializeServerApp$1, onLog as onLog$1, setLogLevel as setLogLevel$1 } from 'firebase/app';\nexport * from 'firebase/app';\nimport { timer, from } from 'rxjs';\nimport { concatMap, distinct } from 'rxjs/operators';\nimport * as i0 from '@angular/core';\nimport { InjectionToken, Optional, PLATFORM_ID, VERSION as VERSION$1, NgModule, Inject, makeEnvironmentProviders, NgZone, Injector } from '@angular/core';\nimport { VERSION, ɵAngularFireSchedulers as _AngularFireSchedulers, ɵzoneWrap as _zoneWrap } from '@angular/fire';\nclass FirebaseApp {\n constructor(app) {\n return app;\n }\n}\nclass FirebaseApps {\n constructor() {\n return getApps$1();\n }\n}\nconst firebaseApp$ = /*#__PURE__*/ /*#__PURE__*/timer(0, 300).pipe(/*#__PURE__*/concatMap(() => from(getApps$1())), /*#__PURE__*/distinct());\nfunction defaultFirebaseAppFactory(provided) {\n // Use the provided app, if there is only one, otherwise fetch the default app\n if (provided && provided.length === 1) {\n return provided[0];\n }\n return new FirebaseApp(getApp$1());\n}\n// With FIREBASE_APPS I wanted to capture the default app instance, if it is initialized by\n// the reserved URL; ɵPROVIDED_FIREBASE_APPS is not for public consumption and serves to ensure that all\n// provideFirebaseApp(...) calls are satisfied before FirebaseApp$ or FirebaseApp is resolved\nconst PROVIDED_FIREBASE_APPS = /*#__PURE__*/new InjectionToken('angularfire2._apps');\n// Injecting FirebaseApp will now only inject the default Firebase App\n// this allows allows beginners to import /__/firebase/init.js to auto initialize Firebase App\n// from the reserved URL.\nconst DEFAULT_FIREBASE_APP_PROVIDER = {\n provide: FirebaseApp,\n useFactory: defaultFirebaseAppFactory,\n deps: [[/*#__PURE__*/new Optional(), PROVIDED_FIREBASE_APPS]]\n};\nconst FIREBASE_APPS_PROVIDER = {\n provide: FirebaseApps,\n deps: [[/*#__PURE__*/new Optional(), PROVIDED_FIREBASE_APPS]]\n};\nfunction firebaseAppFactory(fn) {\n return (zone, injector) => {\n const platformId = injector.get(PLATFORM_ID);\n registerVersion$1('angularfire', VERSION.full, 'core');\n registerVersion$1('angularfire', VERSION.full, 'app');\n // eslint-disable-next-line @typescript-eslint/no-base-to-string\n registerVersion$1('angular', VERSION$1.full, platformId.toString());\n const app = zone.runOutsideAngular(() => fn(injector));\n return new FirebaseApp(app);\n };\n}\nlet FirebaseAppModule = /*#__PURE__*/(() => {\n class FirebaseAppModule {\n // eslint-disable-next-line @typescript-eslint/ban-types\n constructor(platformId) {\n registerVersion$1('angularfire', VERSION.full, 'core');\n registerVersion$1('angularfire', VERSION.full, 'app');\n // eslint-disable-next-line @typescript-eslint/no-base-to-string\n registerVersion$1('angular', VERSION$1.full, platformId.toString());\n }\n static ɵfac = function FirebaseAppModule_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || FirebaseAppModule)(i0.ɵɵinject(PLATFORM_ID));\n };\n static ɵmod = /* @__PURE__ */i0.ɵɵdefineNgModule({\n type: FirebaseAppModule\n });\n static ɵinj = /* @__PURE__ */i0.ɵɵdefineInjector({\n providers: [DEFAULT_FIREBASE_APP_PROVIDER, FIREBASE_APPS_PROVIDER]\n });\n }\n return FirebaseAppModule;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n// Calling initializeApp({ ... }, 'name') multiple times will add more FirebaseApps into the FIREBASE_APPS\n// injection scope. This allows developers to more easily work with multiple Firebase Applications. Downside\n// is that DI for app name and options doesn't really make sense anymore.\nfunction provideFirebaseApp(fn, ...deps) {\n return makeEnvironmentProviders([DEFAULT_FIREBASE_APP_PROVIDER, FIREBASE_APPS_PROVIDER, {\n provide: PROVIDED_FIREBASE_APPS,\n useFactory: firebaseAppFactory(fn),\n multi: true,\n deps: [NgZone, Injector, _AngularFireSchedulers, ...deps]\n }]);\n}\n\n// DO NOT MODIFY, this file is autogenerated by tools/build.ts\nconst deleteApp = /*#__PURE__*/_zoneWrap(deleteApp$1, true);\nconst getApp = /*#__PURE__*/_zoneWrap(getApp$1, true);\nconst getApps = /*#__PURE__*/_zoneWrap(getApps$1, true);\nconst initializeApp = /*#__PURE__*/_zoneWrap(initializeApp$1, true);\nconst initializeServerApp = /*#__PURE__*/_zoneWrap(initializeServerApp$1, true);\nconst onLog = /*#__PURE__*/_zoneWrap(onLog$1, true);\nconst registerVersion = /*#__PURE__*/_zoneWrap(registerVersion$1, true);\nconst setLogLevel = /*#__PURE__*/_zoneWrap(setLogLevel$1, true);\n\n/**\n * Generated bundle index. Do not edit.\n */\n\nexport { FirebaseApp, FirebaseAppModule, FirebaseApps, deleteApp, firebaseApp$, getApp, getApps, initializeApp, initializeServerApp, onLog, provideFirebaseApp, registerVersion, setLogLevel };\n","import { _getProvider, getApp, _registerComponent, registerVersion } from '@firebase/app';\nimport { Component } from '@firebase/component';\nimport { ErrorFactory, FirebaseError } from '@firebase/util';\nimport { openDB } from 'idb';\nconst name = \"@firebase/installations\";\nconst version = \"0.6.12\";\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nconst PENDING_TIMEOUT_MS = 10000;\nconst PACKAGE_VERSION = `w:${version}`;\nconst INTERNAL_AUTH_VERSION = 'FIS_v2';\nconst INSTALLATIONS_API_URL = 'https://firebaseinstallations.googleapis.com/v1';\nconst TOKEN_EXPIRATION_BUFFER = 60 * 60 * 1000; // One hour\nconst SERVICE = 'installations';\nconst SERVICE_NAME = 'Installations';\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nconst ERROR_DESCRIPTION_MAP = {\n [\"missing-app-config-values\" /* ErrorCode.MISSING_APP_CONFIG_VALUES */]: 'Missing App configuration value: \"{$valueName}\"',\n [\"not-registered\" /* ErrorCode.NOT_REGISTERED */]: 'Firebase Installation is not registered.',\n [\"installation-not-found\" /* ErrorCode.INSTALLATION_NOT_FOUND */]: 'Firebase Installation not found.',\n [\"request-failed\" /* ErrorCode.REQUEST_FAILED */]: '{$requestName} request failed with error \"{$serverCode} {$serverStatus}: {$serverMessage}\"',\n [\"app-offline\" /* ErrorCode.APP_OFFLINE */]: 'Could not process request. Application offline.',\n [\"delete-pending-registration\" /* ErrorCode.DELETE_PENDING_REGISTRATION */]: \"Can't delete installation while there is a pending registration request.\"\n};\nconst ERROR_FACTORY = new ErrorFactory(SERVICE, SERVICE_NAME, ERROR_DESCRIPTION_MAP);\n/** Returns true if error is a FirebaseError that is based on an error from the server. */\nfunction isServerError(error) {\n return error instanceof FirebaseError && error.code.includes(\"request-failed\" /* ErrorCode.REQUEST_FAILED */);\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nfunction getInstallationsEndpoint({\n projectId\n}) {\n return `${INSTALLATIONS_API_URL}/projects/${projectId}/installations`;\n}\nfunction extractAuthTokenInfoFromResponse(response) {\n return {\n token: response.token,\n requestStatus: 2 /* RequestStatus.COMPLETED */,\n expiresIn: getExpiresInFromResponseExpiresIn(response.expiresIn),\n creationTime: Date.now()\n };\n}\nasync function getErrorFromResponse(requestName, response) {\n const responseJson = await response.json();\n const errorData = responseJson.error;\n return ERROR_FACTORY.create(\"request-failed\" /* ErrorCode.REQUEST_FAILED */, {\n requestName,\n serverCode: errorData.code,\n serverMessage: errorData.message,\n serverStatus: errorData.status\n });\n}\nfunction getHeaders({\n apiKey\n}) {\n return new Headers({\n 'Content-Type': 'application/json',\n Accept: 'application/json',\n 'x-goog-api-key': apiKey\n });\n}\nfunction getHeadersWithAuth(appConfig, {\n refreshToken\n}) {\n const headers = getHeaders(appConfig);\n headers.append('Authorization', getAuthorizationHeader(refreshToken));\n return headers;\n}\n/**\n * Calls the passed in fetch wrapper and returns the response.\n * If the returned response has a status of 5xx, re-runs the function once and\n * returns the response.\n */\nasync function retryIfServerError(fn) {\n const result = await fn();\n if (result.status >= 500 && result.status < 600) {\n // Internal Server Error. Retry request.\n return fn();\n }\n return result;\n}\nfunction getExpiresInFromResponseExpiresIn(responseExpiresIn) {\n // This works because the server will never respond with fractions of a second.\n return Number(responseExpiresIn.replace('s', '000'));\n}\nfunction getAuthorizationHeader(refreshToken) {\n return `${INTERNAL_AUTH_VERSION} ${refreshToken}`;\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nasync function createInstallationRequest({\n appConfig,\n heartbeatServiceProvider\n}, {\n fid\n}) {\n const endpoint = getInstallationsEndpoint(appConfig);\n const headers = getHeaders(appConfig);\n // If heartbeat service exists, add the heartbeat string to the header.\n const heartbeatService = heartbeatServiceProvider.getImmediate({\n optional: true\n });\n if (heartbeatService) {\n const heartbeatsHeader = await heartbeatService.getHeartbeatsHeader();\n if (heartbeatsHeader) {\n headers.append('x-firebase-client', heartbeatsHeader);\n }\n }\n const body = {\n fid,\n authVersion: INTERNAL_AUTH_VERSION,\n appId: appConfig.appId,\n sdkVersion: PACKAGE_VERSION\n };\n const request = {\n method: 'POST',\n headers,\n body: JSON.stringify(body)\n };\n const response = await retryIfServerError(() => fetch(endpoint, request));\n if (response.ok) {\n const responseValue = await response.json();\n const registeredInstallationEntry = {\n fid: responseValue.fid || fid,\n registrationStatus: 2 /* RequestStatus.COMPLETED */,\n refreshToken: responseValue.refreshToken,\n authToken: extractAuthTokenInfoFromResponse(responseValue.authToken)\n };\n return registeredInstallationEntry;\n } else {\n throw await getErrorFromResponse('Create Installation', response);\n }\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/** Returns a promise that resolves after given time passes. */\nfunction sleep(ms) {\n return new Promise(resolve => {\n setTimeout(resolve, ms);\n });\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nfunction bufferToBase64UrlSafe(array) {\n const b64 = btoa(String.fromCharCode(...array));\n return b64.replace(/\\+/g, '-').replace(/\\//g, '_');\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nconst VALID_FID_PATTERN = /^[cdef][\\w-]{21}$/;\nconst INVALID_FID = '';\n/**\n * Generates a new FID using random values from Web Crypto API.\n * Returns an empty string if FID generation fails for any reason.\n */\nfunction generateFid() {\n try {\n // A valid FID has exactly 22 base64 characters, which is 132 bits, or 16.5\n // bytes. our implementation generates a 17 byte array instead.\n const fidByteArray = new Uint8Array(17);\n const crypto = self.crypto || self.msCrypto;\n crypto.getRandomValues(fidByteArray);\n // Replace the first 4 random bits with the constant FID header of 0b0111.\n fidByteArray[0] = 0b01110000 + fidByteArray[0] % 0b00010000;\n const fid = encode(fidByteArray);\n return VALID_FID_PATTERN.test(fid) ? fid : INVALID_FID;\n } catch (_a) {\n // FID generation errored\n return INVALID_FID;\n }\n}\n/** Converts a FID Uint8Array to a base64 string representation. */\nfunction encode(fidByteArray) {\n const b64String = bufferToBase64UrlSafe(fidByteArray);\n // Remove the 23rd character that was added because of the extra 4 bits at the\n // end of our 17 byte array, and the '=' padding.\n return b64String.substr(0, 22);\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/** Returns a string key that can be used to identify the app. */\nfunction getKey(appConfig) {\n return `${appConfig.appName}!${appConfig.appId}`;\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nconst fidChangeCallbacks = new Map();\n/**\n * Calls the onIdChange callbacks with the new FID value, and broadcasts the\n * change to other tabs.\n */\nfunction fidChanged(appConfig, fid) {\n const key = getKey(appConfig);\n callFidChangeCallbacks(key, fid);\n broadcastFidChange(key, fid);\n}\nfunction addCallback(appConfig, callback) {\n // Open the broadcast channel if it's not already open,\n // to be able to listen to change events from other tabs.\n getBroadcastChannel();\n const key = getKey(appConfig);\n let callbackSet = fidChangeCallbacks.get(key);\n if (!callbackSet) {\n callbackSet = new Set();\n fidChangeCallbacks.set(key, callbackSet);\n }\n callbackSet.add(callback);\n}\nfunction removeCallback(appConfig, callback) {\n const key = getKey(appConfig);\n const callbackSet = fidChangeCallbacks.get(key);\n if (!callbackSet) {\n return;\n }\n callbackSet.delete(callback);\n if (callbackSet.size === 0) {\n fidChangeCallbacks.delete(key);\n }\n // Close broadcast channel if there are no more callbacks.\n closeBroadcastChannel();\n}\nfunction callFidChangeCallbacks(key, fid) {\n const callbacks = fidChangeCallbacks.get(key);\n if (!callbacks) {\n return;\n }\n for (const callback of callbacks) {\n callback(fid);\n }\n}\nfunction broadcastFidChange(key, fid) {\n const channel = getBroadcastChannel();\n if (channel) {\n channel.postMessage({\n key,\n fid\n });\n }\n closeBroadcastChannel();\n}\nlet broadcastChannel = null;\n/** Opens and returns a BroadcastChannel if it is supported by the browser. */\nfunction getBroadcastChannel() {\n if (!broadcastChannel && 'BroadcastChannel' in self) {\n broadcastChannel = new BroadcastChannel('[Firebase] FID Change');\n broadcastChannel.onmessage = e => {\n callFidChangeCallbacks(e.data.key, e.data.fid);\n };\n }\n return broadcastChannel;\n}\nfunction closeBroadcastChannel() {\n if (fidChangeCallbacks.size === 0 && broadcastChannel) {\n broadcastChannel.close();\n broadcastChannel = null;\n }\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nconst DATABASE_NAME = 'firebase-installations-database';\nconst DATABASE_VERSION = 1;\nconst OBJECT_STORE_NAME = 'firebase-installations-store';\nlet dbPromise = null;\nfunction getDbPromise() {\n if (!dbPromise) {\n dbPromise = openDB(DATABASE_NAME, DATABASE_VERSION, {\n upgrade: (db, oldVersion) => {\n // We don't use 'break' in this switch statement, the fall-through\n // behavior is what we want, because if there are multiple versions between\n // the old version and the current version, we want ALL the migrations\n // that correspond to those versions to run, not only the last one.\n // eslint-disable-next-line default-case\n switch (oldVersion) {\n case 0:\n db.createObjectStore(OBJECT_STORE_NAME);\n }\n }\n });\n }\n return dbPromise;\n}\n/** Assigns or overwrites the record for the given key with the given value. */\nasync function set(appConfig, value) {\n const key = getKey(appConfig);\n const db = await getDbPromise();\n const tx = db.transaction(OBJECT_STORE_NAME, 'readwrite');\n const objectStore = tx.objectStore(OBJECT_STORE_NAME);\n const oldValue = await objectStore.get(key);\n await objectStore.put(value, key);\n await tx.done;\n if (!oldValue || oldValue.fid !== value.fid) {\n fidChanged(appConfig, value.fid);\n }\n return value;\n}\n/** Removes record(s) from the objectStore that match the given key. */\nasync function remove(appConfig) {\n const key = getKey(appConfig);\n const db = await getDbPromise();\n const tx = db.transaction(OBJECT_STORE_NAME, 'readwrite');\n await tx.objectStore(OBJECT_STORE_NAME).delete(key);\n await tx.done;\n}\n/**\n * Atomically updates a record with the result of updateFn, which gets\n * called with the current value. If newValue is undefined, the record is\n * deleted instead.\n * @return Updated value\n */\nasync function update(appConfig, updateFn) {\n const key = getKey(appConfig);\n const db = await getDbPromise();\n const tx = db.transaction(OBJECT_STORE_NAME, 'readwrite');\n const store = tx.objectStore(OBJECT_STORE_NAME);\n const oldValue = await store.get(key);\n const newValue = updateFn(oldValue);\n if (newValue === undefined) {\n await store.delete(key);\n } else {\n await store.put(newValue, key);\n }\n await tx.done;\n if (newValue && (!oldValue || oldValue.fid !== newValue.fid)) {\n fidChanged(appConfig, newValue.fid);\n }\n return newValue;\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Updates and returns the InstallationEntry from the database.\n * Also triggers a registration request if it is necessary and possible.\n */\nasync function getInstallationEntry(installations) {\n let registrationPromise;\n const installationEntry = await update(installations.appConfig, oldEntry => {\n const installationEntry = updateOrCreateInstallationEntry(oldEntry);\n const entryWithPromise = triggerRegistrationIfNecessary(installations, installationEntry);\n registrationPromise = entryWithPromise.registrationPromise;\n return entryWithPromise.installationEntry;\n });\n if (installationEntry.fid === INVALID_FID) {\n // FID generation failed. Waiting for the FID from the server.\n return {\n installationEntry: await registrationPromise\n };\n }\n return {\n installationEntry,\n registrationPromise\n };\n}\n/**\n * Creates a new Installation Entry if one does not exist.\n * Also clears timed out pending requests.\n */\nfunction updateOrCreateInstallationEntry(oldEntry) {\n const entry = oldEntry || {\n fid: generateFid(),\n registrationStatus: 0 /* RequestStatus.NOT_STARTED */\n };\n return clearTimedOutRequest(entry);\n}\n/**\n * If the Firebase Installation is not registered yet, this will trigger the\n * registration and return an InProgressInstallationEntry.\n *\n * If registrationPromise does not exist, the installationEntry is guaranteed\n * to be registered.\n */\nfunction triggerRegistrationIfNecessary(installations, installationEntry) {\n if (installationEntry.registrationStatus === 0 /* RequestStatus.NOT_STARTED */) {\n if (!navigator.onLine) {\n // Registration required but app is offline.\n const registrationPromiseWithError = Promise.reject(ERROR_FACTORY.create(\"app-offline\" /* ErrorCode.APP_OFFLINE */));\n return {\n installationEntry,\n registrationPromise: registrationPromiseWithError\n };\n }\n // Try registering. Change status to IN_PROGRESS.\n const inProgressEntry = {\n fid: installationEntry.fid,\n registrationStatus: 1 /* RequestStatus.IN_PROGRESS */,\n registrationTime: Date.now()\n };\n const registrationPromise = registerInstallation(installations, inProgressEntry);\n return {\n installationEntry: inProgressEntry,\n registrationPromise\n };\n } else if (installationEntry.registrationStatus === 1 /* RequestStatus.IN_PROGRESS */) {\n return {\n installationEntry,\n registrationPromise: waitUntilFidRegistration(installations)\n };\n } else {\n return {\n installationEntry\n };\n }\n}\n/** This will be executed only once for each new Firebase Installation. */\nasync function registerInstallation(installations, installationEntry) {\n try {\n const registeredInstallationEntry = await createInstallationRequest(installations, installationEntry);\n return set(installations.appConfig, registeredInstallationEntry);\n } catch (e) {\n if (isServerError(e) && e.customData.serverCode === 409) {\n // Server returned a \"FID cannot be used\" error.\n // Generate a new ID next time.\n await remove(installations.appConfig);\n } else {\n // Registration failed. Set FID as not registered.\n await set(installations.appConfig, {\n fid: installationEntry.fid,\n registrationStatus: 0 /* RequestStatus.NOT_STARTED */\n });\n }\n throw e;\n }\n}\n/** Call if FID registration is pending in another request. */\nasync function waitUntilFidRegistration(installations) {\n // Unfortunately, there is no way of reliably observing when a value in\n // IndexedDB changes (yet, see https://github.com/WICG/indexed-db-observers),\n // so we need to poll.\n let entry = await updateInstallationRequest(installations.appConfig);\n while (entry.registrationStatus === 1 /* RequestStatus.IN_PROGRESS */) {\n // createInstallation request still in progress.\n await sleep(100);\n entry = await updateInstallationRequest(installations.appConfig);\n }\n if (entry.registrationStatus === 0 /* RequestStatus.NOT_STARTED */) {\n // The request timed out or failed in a different call. Try again.\n const {\n installationEntry,\n registrationPromise\n } = await getInstallationEntry(installations);\n if (registrationPromise) {\n return registrationPromise;\n } else {\n // if there is no registrationPromise, entry is registered.\n return installationEntry;\n }\n }\n return entry;\n}\n/**\n * Called only if there is a CreateInstallation request in progress.\n *\n * Updates the InstallationEntry in the DB based on the status of the\n * CreateInstallation request.\n *\n * Returns the updated InstallationEntry.\n */\nfunction updateInstallationRequest(appConfig) {\n return update(appConfig, oldEntry => {\n if (!oldEntry) {\n throw ERROR_FACTORY.create(\"installation-not-found\" /* ErrorCode.INSTALLATION_NOT_FOUND */);\n }\n return clearTimedOutRequest(oldEntry);\n });\n}\nfunction clearTimedOutRequest(entry) {\n if (hasInstallationRequestTimedOut(entry)) {\n return {\n fid: entry.fid,\n registrationStatus: 0 /* RequestStatus.NOT_STARTED */\n };\n }\n return entry;\n}\nfunction hasInstallationRequestTimedOut(installationEntry) {\n return installationEntry.registrationStatus === 1 /* RequestStatus.IN_PROGRESS */ && installationEntry.registrationTime + PENDING_TIMEOUT_MS < Date.now();\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nasync function generateAuthTokenRequest({\n appConfig,\n heartbeatServiceProvider\n}, installationEntry) {\n const endpoint = getGenerateAuthTokenEndpoint(appConfig, installationEntry);\n const headers = getHeadersWithAuth(appConfig, installationEntry);\n // If heartbeat service exists, add the heartbeat string to the header.\n const heartbeatService = heartbeatServiceProvider.getImmediate({\n optional: true\n });\n if (heartbeatService) {\n const heartbeatsHeader = await heartbeatService.getHeartbeatsHeader();\n if (heartbeatsHeader) {\n headers.append('x-firebase-client', heartbeatsHeader);\n }\n }\n const body = {\n installation: {\n sdkVersion: PACKAGE_VERSION,\n appId: appConfig.appId\n }\n };\n const request = {\n method: 'POST',\n headers,\n body: JSON.stringify(body)\n };\n const response = await retryIfServerError(() => fetch(endpoint, request));\n if (response.ok) {\n const responseValue = await response.json();\n const completedAuthToken = extractAuthTokenInfoFromResponse(responseValue);\n return completedAuthToken;\n } else {\n throw await getErrorFromResponse('Generate Auth Token', response);\n }\n}\nfunction getGenerateAuthTokenEndpoint(appConfig, {\n fid\n}) {\n return `${getInstallationsEndpoint(appConfig)}/${fid}/authTokens:generate`;\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Returns a valid authentication token for the installation. Generates a new\n * token if one doesn't exist, is expired or about to expire.\n *\n * Should only be called if the Firebase Installation is registered.\n */\nasync function refreshAuthToken(installations, forceRefresh = false) {\n let tokenPromise;\n const entry = await update(installations.appConfig, oldEntry => {\n if (!isEntryRegistered(oldEntry)) {\n throw ERROR_FACTORY.create(\"not-registered\" /* ErrorCode.NOT_REGISTERED */);\n }\n const oldAuthToken = oldEntry.authToken;\n if (!forceRefresh && isAuthTokenValid(oldAuthToken)) {\n // There is a valid token in the DB.\n return oldEntry;\n } else if (oldAuthToken.requestStatus === 1 /* RequestStatus.IN_PROGRESS */) {\n // There already is a token request in progress.\n tokenPromise = waitUntilAuthTokenRequest(installations, forceRefresh);\n return oldEntry;\n } else {\n // No token or token expired.\n if (!navigator.onLine) {\n throw ERROR_FACTORY.create(\"app-offline\" /* ErrorCode.APP_OFFLINE */);\n }\n const inProgressEntry = makeAuthTokenRequestInProgressEntry(oldEntry);\n tokenPromise = fetchAuthTokenFromServer(installations, inProgressEntry);\n return inProgressEntry;\n }\n });\n const authToken = tokenPromise ? await tokenPromise : entry.authToken;\n return authToken;\n}\n/**\n * Call only if FID is registered and Auth Token request is in progress.\n *\n * Waits until the current pending request finishes. If the request times out,\n * tries once in this thread as well.\n */\nasync function waitUntilAuthTokenRequest(installations, forceRefresh) {\n // Unfortunately, there is no way of reliably observing when a value in\n // IndexedDB changes (yet, see https://github.com/WICG/indexed-db-observers),\n // so we need to poll.\n let entry = await updateAuthTokenRequest(installations.appConfig);\n while (entry.authToken.requestStatus === 1 /* RequestStatus.IN_PROGRESS */) {\n // generateAuthToken still in progress.\n await sleep(100);\n entry = await updateAuthTokenRequest(installations.appConfig);\n }\n const authToken = entry.authToken;\n if (authToken.requestStatus === 0 /* RequestStatus.NOT_STARTED */) {\n // The request timed out or failed in a different call. Try again.\n return refreshAuthToken(installations, forceRefresh);\n } else {\n return authToken;\n }\n}\n/**\n * Called only if there is a GenerateAuthToken request in progress.\n *\n * Updates the InstallationEntry in the DB based on the status of the\n * GenerateAuthToken request.\n *\n * Returns the updated InstallationEntry.\n */\nfunction updateAuthTokenRequest(appConfig) {\n return update(appConfig, oldEntry => {\n if (!isEntryRegistered(oldEntry)) {\n throw ERROR_FACTORY.create(\"not-registered\" /* ErrorCode.NOT_REGISTERED */);\n }\n const oldAuthToken = oldEntry.authToken;\n if (hasAuthTokenRequestTimedOut(oldAuthToken)) {\n return Object.assign(Object.assign({}, oldEntry), {\n authToken: {\n requestStatus: 0 /* RequestStatus.NOT_STARTED */\n }\n });\n }\n return oldEntry;\n });\n}\nasync function fetchAuthTokenFromServer(installations, installationEntry) {\n try {\n const authToken = await generateAuthTokenRequest(installations, installationEntry);\n const updatedInstallationEntry = Object.assign(Object.assign({}, installationEntry), {\n authToken\n });\n await set(installations.appConfig, updatedInstallationEntry);\n return authToken;\n } catch (e) {\n if (isServerError(e) && (e.customData.serverCode === 401 || e.customData.serverCode === 404)) {\n // Server returned a \"FID not found\" or a \"Invalid authentication\" error.\n // Generate a new ID next time.\n await remove(installations.appConfig);\n } else {\n const updatedInstallationEntry = Object.assign(Object.assign({}, installationEntry), {\n authToken: {\n requestStatus: 0 /* RequestStatus.NOT_STARTED */\n }\n });\n await set(installations.appConfig, updatedInstallationEntry);\n }\n throw e;\n }\n}\nfunction isEntryRegistered(installationEntry) {\n return installationEntry !== undefined && installationEntry.registrationStatus === 2 /* RequestStatus.COMPLETED */;\n}\nfunction isAuthTokenValid(authToken) {\n return authToken.requestStatus === 2 /* RequestStatus.COMPLETED */ && !isAuthTokenExpired(authToken);\n}\nfunction isAuthTokenExpired(authToken) {\n const now = Date.now();\n return now < authToken.creationTime || authToken.creationTime + authToken.expiresIn < now + TOKEN_EXPIRATION_BUFFER;\n}\n/** Returns an updated InstallationEntry with an InProgressAuthToken. */\nfunction makeAuthTokenRequestInProgressEntry(oldEntry) {\n const inProgressAuthToken = {\n requestStatus: 1 /* RequestStatus.IN_PROGRESS */,\n requestTime: Date.now()\n };\n return Object.assign(Object.assign({}, oldEntry), {\n authToken: inProgressAuthToken\n });\n}\nfunction hasAuthTokenRequestTimedOut(authToken) {\n return authToken.requestStatus === 1 /* RequestStatus.IN_PROGRESS */ && authToken.requestTime + PENDING_TIMEOUT_MS < Date.now();\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Creates a Firebase Installation if there isn't one for the app and\n * returns the Installation ID.\n * @param installations - The `Installations` instance.\n *\n * @public\n */\nasync function getId(installations) {\n const installationsImpl = installations;\n const {\n installationEntry,\n registrationPromise\n } = await getInstallationEntry(installationsImpl);\n if (registrationPromise) {\n registrationPromise.catch(console.error);\n } else {\n // If the installation is already registered, update the authentication\n // token if needed.\n refreshAuthToken(installationsImpl).catch(console.error);\n }\n return installationEntry.fid;\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Returns a Firebase Installations auth token, identifying the current\n * Firebase Installation.\n * @param installations - The `Installations` instance.\n * @param forceRefresh - Force refresh regardless of token expiration.\n *\n * @public\n */\nasync function getToken(installations, forceRefresh = false) {\n const installationsImpl = installations;\n await completeInstallationRegistration(installationsImpl);\n // At this point we either have a Registered Installation in the DB, or we've\n // already thrown an error.\n const authToken = await refreshAuthToken(installationsImpl, forceRefresh);\n return authToken.token;\n}\nasync function completeInstallationRegistration(installations) {\n const {\n registrationPromise\n } = await getInstallationEntry(installations);\n if (registrationPromise) {\n // A createInstallation request is in progress. Wait until it finishes.\n await registrationPromise;\n }\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nasync function deleteInstallationRequest(appConfig, installationEntry) {\n const endpoint = getDeleteEndpoint(appConfig, installationEntry);\n const headers = getHeadersWithAuth(appConfig, installationEntry);\n const request = {\n method: 'DELETE',\n headers\n };\n const response = await retryIfServerError(() => fetch(endpoint, request));\n if (!response.ok) {\n throw await getErrorFromResponse('Delete Installation', response);\n }\n}\nfunction getDeleteEndpoint(appConfig, {\n fid\n}) {\n return `${getInstallationsEndpoint(appConfig)}/${fid}`;\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Deletes the Firebase Installation and all associated data.\n * @param installations - The `Installations` instance.\n *\n * @public\n */\nasync function deleteInstallations(installations) {\n const {\n appConfig\n } = installations;\n const entry = await update(appConfig, oldEntry => {\n if (oldEntry && oldEntry.registrationStatus === 0 /* RequestStatus.NOT_STARTED */) {\n // Delete the unregistered entry without sending a deleteInstallation request.\n return undefined;\n }\n return oldEntry;\n });\n if (entry) {\n if (entry.registrationStatus === 1 /* RequestStatus.IN_PROGRESS */) {\n // Can't delete while trying to register.\n throw ERROR_FACTORY.create(\"delete-pending-registration\" /* ErrorCode.DELETE_PENDING_REGISTRATION */);\n } else if (entry.registrationStatus === 2 /* RequestStatus.COMPLETED */) {\n if (!navigator.onLine) {\n throw ERROR_FACTORY.create(\"app-offline\" /* ErrorCode.APP_OFFLINE */);\n } else {\n await deleteInstallationRequest(appConfig, entry);\n await remove(appConfig);\n }\n }\n }\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Sets a new callback that will get called when Installation ID changes.\n * Returns an unsubscribe function that will remove the callback when called.\n * @param installations - The `Installations` instance.\n * @param callback - The callback function that is invoked when FID changes.\n * @returns A function that can be called to unsubscribe.\n *\n * @public\n */\nfunction onIdChange(installations, callback) {\n const {\n appConfig\n } = installations;\n addCallback(appConfig, callback);\n return () => {\n removeCallback(appConfig, callback);\n };\n}\n\n/**\n * @license\n * Copyright 2020 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Returns an instance of {@link Installations} associated with the given\n * {@link @firebase/app#FirebaseApp} instance.\n * @param app - The {@link @firebase/app#FirebaseApp} instance.\n *\n * @public\n */\nfunction getInstallations(app = getApp()) {\n const installationsImpl = _getProvider(app, 'installations').getImmediate();\n return installationsImpl;\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nfunction extractAppConfig(app) {\n if (!app || !app.options) {\n throw getMissingValueError('App Configuration');\n }\n if (!app.name) {\n throw getMissingValueError('App Name');\n }\n // Required app config keys\n const configKeys = ['projectId', 'apiKey', 'appId'];\n for (const keyName of configKeys) {\n if (!app.options[keyName]) {\n throw getMissingValueError(keyName);\n }\n }\n return {\n appName: app.name,\n projectId: app.options.projectId,\n apiKey: app.options.apiKey,\n appId: app.options.appId\n };\n}\nfunction getMissingValueError(valueName) {\n return ERROR_FACTORY.create(\"missing-app-config-values\" /* ErrorCode.MISSING_APP_CONFIG_VALUES */, {\n valueName\n });\n}\n\n/**\n * @license\n * Copyright 2020 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nconst INSTALLATIONS_NAME = 'installations';\nconst INSTALLATIONS_NAME_INTERNAL = 'installations-internal';\nconst publicFactory = container => {\n const app = container.getProvider('app').getImmediate();\n // Throws if app isn't configured properly.\n const appConfig = extractAppConfig(app);\n const heartbeatServiceProvider = _getProvider(app, 'heartbeat');\n const installationsImpl = {\n app,\n appConfig,\n heartbeatServiceProvider,\n _delete: () => Promise.resolve()\n };\n return installationsImpl;\n};\nconst internalFactory = container => {\n const app = container.getProvider('app').getImmediate();\n // Internal FIS instance relies on public FIS instance.\n const installations = _getProvider(app, INSTALLATIONS_NAME).getImmediate();\n const installationsInternal = {\n getId: () => getId(installations),\n getToken: forceRefresh => getToken(installations, forceRefresh)\n };\n return installationsInternal;\n};\nfunction registerInstallations() {\n _registerComponent(new Component(INSTALLATIONS_NAME, publicFactory, \"PUBLIC\" /* ComponentType.PUBLIC */));\n _registerComponent(new Component(INSTALLATIONS_NAME_INTERNAL, internalFactory, \"PRIVATE\" /* ComponentType.PRIVATE */));\n}\n\n/**\n * The Firebase Installations Web SDK.\n * This SDK does not work in a Node.js environment.\n *\n * @packageDocumentation\n */\nregisterInstallations();\nregisterVersion(name, version);\n// BUILD_TARGET will be replaced by values like esm2017, cjs2017, etc during the compilation\nregisterVersion(name, version, 'esm2017');\nexport { deleteInstallations, getId, getInstallations, getToken, onIdChange };\n","import '@firebase/installations';\nimport { Component } from '@firebase/component';\nimport { openDB, deleteDB } from 'idb';\nimport { ErrorFactory, validateIndexedDBOpenable, isIndexedDBAvailable, areCookiesEnabled, getModularInstance } from '@firebase/util';\nimport { _registerComponent, registerVersion, _getProvider, getApp } from '@firebase/app';\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nconst DEFAULT_SW_PATH = '/firebase-messaging-sw.js';\nconst DEFAULT_SW_SCOPE = '/firebase-cloud-messaging-push-scope';\nconst DEFAULT_VAPID_KEY = 'BDOU99-h67HcA6JeFXHbSNMu7e2yNNu3RzoMj8TM4W88jITfq7ZmPvIM1Iv-4_l2LxQcYwhqby2xGpWwzjfAnG4';\nconst ENDPOINT = 'https://fcmregistrations.googleapis.com/v1';\nconst CONSOLE_CAMPAIGN_ID = 'google.c.a.c_id';\nconst CONSOLE_CAMPAIGN_NAME = 'google.c.a.c_l';\nconst CONSOLE_CAMPAIGN_TIME = 'google.c.a.ts';\n/** Set to '1' if Analytics is enabled for the campaign */\nconst CONSOLE_CAMPAIGN_ANALYTICS_ENABLED = 'google.c.a.e';\nconst DEFAULT_REGISTRATION_TIMEOUT = 10000;\nvar MessageType$1 = /*#__PURE__*/function (MessageType) {\n MessageType[MessageType[\"DATA_MESSAGE\"] = 1] = \"DATA_MESSAGE\";\n MessageType[MessageType[\"DISPLAY_NOTIFICATION\"] = 3] = \"DISPLAY_NOTIFICATION\";\n return MessageType;\n}(MessageType$1 || {});\n/**\n * @license\n * Copyright 2018 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\"); you may not use this file except\n * in compliance with the License. You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software distributed under the License\n * is distributed on an \"AS IS\" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express\n * or implied. See the License for the specific language governing permissions and limitations under\n * the License.\n */\nvar MessageType = /*#__PURE__*/function (MessageType) {\n MessageType[\"PUSH_RECEIVED\"] = \"push-received\";\n MessageType[\"NOTIFICATION_CLICKED\"] = \"notification-clicked\";\n return MessageType;\n}(MessageType || {});\n/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nfunction arrayToBase64(array) {\n const uint8Array = new Uint8Array(array);\n const base64String = btoa(String.fromCharCode(...uint8Array));\n return base64String.replace(/=/g, '').replace(/\\+/g, '-').replace(/\\//g, '_');\n}\nfunction base64ToArray(base64String) {\n const padding = '='.repeat((4 - base64String.length % 4) % 4);\n const base64 = (base64String + padding).replace(/\\-/g, '+').replace(/_/g, '/');\n const rawData = atob(base64);\n const outputArray = new Uint8Array(rawData.length);\n for (let i = 0; i < rawData.length; ++i) {\n outputArray[i] = rawData.charCodeAt(i);\n }\n return outputArray;\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nconst OLD_DB_NAME = 'fcm_token_details_db';\n/**\n * The last DB version of 'fcm_token_details_db' was 4. This is one higher, so that the upgrade\n * callback is called for all versions of the old DB.\n */\nconst OLD_DB_VERSION = 5;\nconst OLD_OBJECT_STORE_NAME = 'fcm_token_object_Store';\nasync function migrateOldDatabase(senderId) {\n if ('databases' in indexedDB) {\n // indexedDb.databases() is an IndexedDB v3 API and does not exist in all browsers. TODO: Remove\n // typecast when it lands in TS types.\n const databases = await indexedDB.databases();\n const dbNames = databases.map(db => db.name);\n if (!dbNames.includes(OLD_DB_NAME)) {\n // old DB didn't exist, no need to open.\n return null;\n }\n }\n let tokenDetails = null;\n const db = await openDB(OLD_DB_NAME, OLD_DB_VERSION, {\n upgrade: async (db, oldVersion, newVersion, upgradeTransaction) => {\n var _a;\n if (oldVersion < 2) {\n // Database too old, skip migration.\n return;\n }\n if (!db.objectStoreNames.contains(OLD_OBJECT_STORE_NAME)) {\n // Database did not exist. Nothing to do.\n return;\n }\n const objectStore = upgradeTransaction.objectStore(OLD_OBJECT_STORE_NAME);\n const value = await objectStore.index('fcmSenderId').get(senderId);\n await objectStore.clear();\n if (!value) {\n // No entry in the database, nothing to migrate.\n return;\n }\n if (oldVersion === 2) {\n const oldDetails = value;\n if (!oldDetails.auth || !oldDetails.p256dh || !oldDetails.endpoint) {\n return;\n }\n tokenDetails = {\n token: oldDetails.fcmToken,\n createTime: (_a = oldDetails.createTime) !== null && _a !== void 0 ? _a : Date.now(),\n subscriptionOptions: {\n auth: oldDetails.auth,\n p256dh: oldDetails.p256dh,\n endpoint: oldDetails.endpoint,\n swScope: oldDetails.swScope,\n vapidKey: typeof oldDetails.vapidKey === 'string' ? oldDetails.vapidKey : arrayToBase64(oldDetails.vapidKey)\n }\n };\n } else if (oldVersion === 3) {\n const oldDetails = value;\n tokenDetails = {\n token: oldDetails.fcmToken,\n createTime: oldDetails.createTime,\n subscriptionOptions: {\n auth: arrayToBase64(oldDetails.auth),\n p256dh: arrayToBase64(oldDetails.p256dh),\n endpoint: oldDetails.endpoint,\n swScope: oldDetails.swScope,\n vapidKey: arrayToBase64(oldDetails.vapidKey)\n }\n };\n } else if (oldVersion === 4) {\n const oldDetails = value;\n tokenDetails = {\n token: oldDetails.fcmToken,\n createTime: oldDetails.createTime,\n subscriptionOptions: {\n auth: arrayToBase64(oldDetails.auth),\n p256dh: arrayToBase64(oldDetails.p256dh),\n endpoint: oldDetails.endpoint,\n swScope: oldDetails.swScope,\n vapidKey: arrayToBase64(oldDetails.vapidKey)\n }\n };\n }\n }\n });\n db.close();\n // Delete all old databases.\n await deleteDB(OLD_DB_NAME);\n await deleteDB('fcm_vapid_details_db');\n await deleteDB('undefined');\n return checkTokenDetails(tokenDetails) ? tokenDetails : null;\n}\nfunction checkTokenDetails(tokenDetails) {\n if (!tokenDetails || !tokenDetails.subscriptionOptions) {\n return false;\n }\n const {\n subscriptionOptions\n } = tokenDetails;\n return typeof tokenDetails.createTime === 'number' && tokenDetails.createTime > 0 && typeof tokenDetails.token === 'string' && tokenDetails.token.length > 0 && typeof subscriptionOptions.auth === 'string' && subscriptionOptions.auth.length > 0 && typeof subscriptionOptions.p256dh === 'string' && subscriptionOptions.p256dh.length > 0 && typeof subscriptionOptions.endpoint === 'string' && subscriptionOptions.endpoint.length > 0 && typeof subscriptionOptions.swScope === 'string' && subscriptionOptions.swScope.length > 0 && typeof subscriptionOptions.vapidKey === 'string' && subscriptionOptions.vapidKey.length > 0;\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n// Exported for tests.\nconst DATABASE_NAME = 'firebase-messaging-database';\nconst DATABASE_VERSION = 1;\nconst OBJECT_STORE_NAME = 'firebase-messaging-store';\nlet dbPromise = null;\nfunction getDbPromise() {\n if (!dbPromise) {\n dbPromise = openDB(DATABASE_NAME, DATABASE_VERSION, {\n upgrade: (upgradeDb, oldVersion) => {\n // We don't use 'break' in this switch statement, the fall-through behavior is what we want,\n // because if there are multiple versions between the old version and the current version, we\n // want ALL the migrations that correspond to those versions to run, not only the last one.\n // eslint-disable-next-line default-case\n switch (oldVersion) {\n case 0:\n upgradeDb.createObjectStore(OBJECT_STORE_NAME);\n }\n }\n });\n }\n return dbPromise;\n}\n/** Gets record(s) from the objectStore that match the given key. */\nasync function dbGet(firebaseDependencies) {\n const key = getKey(firebaseDependencies);\n const db = await getDbPromise();\n const tokenDetails = await db.transaction(OBJECT_STORE_NAME).objectStore(OBJECT_STORE_NAME).get(key);\n if (tokenDetails) {\n return tokenDetails;\n } else {\n // Check if there is a tokenDetails object in the old DB.\n const oldTokenDetails = await migrateOldDatabase(firebaseDependencies.appConfig.senderId);\n if (oldTokenDetails) {\n await dbSet(firebaseDependencies, oldTokenDetails);\n return oldTokenDetails;\n }\n }\n}\n/** Assigns or overwrites the record for the given key with the given value. */\nasync function dbSet(firebaseDependencies, tokenDetails) {\n const key = getKey(firebaseDependencies);\n const db = await getDbPromise();\n const tx = db.transaction(OBJECT_STORE_NAME, 'readwrite');\n await tx.objectStore(OBJECT_STORE_NAME).put(tokenDetails, key);\n await tx.done;\n return tokenDetails;\n}\n/** Removes record(s) from the objectStore that match the given key. */\nasync function dbRemove(firebaseDependencies) {\n const key = getKey(firebaseDependencies);\n const db = await getDbPromise();\n const tx = db.transaction(OBJECT_STORE_NAME, 'readwrite');\n await tx.objectStore(OBJECT_STORE_NAME).delete(key);\n await tx.done;\n}\nfunction getKey({\n appConfig\n}) {\n return appConfig.appId;\n}\n\n/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nconst ERROR_MAP = {\n [\"missing-app-config-values\" /* ErrorCode.MISSING_APP_CONFIG_VALUES */]: 'Missing App configuration value: \"{$valueName}\"',\n [\"only-available-in-window\" /* ErrorCode.AVAILABLE_IN_WINDOW */]: 'This method is available in a Window context.',\n [\"only-available-in-sw\" /* ErrorCode.AVAILABLE_IN_SW */]: 'This method is available in a service worker context.',\n [\"permission-default\" /* ErrorCode.PERMISSION_DEFAULT */]: 'The notification permission was not granted and dismissed instead.',\n [\"permission-blocked\" /* ErrorCode.PERMISSION_BLOCKED */]: 'The notification permission was not granted and blocked instead.',\n [\"unsupported-browser\" /* ErrorCode.UNSUPPORTED_BROWSER */]: \"This browser doesn't support the API's required to use the Firebase SDK.\",\n [\"indexed-db-unsupported\" /* ErrorCode.INDEXED_DB_UNSUPPORTED */]: \"This browser doesn't support indexedDb.open() (ex. Safari iFrame, Firefox Private Browsing, etc)\",\n [\"failed-service-worker-registration\" /* ErrorCode.FAILED_DEFAULT_REGISTRATION */]: 'We are unable to register the default service worker. {$browserErrorMessage}',\n [\"token-subscribe-failed\" /* ErrorCode.TOKEN_SUBSCRIBE_FAILED */]: 'A problem occurred while subscribing the user to FCM: {$errorInfo}',\n [\"token-subscribe-no-token\" /* ErrorCode.TOKEN_SUBSCRIBE_NO_TOKEN */]: 'FCM returned no token when subscribing the user to push.',\n [\"token-unsubscribe-failed\" /* ErrorCode.TOKEN_UNSUBSCRIBE_FAILED */]: 'A problem occurred while unsubscribing the ' + 'user from FCM: {$errorInfo}',\n [\"token-update-failed\" /* ErrorCode.TOKEN_UPDATE_FAILED */]: 'A problem occurred while updating the user from FCM: {$errorInfo}',\n [\"token-update-no-token\" /* ErrorCode.TOKEN_UPDATE_NO_TOKEN */]: 'FCM returned no token when updating the user to push.',\n [\"use-sw-after-get-token\" /* ErrorCode.USE_SW_AFTER_GET_TOKEN */]: 'The useServiceWorker() method may only be called once and must be ' + 'called before calling getToken() to ensure your service worker is used.',\n [\"invalid-sw-registration\" /* ErrorCode.INVALID_SW_REGISTRATION */]: 'The input to useServiceWorker() must be a ServiceWorkerRegistration.',\n [\"invalid-bg-handler\" /* ErrorCode.INVALID_BG_HANDLER */]: 'The input to setBackgroundMessageHandler() must be a function.',\n [\"invalid-vapid-key\" /* ErrorCode.INVALID_VAPID_KEY */]: 'The public VAPID key must be a string.',\n [\"use-vapid-key-after-get-token\" /* ErrorCode.USE_VAPID_KEY_AFTER_GET_TOKEN */]: 'The usePublicVapidKey() method may only be called once and must be ' + 'called before calling getToken() to ensure your VAPID key is used.'\n};\nconst ERROR_FACTORY = new ErrorFactory('messaging', 'Messaging', ERROR_MAP);\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nasync function requestGetToken(firebaseDependencies, subscriptionOptions) {\n const headers = await getHeaders(firebaseDependencies);\n const body = getBody(subscriptionOptions);\n const subscribeOptions = {\n method: 'POST',\n headers,\n body: JSON.stringify(body)\n };\n let responseData;\n try {\n const response = await fetch(getEndpoint(firebaseDependencies.appConfig), subscribeOptions);\n responseData = await response.json();\n } catch (err) {\n throw ERROR_FACTORY.create(\"token-subscribe-failed\" /* ErrorCode.TOKEN_SUBSCRIBE_FAILED */, {\n errorInfo: err === null || err === void 0 ? void 0 : err.toString()\n });\n }\n if (responseData.error) {\n const message = responseData.error.message;\n throw ERROR_FACTORY.create(\"token-subscribe-failed\" /* ErrorCode.TOKEN_SUBSCRIBE_FAILED */, {\n errorInfo: message\n });\n }\n if (!responseData.token) {\n throw ERROR_FACTORY.create(\"token-subscribe-no-token\" /* ErrorCode.TOKEN_SUBSCRIBE_NO_TOKEN */);\n }\n return responseData.token;\n}\nasync function requestUpdateToken(firebaseDependencies, tokenDetails) {\n const headers = await getHeaders(firebaseDependencies);\n const body = getBody(tokenDetails.subscriptionOptions);\n const updateOptions = {\n method: 'PATCH',\n headers,\n body: JSON.stringify(body)\n };\n let responseData;\n try {\n const response = await fetch(`${getEndpoint(firebaseDependencies.appConfig)}/${tokenDetails.token}`, updateOptions);\n responseData = await response.json();\n } catch (err) {\n throw ERROR_FACTORY.create(\"token-update-failed\" /* ErrorCode.TOKEN_UPDATE_FAILED */, {\n errorInfo: err === null || err === void 0 ? void 0 : err.toString()\n });\n }\n if (responseData.error) {\n const message = responseData.error.message;\n throw ERROR_FACTORY.create(\"token-update-failed\" /* ErrorCode.TOKEN_UPDATE_FAILED */, {\n errorInfo: message\n });\n }\n if (!responseData.token) {\n throw ERROR_FACTORY.create(\"token-update-no-token\" /* ErrorCode.TOKEN_UPDATE_NO_TOKEN */);\n }\n return responseData.token;\n}\nasync function requestDeleteToken(firebaseDependencies, token) {\n const headers = await getHeaders(firebaseDependencies);\n const unsubscribeOptions = {\n method: 'DELETE',\n headers\n };\n try {\n const response = await fetch(`${getEndpoint(firebaseDependencies.appConfig)}/${token}`, unsubscribeOptions);\n const responseData = await response.json();\n if (responseData.error) {\n const message = responseData.error.message;\n throw ERROR_FACTORY.create(\"token-unsubscribe-failed\" /* ErrorCode.TOKEN_UNSUBSCRIBE_FAILED */, {\n errorInfo: message\n });\n }\n } catch (err) {\n throw ERROR_FACTORY.create(\"token-unsubscribe-failed\" /* ErrorCode.TOKEN_UNSUBSCRIBE_FAILED */, {\n errorInfo: err === null || err === void 0 ? void 0 : err.toString()\n });\n }\n}\nfunction getEndpoint({\n projectId\n}) {\n return `${ENDPOINT}/projects/${projectId}/registrations`;\n}\nasync function getHeaders({\n appConfig,\n installations\n}) {\n const authToken = await installations.getToken();\n return new Headers({\n 'Content-Type': 'application/json',\n Accept: 'application/json',\n 'x-goog-api-key': appConfig.apiKey,\n 'x-goog-firebase-installations-auth': `FIS ${authToken}`\n });\n}\nfunction getBody({\n p256dh,\n auth,\n endpoint,\n vapidKey\n}) {\n const body = {\n web: {\n endpoint,\n auth,\n p256dh\n }\n };\n if (vapidKey !== DEFAULT_VAPID_KEY) {\n body.web.applicationPubKey = vapidKey;\n }\n return body;\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n// UpdateRegistration will be called once every week.\nconst TOKEN_EXPIRATION_MS = 7 * 24 * 60 * 60 * 1000; // 7 days\nasync function getTokenInternal(messaging) {\n const pushSubscription = await getPushSubscription(messaging.swRegistration, messaging.vapidKey);\n const subscriptionOptions = {\n vapidKey: messaging.vapidKey,\n swScope: messaging.swRegistration.scope,\n endpoint: pushSubscription.endpoint,\n auth: arrayToBase64(pushSubscription.getKey('auth')),\n p256dh: arrayToBase64(pushSubscription.getKey('p256dh'))\n };\n const tokenDetails = await dbGet(messaging.firebaseDependencies);\n if (!tokenDetails) {\n // No token, get a new one.\n return getNewToken(messaging.firebaseDependencies, subscriptionOptions);\n } else if (!isTokenValid(tokenDetails.subscriptionOptions, subscriptionOptions)) {\n // Invalid token, get a new one.\n try {\n await requestDeleteToken(messaging.firebaseDependencies, tokenDetails.token);\n } catch (e) {\n // Suppress errors because of #2364\n console.warn(e);\n }\n return getNewToken(messaging.firebaseDependencies, subscriptionOptions);\n } else if (Date.now() >= tokenDetails.createTime + TOKEN_EXPIRATION_MS) {\n // Weekly token refresh\n return updateToken(messaging, {\n token: tokenDetails.token,\n createTime: Date.now(),\n subscriptionOptions\n });\n } else {\n // Valid token, nothing to do.\n return tokenDetails.token;\n }\n}\n/**\n * This method deletes the token from the database, unsubscribes the token from FCM, and unregisters\n * the push subscription if it exists.\n */\nasync function deleteTokenInternal(messaging) {\n const tokenDetails = await dbGet(messaging.firebaseDependencies);\n if (tokenDetails) {\n await requestDeleteToken(messaging.firebaseDependencies, tokenDetails.token);\n await dbRemove(messaging.firebaseDependencies);\n }\n // Unsubscribe from the push subscription.\n const pushSubscription = await messaging.swRegistration.pushManager.getSubscription();\n if (pushSubscription) {\n return pushSubscription.unsubscribe();\n }\n // If there's no SW, consider it a success.\n return true;\n}\nasync function updateToken(messaging, tokenDetails) {\n try {\n const updatedToken = await requestUpdateToken(messaging.firebaseDependencies, tokenDetails);\n const updatedTokenDetails = Object.assign(Object.assign({}, tokenDetails), {\n token: updatedToken,\n createTime: Date.now()\n });\n await dbSet(messaging.firebaseDependencies, updatedTokenDetails);\n return updatedToken;\n } catch (e) {\n throw e;\n }\n}\nasync function getNewToken(firebaseDependencies, subscriptionOptions) {\n const token = await requestGetToken(firebaseDependencies, subscriptionOptions);\n const tokenDetails = {\n token,\n createTime: Date.now(),\n subscriptionOptions\n };\n await dbSet(firebaseDependencies, tokenDetails);\n return tokenDetails.token;\n}\n/**\n * Gets a PushSubscription for the current user.\n */\nasync function getPushSubscription(swRegistration, vapidKey) {\n const subscription = await swRegistration.pushManager.getSubscription();\n if (subscription) {\n return subscription;\n }\n return swRegistration.pushManager.subscribe({\n userVisibleOnly: true,\n // Chrome <= 75 doesn't support base64-encoded VAPID key. For backward compatibility, VAPID key\n // submitted to pushManager#subscribe must be of type Uint8Array.\n applicationServerKey: base64ToArray(vapidKey)\n });\n}\n/**\n * Checks if the saved tokenDetails object matches the configuration provided.\n */\nfunction isTokenValid(dbOptions, currentOptions) {\n const isVapidKeyEqual = currentOptions.vapidKey === dbOptions.vapidKey;\n const isEndpointEqual = currentOptions.endpoint === dbOptions.endpoint;\n const isAuthEqual = currentOptions.auth === dbOptions.auth;\n const isP256dhEqual = currentOptions.p256dh === dbOptions.p256dh;\n return isVapidKeyEqual && isEndpointEqual && isAuthEqual && isP256dhEqual;\n}\n\n/**\n * @license\n * Copyright 2020 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nfunction externalizePayload(internalPayload) {\n const payload = {\n from: internalPayload.from,\n // eslint-disable-next-line camelcase\n collapseKey: internalPayload.collapse_key,\n // eslint-disable-next-line camelcase\n messageId: internalPayload.fcmMessageId\n };\n propagateNotificationPayload(payload, internalPayload);\n propagateDataPayload(payload, internalPayload);\n propagateFcmOptions(payload, internalPayload);\n return payload;\n}\nfunction propagateNotificationPayload(payload, messagePayloadInternal) {\n if (!messagePayloadInternal.notification) {\n return;\n }\n payload.notification = {};\n const title = messagePayloadInternal.notification.title;\n if (!!title) {\n payload.notification.title = title;\n }\n const body = messagePayloadInternal.notification.body;\n if (!!body) {\n payload.notification.body = body;\n }\n const image = messagePayloadInternal.notification.image;\n if (!!image) {\n payload.notification.image = image;\n }\n const icon = messagePayloadInternal.notification.icon;\n if (!!icon) {\n payload.notification.icon = icon;\n }\n}\nfunction propagateDataPayload(payload, messagePayloadInternal) {\n if (!messagePayloadInternal.data) {\n return;\n }\n payload.data = messagePayloadInternal.data;\n}\nfunction propagateFcmOptions(payload, messagePayloadInternal) {\n var _a, _b, _c, _d, _e;\n // fcmOptions.link value is written into notification.click_action. see more in b/232072111\n if (!messagePayloadInternal.fcmOptions && !((_a = messagePayloadInternal.notification) === null || _a === void 0 ? void 0 : _a.click_action)) {\n return;\n }\n payload.fcmOptions = {};\n const link = (_c = (_b = messagePayloadInternal.fcmOptions) === null || _b === void 0 ? void 0 : _b.link) !== null && _c !== void 0 ? _c : (_d = messagePayloadInternal.notification) === null || _d === void 0 ? void 0 : _d.click_action;\n if (!!link) {\n payload.fcmOptions.link = link;\n }\n // eslint-disable-next-line camelcase\n const analyticsLabel = (_e = messagePayloadInternal.fcmOptions) === null || _e === void 0 ? void 0 : _e.analytics_label;\n if (!!analyticsLabel) {\n payload.fcmOptions.analyticsLabel = analyticsLabel;\n }\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nfunction isConsoleMessage(data) {\n // This message has a campaign ID, meaning it was sent using the Firebase Console.\n return typeof data === 'object' && !!data && CONSOLE_CAMPAIGN_ID in data;\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n_mergeStrings('AzSCbw63g1R0nCw85jG8', 'Iaya3yLKwmgvh7cF0q4');\nfunction _mergeStrings(s1, s2) {\n const resultArray = [];\n for (let i = 0; i < s1.length; i++) {\n resultArray.push(s1.charAt(i));\n if (i < s2.length) {\n resultArray.push(s2.charAt(i));\n }\n }\n return resultArray.join('');\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nfunction extractAppConfig(app) {\n if (!app || !app.options) {\n throw getMissingValueError('App Configuration Object');\n }\n if (!app.name) {\n throw getMissingValueError('App Name');\n }\n // Required app config keys\n const configKeys = ['projectId', 'apiKey', 'appId', 'messagingSenderId'];\n const {\n options\n } = app;\n for (const keyName of configKeys) {\n if (!options[keyName]) {\n throw getMissingValueError(keyName);\n }\n }\n return {\n appName: app.name,\n projectId: options.projectId,\n apiKey: options.apiKey,\n appId: options.appId,\n senderId: options.messagingSenderId\n };\n}\nfunction getMissingValueError(valueName) {\n return ERROR_FACTORY.create(\"missing-app-config-values\" /* ErrorCode.MISSING_APP_CONFIG_VALUES */, {\n valueName\n });\n}\n\n/**\n * @license\n * Copyright 2020 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nclass MessagingService {\n constructor(app, installations, analyticsProvider) {\n // logging is only done with end user consent. Default to false.\n this.deliveryMetricsExportedToBigQueryEnabled = false;\n this.onBackgroundMessageHandler = null;\n this.onMessageHandler = null;\n this.logEvents = [];\n this.isLogServiceStarted = false;\n const appConfig = extractAppConfig(app);\n this.firebaseDependencies = {\n app,\n appConfig,\n installations,\n analyticsProvider\n };\n }\n _delete() {\n return Promise.resolve();\n }\n}\n\n/**\n * @license\n * Copyright 2020 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nasync function registerDefaultSw(messaging) {\n try {\n messaging.swRegistration = await navigator.serviceWorker.register(DEFAULT_SW_PATH, {\n scope: DEFAULT_SW_SCOPE\n });\n // The timing when browser updates sw when sw has an update is unreliable from experiment. It\n // leads to version conflict when the SDK upgrades to a newer version in the main page, but sw\n // is stuck with the old version. For example,\n // https://github.com/firebase/firebase-js-sdk/issues/2590 The following line reliably updates\n // sw if there was an update.\n messaging.swRegistration.update().catch(() => {\n /* it is non blocking and we don't care if it failed */\n });\n await waitForRegistrationActive(messaging.swRegistration);\n } catch (e) {\n throw ERROR_FACTORY.create(\"failed-service-worker-registration\" /* ErrorCode.FAILED_DEFAULT_REGISTRATION */, {\n browserErrorMessage: e === null || e === void 0 ? void 0 : e.message\n });\n }\n}\n/**\n * Waits for registration to become active. MDN documentation claims that\n * a service worker registration should be ready to use after awaiting\n * navigator.serviceWorker.register() but that doesn't seem to be the case in\n * practice, causing the SDK to throw errors when calling\n * swRegistration.pushManager.subscribe() too soon after register(). The only\n * solution seems to be waiting for the service worker registration `state`\n * to become \"active\".\n */\nasync function waitForRegistrationActive(registration) {\n return new Promise((resolve, reject) => {\n const rejectTimeout = setTimeout(() => reject(new Error(`Service worker not registered after ${DEFAULT_REGISTRATION_TIMEOUT} ms`)), DEFAULT_REGISTRATION_TIMEOUT);\n const incomingSw = registration.installing || registration.waiting;\n if (registration.active) {\n clearTimeout(rejectTimeout);\n resolve();\n } else if (incomingSw) {\n incomingSw.onstatechange = ev => {\n var _a;\n if (((_a = ev.target) === null || _a === void 0 ? void 0 : _a.state) === 'activated') {\n incomingSw.onstatechange = null;\n clearTimeout(rejectTimeout);\n resolve();\n }\n };\n } else {\n clearTimeout(rejectTimeout);\n reject(new Error('No incoming service worker found.'));\n }\n });\n}\n\n/**\n * @license\n * Copyright 2020 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nasync function updateSwReg(messaging, swRegistration) {\n if (!swRegistration && !messaging.swRegistration) {\n await registerDefaultSw(messaging);\n }\n if (!swRegistration && !!messaging.swRegistration) {\n return;\n }\n if (!(swRegistration instanceof ServiceWorkerRegistration)) {\n throw ERROR_FACTORY.create(\"invalid-sw-registration\" /* ErrorCode.INVALID_SW_REGISTRATION */);\n }\n messaging.swRegistration = swRegistration;\n}\n\n/**\n * @license\n * Copyright 2020 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nasync function updateVapidKey(messaging, vapidKey) {\n if (!!vapidKey) {\n messaging.vapidKey = vapidKey;\n } else if (!messaging.vapidKey) {\n messaging.vapidKey = DEFAULT_VAPID_KEY;\n }\n}\n\n/**\n * @license\n * Copyright 2020 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nasync function getToken$1(messaging, options) {\n if (!navigator) {\n throw ERROR_FACTORY.create(\"only-available-in-window\" /* ErrorCode.AVAILABLE_IN_WINDOW */);\n }\n if (Notification.permission === 'default') {\n await Notification.requestPermission();\n }\n if (Notification.permission !== 'granted') {\n throw ERROR_FACTORY.create(\"permission-blocked\" /* ErrorCode.PERMISSION_BLOCKED */);\n }\n await updateVapidKey(messaging, options === null || options === void 0 ? void 0 : options.vapidKey);\n await updateSwReg(messaging, options === null || options === void 0 ? void 0 : options.serviceWorkerRegistration);\n return getTokenInternal(messaging);\n}\n\n/**\n * @license\n * Copyright 2019 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nasync function logToScion(messaging, messageType, data) {\n const eventType = getEventType(messageType);\n const analytics = await messaging.firebaseDependencies.analyticsProvider.get();\n analytics.logEvent(eventType, {\n /* eslint-disable camelcase */\n message_id: data[CONSOLE_CAMPAIGN_ID],\n message_name: data[CONSOLE_CAMPAIGN_NAME],\n message_time: data[CONSOLE_CAMPAIGN_TIME],\n message_device_time: Math.floor(Date.now() / 1000)\n /* eslint-enable camelcase */\n });\n}\nfunction getEventType(messageType) {\n switch (messageType) {\n case MessageType.NOTIFICATION_CLICKED:\n return 'notification_open';\n case MessageType.PUSH_RECEIVED:\n return 'notification_foreground';\n default:\n throw new Error();\n }\n}\n\n/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nasync function messageEventListener(messaging, event) {\n const internalPayload = event.data;\n if (!internalPayload.isFirebaseMessaging) {\n return;\n }\n if (messaging.onMessageHandler && internalPayload.messageType === MessageType.PUSH_RECEIVED) {\n if (typeof messaging.onMessageHandler === 'function') {\n messaging.onMessageHandler(externalizePayload(internalPayload));\n } else {\n messaging.onMessageHandler.next(externalizePayload(internalPayload));\n }\n }\n // Log to Scion if applicable\n const dataPayload = internalPayload.data;\n if (isConsoleMessage(dataPayload) && dataPayload[CONSOLE_CAMPAIGN_ANALYTICS_ENABLED] === '1') {\n await logToScion(messaging, internalPayload.messageType, dataPayload);\n }\n}\nconst name = \"@firebase/messaging\";\nconst version = \"0.12.16\";\n\n/**\n * @license\n * Copyright 2020 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nconst WindowMessagingFactory = container => {\n const messaging = new MessagingService(container.getProvider('app').getImmediate(), container.getProvider('installations-internal').getImmediate(), container.getProvider('analytics-internal'));\n navigator.serviceWorker.addEventListener('message', e => messageEventListener(messaging, e));\n return messaging;\n};\nconst WindowMessagingInternalFactory = container => {\n const messaging = container.getProvider('messaging').getImmediate();\n const messagingInternal = {\n getToken: options => getToken$1(messaging, options)\n };\n return messagingInternal;\n};\nfunction registerMessagingInWindow() {\n _registerComponent(new Component('messaging', WindowMessagingFactory, \"PUBLIC\" /* ComponentType.PUBLIC */));\n _registerComponent(new Component('messaging-internal', WindowMessagingInternalFactory, \"PRIVATE\" /* ComponentType.PRIVATE */));\n registerVersion(name, version);\n // BUILD_TARGET will be replaced by values like esm2017, cjs2017, etc during the compilation\n registerVersion(name, version, 'esm2017');\n}\n\n/**\n * @license\n * Copyright 2020 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Checks if all required APIs exist in the browser.\n * @returns a Promise that resolves to a boolean.\n *\n * @public\n */\nasync function isWindowSupported() {\n try {\n // This throws if open() is unsupported, so adding it to the conditional\n // statement below can cause an uncaught error.\n await validateIndexedDBOpenable();\n } catch (e) {\n return false;\n }\n // firebase-js-sdk/issues/2393 reveals that idb#open in Safari iframe and Firefox private browsing\n // might be prohibited to run. In these contexts, an error would be thrown during the messaging\n // instantiating phase, informing the developers to import/call isSupported for special handling.\n return typeof window !== 'undefined' && isIndexedDBAvailable() && areCookiesEnabled() && 'serviceWorker' in navigator && 'PushManager' in window && 'Notification' in window && 'fetch' in window && ServiceWorkerRegistration.prototype.hasOwnProperty('showNotification') && PushSubscription.prototype.hasOwnProperty('getKey');\n}\n\n/**\n * @license\n * Copyright 2020 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nasync function deleteToken$1(messaging) {\n if (!navigator) {\n throw ERROR_FACTORY.create(\"only-available-in-window\" /* ErrorCode.AVAILABLE_IN_WINDOW */);\n }\n if (!messaging.swRegistration) {\n await registerDefaultSw(messaging);\n }\n return deleteTokenInternal(messaging);\n}\n\n/**\n * @license\n * Copyright 2020 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\nfunction onMessage$1(messaging, nextOrObserver) {\n if (!navigator) {\n throw ERROR_FACTORY.create(\"only-available-in-window\" /* ErrorCode.AVAILABLE_IN_WINDOW */);\n }\n messaging.onMessageHandler = nextOrObserver;\n return () => {\n messaging.onMessageHandler = null;\n };\n}\n\n/**\n * @license\n * Copyright 2017 Google LLC\n *\n * Licensed under the Apache License, Version 2.0 (the \"License\");\n * you may not use this file except in compliance with the License.\n * You may obtain a copy of the License at\n *\n * http://www.apache.org/licenses/LICENSE-2.0\n *\n * Unless required by applicable law or agreed to in writing, software\n * distributed under the License is distributed on an \"AS IS\" BASIS,\n * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n * See the License for the specific language governing permissions and\n * limitations under the License.\n */\n/**\n * Retrieves a Firebase Cloud Messaging instance.\n *\n * @returns The Firebase Cloud Messaging instance associated with the provided firebase app.\n *\n * @public\n */\nfunction getMessagingInWindow(app = getApp()) {\n // Conscious decision to make this async check non-blocking during the messaging instance\n // initialization phase for performance consideration. An error would be thrown latter for\n // developer's information. Developers can then choose to import and call `isSupported` for\n // special handling.\n isWindowSupported().then(isSupported => {\n // If `isWindowSupported()` resolved, but returned false.\n if (!isSupported) {\n throw ERROR_FACTORY.create(\"unsupported-browser\" /* ErrorCode.UNSUPPORTED_BROWSER */);\n }\n }, _ => {\n // If `isWindowSupported()` rejected.\n throw ERROR_FACTORY.create(\"indexed-db-unsupported\" /* ErrorCode.INDEXED_DB_UNSUPPORTED */);\n });\n return _getProvider(getModularInstance(app), 'messaging').getImmediate();\n}\n/**\n * Subscribes the {@link Messaging} instance to push notifications. Returns a Firebase Cloud\n * Messaging registration token that can be used to send push messages to that {@link Messaging}\n * instance.\n *\n * If notification permission isn't already granted, this method asks the user for permission. The\n * returned promise rejects if the user does not allow the app to show notifications.\n *\n * @param messaging - The {@link Messaging} instance.\n * @param options - Provides an optional vapid key and an optional service worker registration.\n *\n * @returns The promise resolves with an FCM registration token.\n *\n * @public\n */\nasync function getToken(messaging, options) {\n messaging = getModularInstance(messaging);\n return getToken$1(messaging, options);\n}\n/**\n * Deletes the registration token associated with this {@link Messaging} instance and unsubscribes\n * the {@link Messaging} instance from the push subscription.\n *\n * @param messaging - The {@link Messaging} instance.\n *\n * @returns The promise resolves when the token has been successfully deleted.\n *\n * @public\n */\nfunction deleteToken(messaging) {\n messaging = getModularInstance(messaging);\n return deleteToken$1(messaging);\n}\n/**\n * When a push message is received and the user is currently on a page for your origin, the\n * message is passed to the page and an `onMessage()` event is dispatched with the payload of\n * the push message.\n *\n *\n * @param messaging - The {@link Messaging} instance.\n * @param nextOrObserver - This function, or observer object with `next` defined,\n * is called when a message is received and the user is currently viewing your page.\n * @returns To stop listening for messages execute this returned function.\n *\n * @public\n */\nfunction onMessage(messaging, nextOrObserver) {\n messaging = getModularInstance(messaging);\n return onMessage$1(messaging, nextOrObserver);\n}\n\n/**\n * The Firebase Cloud Messaging Web SDK.\n * This SDK does not work in a Node.js environment.\n *\n * @packageDocumentation\n */\nregisterMessagingInWindow();\nexport { deleteToken, getMessagingInWindow as getMessaging, getToken, isWindowSupported as isSupported, onMessage };\n","import { ɵgetAllInstancesOf as _getAllInstancesOf, ɵgetDefaultInstanceOf as _getDefaultInstanceOf, VERSION, ɵAngularFireSchedulers as _AngularFireSchedulers, ɵzoneWrap as _zoneWrap } from '@angular/fire';\nimport { timer, from } from 'rxjs';\nimport { concatMap, distinct } from 'rxjs/operators';\nimport { isPlatformServer } from '@angular/common';\nimport * as i0 from '@angular/core';\nimport { InjectionToken, Optional, PLATFORM_ID, NgModule, makeEnvironmentProviders, NgZone, Injector } from '@angular/core';\nimport { FirebaseApp, FirebaseApps } from '@angular/fire/app';\nimport { registerVersion } from 'firebase/app';\nimport { deleteToken as deleteToken$1, getMessaging as getMessaging$1, getToken as getToken$1, isSupported as isSupported$1, onMessage as onMessage$1 } from 'firebase/messaging';\nexport * from 'firebase/messaging';\nclass Messaging {\n constructor(messaging) {\n return messaging;\n }\n}\nconst MESSAGING_PROVIDER_NAME = 'messaging';\nclass MessagingInstances {\n constructor() {\n return _getAllInstancesOf(MESSAGING_PROVIDER_NAME);\n }\n}\nconst messagingInstance$ = /*#__PURE__*/ /*#__PURE__*/timer(0, 300).pipe(/*#__PURE__*/concatMap(() => from(_getAllInstancesOf(MESSAGING_PROVIDER_NAME))), /*#__PURE__*/distinct());\nconst PROVIDED_MESSAGING_INSTANCES = /*#__PURE__*/new InjectionToken('angularfire2.messaging-instances');\nfunction defaultMessagingInstanceFactory(provided, defaultApp, platformId) {\n if (isPlatformServer(platformId)) {\n return null;\n }\n const defaultMessaging = _getDefaultInstanceOf(MESSAGING_PROVIDER_NAME, provided, defaultApp);\n return defaultMessaging && new Messaging(defaultMessaging);\n}\nfunction messagingInstanceFactory(fn) {\n return (zone, injector, platformId) => {\n if (isPlatformServer(platformId)) {\n return null;\n }\n const messaging = zone.runOutsideAngular(() => fn(injector));\n return new Messaging(messaging);\n };\n}\nconst MESSAGING_INSTANCES_PROVIDER = {\n provide: MessagingInstances,\n deps: [[/*#__PURE__*/new Optional(), PROVIDED_MESSAGING_INSTANCES]]\n};\nconst DEFAULT_MESSAGING_INSTANCE_PROVIDER = {\n provide: Messaging,\n useFactory: defaultMessagingInstanceFactory,\n deps: [[/*#__PURE__*/new Optional(), PROVIDED_MESSAGING_INSTANCES], FirebaseApp, PLATFORM_ID]\n};\nlet MessagingModule = /*#__PURE__*/(() => {\n class MessagingModule {\n constructor() {\n registerVersion('angularfire', VERSION.full, 'fcm');\n }\n static ɵfac = function MessagingModule_Factory(__ngFactoryType__) {\n return new (__ngFactoryType__ || MessagingModule)();\n };\n static ɵmod = /* @__PURE__ */i0.ɵɵdefineNgModule({\n type: MessagingModule\n });\n static ɵinj = /* @__PURE__ */i0.ɵɵdefineInjector({\n providers: [DEFAULT_MESSAGING_INSTANCE_PROVIDER, MESSAGING_INSTANCES_PROVIDER]\n });\n }\n return MessagingModule;\n})();\n/*#__PURE__*/(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nfunction provideMessaging(fn, ...deps) {\n registerVersion('angularfire', VERSION.full, 'fcm');\n return makeEnvironmentProviders([DEFAULT_MESSAGING_INSTANCE_PROVIDER, MESSAGING_INSTANCES_PROVIDER, {\n provide: PROVIDED_MESSAGING_INSTANCES,\n useFactory: messagingInstanceFactory(fn),\n multi: true,\n deps: [NgZone, Injector, PLATFORM_ID, _AngularFireSchedulers, FirebaseApps, ...deps]\n }]);\n}\n\n// DO NOT MODIFY, this file is autogenerated by tools/build.ts\nconst deleteToken = /*#__PURE__*/_zoneWrap(deleteToken$1, true, 2);\nconst getMessaging = /*#__PURE__*/_zoneWrap(getMessaging$1, true);\nconst getToken = /*#__PURE__*/_zoneWrap(getToken$1, true);\nconst isSupported = /*#__PURE__*/_zoneWrap(isSupported$1, false);\nconst onMessage = /*#__PURE__*/_zoneWrap(onMessage$1, false);\n\n/**\n * Generated bundle index. Do not edit.\n */\n\nexport { Messaging, MessagingInstances, MessagingModule, deleteToken, getMessaging, getToken, isSupported, messagingInstance$, onMessage, provideMessaging };\n","import { inject, Injectable } from '@angular/core';\nimport {\n getToken,\n MessagePayload,\n Messaging,\n onMessage,\n} from '@angular/fire/messaging';\nimport { Observable } from 'rxjs';\nimport { ToastService } from '../toast/toast.service';\n\n@Injectable({\n providedIn: 'root',\n})\nexport class FCMService {\n private toast = inject(ToastService);\n\n message$ = new Observable(sub =>\n onMessage(this.msg, msg => sub.next(msg))\n );\n\n constructor(private msg: Messaging) {\n this.message$.subscribe({\n next: msg => {\n if (msg.data?.['type'] === 'notification') {\n this.toast.showInfo(\n msg.data?.['title'] || 'New Notification',\n msg.data?.['body'] || ''\n );\n }\n },\n error: err => console.error('Error receiving message:', err),\n });\n }\n\n register() {\n return new Promise((resolve, reject) => {\n Notification.requestPermission().then(\n (notificationPermissions: NotificationPermission) => {\n if (notificationPermissions === 'granted') {\n console.log('Granted');\n }\n if (notificationPermissions === 'denied') {\n console.log('Denied');\n }\n }\n );\n\n console.log('registering');\n navigator.serviceWorker\n .register('/assets/scripts/firebase-messaging-sw.js', {\n type: 'module',\n })\n .then(serviceWorkerRegistration => {\n getToken(this.msg, {\n vapidKey: `BDvcjMgDKHeIc7qhLpM32mnNwmxgBFHgFaVfY5F2i6obrxQpfqwrhLiYJ1WH0cwnPcmy3flSnVGdQ9Nm3elULcE`,\n serviceWorkerRegistration: serviceWorkerRegistration,\n })\n .then(token => {\n resolve(token);\n })\n .catch(err => {\n reject(err);\n });\n })\n .catch(err => {\n reject(err);\n });\n });\n }\n}\n","import { RecipientEndpointSpec } from 'src/app/models/notifications';\n\nexport class CreateDiscordProviderProfileAction {\n static readonly type = '[Communication] Create discord provider profile';\n constructor(public guildId: string) {}\n}\n\nexport class CreateSlackProviderProfileAction {\n static readonly type = '[Communication] Create slack provider profile';\n constructor(public oauthCode: string) {}\n}\n\nexport class CreateTeamsProviderProfileAction {\n static readonly type = '[Communication] Create teams provider profile';\n constructor(\n public tenantId: string,\n public teamId: string\n ) {}\n}\n\nexport class LinkProviderFailedAction {\n static readonly type = '[Communication] Failed to link provider profile';\n constructor(public error: string) {}\n}\n\nexport class RemoveProviderProfileAction {\n static readonly type = '[Communication] Remove provider profile';\n constructor(public providerProfileId: string) {}\n}\n\nexport class LoadCommunicationProviderProfilesAction {\n static readonly type = '[Communication] Load communication provider profiles';\n}\n\nexport class LoadProviderProfileChannelsAction {\n static readonly type = '[Communication] Load provider profile channels';\n constructor(public providerProfileId: string) {}\n}\n\nexport class LoadRecipientEndpointsForOrganizationAction {\n static readonly type =\n '[Communication] Load recipient endpoints for organization';\n}\n\nexport class LoadRecipientEndpointsForOrganizationMemberAction {\n static readonly type =\n '[Communication] Load recipient endpoints for organization member';\n}\n\nexport class CreateRecipientEndpointAction {\n static readonly type = '[Communication] Create recipient endpoint';\n constructor(\n public providerId: string,\n public spec: RecipientEndpointSpec\n ) {}\n}\n\nexport class CreateOrgMemberRecipientEndpointAction {\n static readonly type = '[Communication] Create org member recipient endpoint';\n constructor(\n public providerId: string,\n public spec: RecipientEndpointSpec\n ) {}\n}\n\nexport class ForwardToDiscordAction {\n static readonly type = '[Communication] Redirecting to discord';\n}\n\nexport class ForwardToSlackAction {\n static readonly type = '[Communication] Redirecting to slack';\n}\n\nexport class RemoveOrgMemberRecipientEndpointAction {\n static readonly type = '[Communication] Remove org member recipient endpoint';\n constructor(public endpointId: string) {}\n}\n\nexport class CreateWebPushRecipientEndpointAction {\n static readonly type = '[Communication] Create web push recipient endpoint';\n}\n","import { inject, Injectable } from '@angular/core';\nimport { Apollo, gql } from 'apollo-angular';\nimport { map, Observable } from 'rxjs';\nimport {\n CommunicationProviderProfile,\n CommunicationProviderType,\n} from 'src/app/models/communication-provider';\nimport {\n ProviderChannelMetadata,\n RecipientEndpoint,\n RecipientEndpointSpec,\n} from 'src/app/models/notifications';\n\nconst CREATE_PROVIDER_PROFILE_MUTATION = gql`\n mutation CreateProviderProfile(\n $organizationId: ID!\n $spec: ProviderProfileSpec!\n ) {\n createProviderProfile(\n organizationId: $organizationId\n providerProfileSpec: $spec\n ) {\n id\n }\n }\n`;\n\nconst REMOVE_PROVIDER_PROFILE_MUTATION = gql`\n mutation RemoveProviderProfile(\n $organizationId: ID!\n $providerProfileId: ID!\n ) {\n removeProviderProfile(\n organizationId: $organizationId\n providerProfileId: $providerProfileId\n )\n }\n`;\n\nconst LIST_PROVIDER_PROFILES_QUERY = gql`\n query ListProviderProfiles($organizationId: ID!) {\n providerProfiles(organizationId: $organizationId) {\n id\n name\n type\n configuration {\n ... on SlackAppProviderProfileConfig {\n teamName\n }\n ... on DiscordAppProviderProfileConfig {\n guildName\n }\n ... on TeamsProviderProfileConfig {\n teamName\n }\n }\n }\n }\n`;\n\nconst LIST_PROVIDER_PROFILE_CHANNELS_QUERY = gql`\n query ListProviderProfileChannels(\n $organizationId: ID!\n $providerProfileId: ID!\n ) {\n providerProfileChannels(\n organizationId: $organizationId\n providerProfileId: $providerProfileId\n ) {\n id\n name\n }\n }\n`;\n\nconst CREATE_ORG_RECIPIENT_ENDPOINT_MUTATION = gql`\n mutation CreateOrgRecipientEndpoint(\n $organizationId: ID!\n $providerProfileId: ID!\n $spec: RecipientEndpointSpec!\n ) {\n createOrgRecipientEndpoint(\n organizationId: $organizationId\n providerProfileId: $providerProfileId\n spec: $spec\n ) {\n id\n providerType\n providerProfileId\n config {\n ... on ProviderChannelMetadata {\n id\n name\n }\n ... on ProviderAddressMetadata {\n address\n }\n }\n }\n }\n`;\n\nconst CREATE_ORG_MEMBER_RECIPIENT_ENDPOINT_MUTATION = gql`\n mutation CreateOrgMemberRecipientEndpoint(\n $organizationId: ID!\n $memberId: String!\n $providerProfileId: ID!\n $spec: RecipientEndpointSpec!\n ) {\n createOrgMemberRecipientEndpoint(\n organizationId: $organizationId\n memberId: $memberId\n providerProfileId: $providerProfileId\n spec: $spec\n ) {\n id\n providerType\n providerProfileId\n deletable\n config {\n ... on ProviderChannelMetadata {\n id\n name\n }\n ... on ProviderAddressMetadata {\n address\n }\n }\n }\n }\n`;\n\nconst LOAD_ORG_RECIPIENT_ENDPOINTS = gql`\n query LoadOrgRecipientEndpoints($organizationId: ID!) {\n orgRecipientEndpoints(organizationId: $organizationId) {\n id\n providerType\n providerProfileId\n config {\n ... on ProviderChannelMetadata {\n id\n name\n }\n }\n }\n }\n`;\n\nconst LOAD_ORG_MEMBER_RECIPIENT_ENDPOINTS = gql`\n query LoadOrgMemberRecipientEndpoints(\n $organizationId: ID!\n $memberId: String!\n ) {\n orgMemberRecipientEndpoints(\n organizationId: $organizationId\n memberId: $memberId\n ) {\n id\n providerType\n providerProfileId\n deletable\n config {\n ... on ProviderChannelMetadata {\n id\n name\n }\n ... on ProviderAddressMetadata {\n __typename\n address\n }\n }\n }\n }\n`;\n\nconst REMOVE_ORG_MEMBER_RECIPIENT_ENDPOINT_MUTATION = gql`\n mutation RemoveOrgMemberRecipientEndpoint(\n $organizationId: ID!\n $memberId: String!\n $recipientEndpointId: String!\n ) {\n removeOrgMemberRecipientEndpoint(\n organizationId: $organizationId\n memberId: $memberId\n recipientEndpointId: $recipientEndpointId\n )\n }\n`;\n\ntype ProviderConfig =\n | {\n type: 'SLACK_APP';\n slackAppConfig: {\n code: string;\n };\n }\n | {\n type: 'DISCORD_APP';\n discordAppConfig: {\n guildId: string;\n };\n }\n | {\n type: 'TEAMS';\n teamsConfig: {\n tenantId: string;\n teamId: string;\n };\n };\n\n@Injectable()\nexport class CommunicationService {\n private apollo = inject(Apollo);\n\n createProviderProfile(\n organizationId: string,\n spec: ProviderConfig\n ): Observable {\n return this.apollo\n .mutate<{ createProviderProfile: { id: string } }>({\n mutation: CREATE_PROVIDER_PROFILE_MUTATION,\n variables: {\n organizationId: organizationId,\n spec: spec,\n },\n })\n .pipe(\n map(data => {\n if (data.errors) {\n throw new Error(data.errors[0].message);\n }\n return data.data!.createProviderProfile.id;\n })\n );\n }\n\n removeProviderProfile(\n organizationId: string,\n providerProfileId: string\n ): Observable {\n return this.apollo\n .mutate<{ removeProviderProfile: boolean }>({\n mutation: REMOVE_PROVIDER_PROFILE_MUTATION,\n variables: {\n organizationId: organizationId,\n providerProfileId: providerProfileId,\n },\n })\n .pipe(\n map(data => {\n if (data.errors) {\n throw new Error(data.errors[0].message);\n }\n return data.data!.removeProviderProfile;\n })\n );\n }\n\n listProviderProfiles(\n organizationId: string\n ): Observable {\n return this.apollo\n .query<{ providerProfiles: CommunicationProviderProfile[] }>({\n query: LIST_PROVIDER_PROFILES_QUERY,\n variables: {\n organizationId: organizationId,\n },\n })\n .pipe(\n map(data => {\n if (data.errors) {\n throw new Error(data.errors[0].message);\n }\n return data.data!.providerProfiles;\n })\n );\n }\n\n createRecipientEndpoint(\n organizationId: string,\n providerProfileId: string,\n spec: RecipientEndpointSpec\n ): Observable {\n return this.apollo\n .query<{ createOrgRecipientEndpoint: RecipientEndpoint }>({\n query: CREATE_ORG_RECIPIENT_ENDPOINT_MUTATION,\n variables: {\n organizationId: organizationId,\n providerProfileId: providerProfileId,\n spec: spec,\n },\n })\n .pipe(\n map(data => {\n if (data.errors) {\n throw new Error(data.errors[0].message);\n }\n return data.data!.createOrgRecipientEndpoint;\n })\n );\n }\n\n createOrgMemberRecipientEndpoint(\n organizationId: string,\n providerProfileId: string,\n memberId: string,\n spec: RecipientEndpointSpec\n ): Observable {\n return this.apollo\n .query<{ createOrgMemberRecipientEndpoint: RecipientEndpoint }>({\n query: CREATE_ORG_MEMBER_RECIPIENT_ENDPOINT_MUTATION,\n variables: {\n organizationId: organizationId,\n providerProfileId: providerProfileId,\n memberId: memberId,\n spec: spec,\n },\n })\n .pipe(\n map(data => {\n if (data.errors) {\n throw new Error(data.errors[0].message);\n }\n return data.data!.createOrgMemberRecipientEndpoint;\n })\n );\n }\n\n loadOrgRecipientEndpoints(\n organizationId: string\n ): Observable {\n return this.apollo\n .query<{ orgRecipientEndpoints: RecipientEndpoint[] }>({\n query: LOAD_ORG_RECIPIENT_ENDPOINTS,\n variables: {\n organizationId: organizationId,\n },\n })\n .pipe(\n map(data => {\n if (data.errors) {\n throw new Error(data.errors[0].message);\n }\n return data.data!.orgRecipientEndpoints;\n })\n );\n }\n\n loadOrgMemberRecipientEndpoints(\n organizationId: string,\n memberId: string\n ): Observable {\n return this.apollo\n .query<{ orgMemberRecipientEndpoints: RecipientEndpoint[] }>({\n query: LOAD_ORG_MEMBER_RECIPIENT_ENDPOINTS,\n variables: {\n organizationId: organizationId,\n memberId: memberId,\n },\n })\n .pipe(\n map(data => {\n if (data.errors) {\n throw new Error(data.errors[0].message);\n }\n return data.data!.orgMemberRecipientEndpoints.map(endpoint => {\n return this.enrichRecipientEndpoint(endpoint);\n });\n })\n );\n }\n\n loadProviderProfileChannels(\n organizationId: string,\n providerProfileId: string\n ): Observable {\n return this.apollo\n .query<{ providerProfileChannels: ProviderChannelMetadata[] }>({\n query: LIST_PROVIDER_PROFILE_CHANNELS_QUERY,\n variables: {\n organizationId: organizationId,\n providerProfileId: providerProfileId,\n },\n })\n .pipe(\n map(data => {\n if (data.errors) {\n throw new Error(data.errors[0].message);\n }\n return data.data!.providerProfileChannels;\n })\n );\n }\n\n removeOrgMemberRecipientEndpoint(\n organizationId: string,\n memberId: string,\n recipientEndpointId: string\n ): Observable {\n return this.apollo\n .query<{ removeOrgMemberRecipientEndpoint: boolean }>({\n query: REMOVE_ORG_MEMBER_RECIPIENT_ENDPOINT_MUTATION,\n variables: {\n organizationId: organizationId,\n memberId: memberId,\n recipientEndpointId: recipientEndpointId,\n },\n })\n .pipe(\n map(data => {\n if (data.errors) {\n throw new Error(data.errors[0].message);\n }\n return data.data!.removeOrgMemberRecipientEndpoint;\n })\n );\n }\n\n enrichRecipientEndpoint(endpoint: RecipientEndpoint): RecipientEndpoint {\n endpoint.image = this.getProviderImage(endpoint.providerType);\n return endpoint;\n }\n\n getProviderImage(type: CommunicationProviderType): string | undefined {\n switch (type) {\n case CommunicationProviderType.DISCORD_APP:\n return 'assets/images/discord.svg';\n case CommunicationProviderType.SLACK_APP:\n return 'assets/images/slack.svg';\n case CommunicationProviderType.MAIL:\n return 'assets/images/email.svg';\n }\n return;\n }\n}\n","import { inject, Injectable, Injector } from '@angular/core';\nimport { isSupported } from '@angular/fire/messaging';\nimport { Router } from '@angular/router';\nimport {\n Action,\n createSelector,\n Selector,\n State,\n StateContext,\n Store,\n} from '@ngxs/store';\nimport { catchError, map, of, tap } from 'rxjs';\nimport { toIdentifiableEntities } from 'src/app/helpers/graphql';\nimport {\n CommunicationProviderProfile,\n CommunicationProviderType,\n} from 'src/app/models/communication-provider';\nimport {\n hasProviderChannelMetadata,\n ProviderChannelMetadata,\n RecipientEndpoint,\n} from 'src/app/models/notifications';\nimport { FCMService } from 'src/app/services/notifications/fcm.service';\nimport { ToastService } from 'src/app/services/toast/toast.service';\nimport { environment } from 'src/environments/environment';\nimport {\n addListEntity,\n ListEntities,\n loadEntities,\n NewListEntities,\n removeListEntity,\n} from '../common/list-entity';\nimport { UserState } from '../user/user.state';\nimport {\n CreateDiscordProviderProfileAction,\n CreateOrgMemberRecipientEndpointAction,\n CreateRecipientEndpointAction,\n CreateSlackProviderProfileAction,\n CreateTeamsProviderProfileAction,\n CreateWebPushRecipientEndpointAction,\n ForwardToDiscordAction,\n ForwardToSlackAction,\n LinkProviderFailedAction,\n LoadCommunicationProviderProfilesAction,\n LoadProviderProfileChannelsAction,\n LoadRecipientEndpointsForOrganizationAction,\n LoadRecipientEndpointsForOrganizationMemberAction,\n RemoveOrgMemberRecipientEndpointAction,\n RemoveProviderProfileAction,\n} from './communication.actions';\nimport { CommunicationService } from './communication.service';\n\nexport interface CommunicationStateModel {\n providerProfiles: ListEntities;\n orgRecipientEndpoints: ListEntities;\n orgMemberRecipientEndpoints: ListEntities;\n providerProfileChannels: ListEntities;\n}\n\n@State({\n name: 'communication',\n children: [],\n defaults: {\n providerProfiles: NewListEntities(),\n orgRecipientEndpoints: NewListEntities(),\n orgMemberRecipientEndpoints: NewListEntities(),\n providerProfileChannels: NewListEntities(),\n },\n})\n@Injectable()\nexport class CommunicationState {\n store = inject(Store);\n communicationService = inject(CommunicationService);\n toast = inject(ToastService);\n router = inject(Router);\n private injector = inject(Injector);\n\n @Selector()\n static providerProfiles(state: CommunicationStateModel) {\n return state.providerProfiles;\n }\n\n @Selector()\n static orgRecipientEndpoints(state: CommunicationStateModel) {\n return state.orgRecipientEndpoints;\n }\n\n @Selector()\n static orgMemberRecipientEndpoints(state: CommunicationStateModel) {\n return state.orgMemberRecipientEndpoints;\n }\n\n @Selector()\n static providerProfileChannels(state: CommunicationStateModel) {\n return state.providerProfileChannels;\n }\n\n @Selector()\n static unusedProviderProfileChannels(state: CommunicationStateModel) {\n const endpoints = state.orgRecipientEndpoints.entities;\n\n return {\n ...state.providerProfileChannels,\n entities: Object.fromEntries(\n Object.entries(state.providerProfileChannels.entities).filter(\n ([, channelEntity]) => {\n const existingEndpoint = Object.values(endpoints).find(endpoint => {\n if (hasProviderChannelMetadata(endpoint.data!)) {\n const config = endpoint.data!.config as ProviderChannelMetadata;\n return config.id === channelEntity.data?.id;\n } else {\n return false;\n }\n });\n\n return !existingEndpoint;\n }\n )\n ),\n };\n }\n\n static orgRecipientEndpointsForProviderProfileId(providerProfileId: string) {\n return createSelector([this], (state: CommunicationStateModel) => {\n return {\n ...state.orgMemberRecipientEndpoints,\n entities: Object.fromEntries(\n Object.entries(state.orgRecipientEndpoints?.entities).filter(\n ([, v]) => {\n return v.data?.providerProfileId === providerProfileId;\n }\n )\n ),\n };\n });\n }\n\n static getCommunicationProviderProfile(\n providerType: CommunicationProviderType\n ) {\n return createSelector([this], (state: CommunicationStateModel) => {\n return Object.values(state.providerProfiles?.entities).find(p => {\n return p.data?.type === providerType;\n });\n });\n }\n\n static isCommunicationProviderConfigured(\n providerType: CommunicationProviderType\n ) {\n return createSelector([this], (state: CommunicationStateModel) => {\n const provider = Object.values(state.providerProfiles?.entities).find(\n p => {\n return p.data?.type === providerType;\n }\n );\n return provider !== undefined;\n });\n }\n\n static orgMemberNotificationEndpoint(endpointId: string) {\n return createSelector(\n [CommunicationState],\n (state: CommunicationStateModel) => {\n return state.orgMemberRecipientEndpoints.entities\n ? state.orgMemberRecipientEndpoints.entities[endpointId]\n : false;\n }\n );\n }\n\n @Action(LoadCommunicationProviderProfilesAction)\n loadCommunicationProviderProfiles(\n ctx: StateContext\n ) {\n const organizationID = this.store.selectSnapshot(\n UserState.getCurrentOrganizationID\n );\n\n if (!organizationID) throw new Error('No organization ID set');\n\n return loadEntities(\n ctx,\n 'providerProfiles',\n this.communicationService.listProviderProfiles(organizationID).pipe(\n map(profiles => {\n return toIdentifiableEntities(profiles, 'id');\n })\n )\n );\n }\n\n @Action(CreateSlackProviderProfileAction)\n createSlackProviderProfile(\n ctx: StateContext,\n { oauthCode }: CreateSlackProviderProfileAction\n ) {\n const organizationID = this.store.selectSnapshot(\n UserState.getCurrentOrganizationID\n );\n\n if (!organizationID) throw new Error('No organization ID set');\n\n return this.communicationService\n .createProviderProfile(organizationID, {\n type: 'SLACK_APP',\n slackAppConfig: {\n code: oauthCode,\n },\n })\n .pipe(\n tap(() => {\n this.toast.showInfo('Success', 'Slack provider linked');\n }),\n catchError(err => {\n this.toast.showError(err);\n return of();\n })\n );\n }\n\n @Action(CreateTeamsProviderProfileAction)\n createTeamsProviderProfile(\n ctx: StateContext,\n { tenantId, teamId }: CreateTeamsProviderProfileAction\n ) {\n const organizationID = this.store.selectSnapshot(\n UserState.getCurrentOrganizationID\n );\n\n if (!organizationID) throw new Error('No organization ID set');\n\n return this.communicationService\n .createProviderProfile(organizationID, {\n type: 'TEAMS',\n teamsConfig: {\n tenantId: tenantId,\n teamId: teamId,\n },\n })\n .pipe(\n tap(() => {\n this.toast.showInfo('Success', 'Teams provider linked');\n }),\n catchError(err => {\n this.toast.showError(err);\n return of();\n })\n );\n }\n\n @Action(CreateDiscordProviderProfileAction)\n createDiscordProviderProfile(\n ctx: StateContext,\n { guildId }: CreateDiscordProviderProfileAction\n ) {\n const organizationID = this.store.selectSnapshot(\n UserState.getCurrentOrganizationID\n );\n\n if (!organizationID) throw new Error('No organization ID set');\n\n return this.communicationService\n .createProviderProfile(organizationID, {\n type: 'DISCORD_APP',\n discordAppConfig: {\n guildId: guildId,\n },\n })\n .pipe(\n tap(() => {\n this.toast.showInfo('Success', 'Discord provider linked');\n }),\n catchError(err => {\n this.toast.showError(err);\n return of();\n })\n );\n }\n\n @Action(LoadRecipientEndpointsForOrganizationAction)\n loadOrgRecipientEndpoints(ctx: StateContext) {\n const organizationID = this.store.selectSnapshot(\n UserState.getCurrentOrganizationID\n );\n\n if (!organizationID) throw new Error('No organization ID set');\n\n return loadEntities(\n ctx,\n 'orgRecipientEndpoints',\n this.communicationService\n .loadOrgRecipientEndpoints(organizationID)\n .pipe(map(endpoints => toIdentifiableEntities(endpoints, 'id')))\n );\n }\n\n @Action(LoadRecipientEndpointsForOrganizationMemberAction)\n loadOrgMemberRecipientEndpoints(ctx: StateContext) {\n const membership = this.store.selectSnapshot(UserState.membership);\n\n if (!membership) throw new Error('No membership set');\n\n return loadEntities(\n ctx,\n 'orgMemberRecipientEndpoints',\n this.communicationService\n .loadOrgMemberRecipientEndpoints(\n membership.organizationId,\n membership.id\n )\n .pipe(map(endpoints => toIdentifiableEntities(endpoints, 'id')))\n );\n }\n\n @Action(LoadProviderProfileChannelsAction)\n loadProviderProfileChannels(\n ctx: StateContext,\n { providerProfileId }: LoadProviderProfileChannelsAction\n ) {\n const organizationID = this.store.selectSnapshot(\n UserState.getCurrentOrganizationID\n );\n\n if (!organizationID) throw new Error('No organization ID set');\n\n return loadEntities(\n ctx,\n 'providerProfileChannels',\n this.communicationService\n .loadProviderProfileChannels(organizationID, providerProfileId)\n .pipe(map(channels => toIdentifiableEntities(channels, 'id'))),\n {\n clear: true,\n }\n );\n }\n\n @Action(RemoveProviderProfileAction)\n removeProviderProfile(\n ctx: StateContext,\n { providerProfileId }: RemoveProviderProfileAction\n ) {\n const organizationID = this.store.selectSnapshot(\n UserState.getCurrentOrganizationID\n );\n\n if (!organizationID) throw new Error('No organization ID set');\n\n return removeListEntity(\n ctx,\n 'providerProfiles',\n providerProfileId,\n\n (profile: CommunicationProviderProfile) => {\n return profile.id !== providerProfileId;\n },\n this.communicationService.removeProviderProfile(\n organizationID,\n providerProfileId\n )\n );\n }\n\n @Action(CreateRecipientEndpointAction)\n createRecipientEndpoint(\n ctx: StateContext,\n { providerId, spec }: CreateRecipientEndpointAction\n ) {\n const organizationID = this.store.selectSnapshot(\n UserState.getCurrentOrganizationID\n );\n\n if (!organizationID) throw new Error('No organization ID set');\n\n return addListEntity(\n ctx,\n 'orgRecipientEndpoints',\n 'id',\n this.communicationService.createRecipientEndpoint(\n organizationID,\n providerId,\n spec\n )\n ).pipe(\n catchError(err => {\n this.toast.showError(err);\n throw err;\n })\n );\n }\n\n @Action(CreateOrgMemberRecipientEndpointAction)\n createOrgMemberRecipientEndpoint(\n ctx: StateContext,\n { providerId, spec }: CreateOrgMemberRecipientEndpointAction\n ) {\n const membership = this.store.selectSnapshot(UserState.membership);\n\n if (!membership) throw new Error('No membership set');\n\n return addListEntity(\n ctx,\n 'orgMemberRecipientEndpoints',\n 'id',\n this.communicationService.createOrgMemberRecipientEndpoint(\n membership.organizationId,\n providerId,\n membership.id,\n spec\n )\n ).pipe(\n catchError(err => {\n this.toast.showError(err);\n throw err;\n })\n );\n }\n\n @Action(RemoveOrgMemberRecipientEndpointAction)\n removeOrgMemberRecipientEndpoint(\n ctx: StateContext,\n { endpointId }: RemoveOrgMemberRecipientEndpointAction\n ) {\n const membership = this.store.selectSnapshot(UserState.membership);\n\n if (!membership) throw new Error('No membership set');\n\n return removeListEntity(\n ctx,\n 'orgMemberRecipientEndpoints',\n endpointId,\n (endpoint: RecipientEndpoint) => {\n return endpoint.id !== endpointId;\n },\n this.communicationService.removeOrgMemberRecipientEndpoint(\n membership.organizationId,\n membership.id,\n endpointId\n )\n ).pipe(\n catchError(err => {\n this.toast.showError(err);\n throw err;\n })\n );\n }\n\n @Action(ForwardToDiscordAction)\n forwardToDiscord() {\n const clientId = environment.notificationProviders.discordClientId;\n\n // https://discordapi.com/permissions.html#378024233040\n const permissions = '378024233040';\n\n const redirectUri = encodeURIComponent(\n environment.frontendUrl +\n '/settings/communication/providers/callback/discord'\n );\n\n const discordScopes = encodeURIComponent(['identify', 'bot'].join(' '));\n\n window.location.replace(\n `https://discord.com/api/oauth2/authorize?client_id=${clientId}&permissions=${permissions}&redirect_uri=${redirectUri}&response_type=code&scope=${discordScopes}`\n );\n }\n\n @Action(ForwardToSlackAction)\n forwardToSlack() {\n const clientId = environment.notificationProviders.slackClientId;\n\n const slackScopes = encodeURIComponent(\n ['channels:join', 'channels:manage', 'channels:read', 'chat:write'].join(\n ','\n )\n );\n\n const redirectUri = encodeURIComponent(\n environment.frontendUrl +\n '/settings/communication/providers/callback/slack'\n );\n\n window.location.replace(\n `https://slack.com/oauth/v2/authorize?scope=${slackScopes}&client_id=${clientId}&user_scope=&redirect_uri=${redirectUri}`\n );\n }\n\n @Action(LinkProviderFailedAction)\n linkProviderFailed(\n ctx: StateContext,\n { error }: LinkProviderFailedAction\n ) {\n this.toast.showError(new Error(error));\n this.router.navigate(['/settings/communication/providers']);\n }\n\n @Action(CreateWebPushRecipientEndpointAction)\n async createWebPushRecipientEndpoint(\n ctx: StateContext\n ) {\n const supported = await isSupported();\n\n if (supported) {\n const fcmService = this.injector.get(FCMService);\n try {\n const token = await fcmService.register();\n\n return ctx\n .dispatch(\n new CreateOrgMemberRecipientEndpointAction('internal-fcm', {\n fcm: {\n token: token,\n identifier: 'web-push',\n },\n })\n )\n .subscribe({\n next: () => {\n this.toast.showInfo(\n 'Push notifications enabled!',\n 'You will now receive push notifications'\n );\n },\n });\n } catch (error) {\n this.toast.showError(\n new Error('Failed to enable push notifications: ' + error)\n );\n }\n }\n\n return;\n }\n}\n"],"names":["stringToByteArray$1","str","out","p","i","c","byteArrayToString","bytes","pos","c1","c2","c3","c4","u","base64","input","webSafe","byteToCharMap","output","byte1","haveByte2","byte2","haveByte3","byte3","outByte1","outByte2","outByte3","outByte4","charToByteMap","byte4","DecodeBase64StringError","base64Encode","utf8Bytes","base64urlEncodeWithoutPadding","base64Decode","e","getGlobal","getDefaultsFromGlobal","getDefaultsFromEnvVariable","defaultsJsonString","getDefaultsFromCookie","match","decoded","base64Decode","getDefaults","getDefaultAppConfig","_a","getDefaults","Deferred","resolve","reject","callback","error","value","isIndexedDBAvailable","validateIndexedDBOpenable","resolve","reject","preExist","DB_CHECK_NAME","request","_a","error","areCookiesEnabled","ERROR_NAME","FirebaseError","_FirebaseError","code","message","customData","ErrorFactory","service","serviceName","errors","data","fullCode","template","replaceTemplate","fullMessage","PATTERN","_","key","value","deepEqual","a","b","aKeys","bKeys","k","aProp","bProp","isObject","thing","MAX_VALUE_MILLIS","getModularInstance","service","Component","name","instanceFactory","type","mode","multipleInstances","props","callback","DEFAULT_ENTRY_NAME","Provider","container","identifier","normalizedIdentifier","deferred","Deferred","instance","options","_a","optional","e","component","isComponentEager","instanceIdentifier","instanceDeferred","__async","services","service","opts","normalizedDeferredIdentifier","existingCallbacks","existingInstance","callbacks","normalizeIdentifierForFactory","ComponentContainer","provider","instances","LogLevel","levelStringToEnum","defaultLogLevel","ConsoleMethod","defaultLogHandler","instance","logType","args","now","method","Logger","name","val","instanceOfAny","object","constructors","c","idbProxyableTypes","cursorAdvanceMethods","getIdbProxyableTypes","getCursorAdvanceMethods","cursorRequestMap","transactionDoneMap","transactionStoreNamesMap","transformCache","reverseTransformCache","promisifyRequest","request","promise","resolve","reject","unlisten","success","error","wrap","value","cacheDonePromiseForTransaction","tx","done","complete","idbProxyTraps","target","prop","receiver","replaceTraps","callback","wrapFunction","func","storeNames","args","unwrap","transformCachableValue","newValue","openDB","name","version","blocked","upgrade","blocking","terminated","request","openPromise","wrap","event","db","deleteDB","readMethods","writeMethods","cachedMethods","getMethod","target","prop","targetFuncName","useIndex","isWrite","method","storeName","args","__async","tx","replaceTraps","oldTraps","__spreadProps","__spreadValues","receiver","PlatformLoggerServiceImpl","container","provider","isVersionServiceProvider","service","logString","component","name$q","version$1","logger","Logger","name$p","name$o","name$n","name$m","name$l","name$k","name$j","name$i","name$h","name$g","name$f","name$e","name$d","name$c","name$b","name$a","name$9","name$8","name$7","name$6","name$5","name$4","name$3","name$2","name$1","name","DEFAULT_ENTRY_NAME","PLATFORM_LOG_STRING","name$q","name$p","name$n","name$o","name$l","name$m","name$k","name$j","name$i","name$h","name$g","name$f","name$e","name$d","name$c","name$b","name$a","name$9","name$8","name$7","name$6","name$5","name$4","name$3","name$1","name$2","name","_apps","_serverApps","_components","_addComponent","app","component","e","logger","_registerComponent","component","componentName","_components","logger","app","_apps","_addComponent","serverApp","_serverApps","_getProvider","name","heartbeatController","ERRORS","ERROR_FACTORY","ErrorFactory","FirebaseAppImpl","options","config","container","Component","val","initializeApp","_options","rawConfig","options","config","DEFAULT_ENTRY_NAME","name","ERROR_FACTORY","getDefaultAppConfig","existingApp","_apps","deepEqual","container","ComponentContainer","component","_components","newApp","FirebaseAppImpl","getApp","name","DEFAULT_ENTRY_NAME","app","_apps","getDefaultAppConfig","initializeApp","ERROR_FACTORY","getApps","registerVersion","libraryKeyOrName","version","variant","_a","library","PLATFORM_LOG_STRING","libraryMismatch","versionMismatch","warning","logger","_registerComponent","Component","DB_NAME","DB_VERSION","STORE_NAME","dbPromise","getDbPromise","openDB","db","oldVersion","e","ERROR_FACTORY","readHeartbeatsFromIndexedDB","app","__async","tx","result","computeKey","FirebaseError","logger","idbGetError","writeHeartbeatsToIndexedDB","heartbeatObject","MAX_HEADER_BYTES","MAX_NUM_STORED_HEARTBEATS","HeartbeatServiceImpl","container","HeartbeatStorageImpl","_a","_b","agent","date","getUTCDateString","singleDateHeartbeat","earliestHeartbeatIdx","getEarliestHeartbeatIdx","heartbeatsToSend","unsentEntries","extractHeartbeatsForHeader","headerString","base64urlEncodeWithoutPadding","heartbeatsCache","maxSize","heartbeatEntry","hb","countBytes","isIndexedDBAvailable","validateIndexedDBOpenable","idbHeartbeatObject","heartbeatsObject","existingHeartbeatsObject","heartbeats","earliestHeartbeatDate","i","registerCoreComponents","variant","_registerComponent","Component","PlatformLoggerServiceImpl","registerVersion","name$q","version$1","name","version","registerVersion","VERSION","Version","ɵgetDefaultInstanceOf","identifier","provided","defaultApp","providedUsingDefaultApp","it","ɵgetAllInstancesOf","app","apps","getApps","instances","instance","LogLevel","currentLogLevel","isDevMode","ɵZoneScheduler","zone","delegate","queueScheduler","work","delay","state","targetZone","workInZone","ɵAngularFireSchedulers","ngZone","inject","NgZone","asyncScheduler","__ngFactoryType__","ɵɵdefineInjectable","alreadyWarned","warnOutsideInjectionContext","original","logLevel","currentLogLevel","LogLevel","isDevMode","runOutsideAngular","fn","run","zoneWrapFn","it","taskDone","injector","args","runInInjectionContext","ɵzoneWrap","blockUntilFirst","_arguments","schedulers","pendingTasks","PendingTasks","EnvironmentInjector","i","ret","Observable","subscribeOn","observeOn","pendingUntilEvent","resolve","reject","reason","FirebaseApp","app","FirebaseApps","getApps","defaultFirebaseAppFactory","provided","FirebaseApp","getApp","PROVIDED_FIREBASE_APPS","InjectionToken","DEFAULT_FIREBASE_APP_PROVIDER","Optional","FIREBASE_APPS_PROVIDER","FirebaseApps","firebaseAppFactory","fn","zone","injector","platformId","PLATFORM_ID","registerVersion","VERSION","app","provideFirebaseApp","fn","deps","makeEnvironmentProviders","DEFAULT_FIREBASE_APP_PROVIDER","FIREBASE_APPS_PROVIDER","PROVIDED_FIREBASE_APPS","firebaseAppFactory","NgZone","Injector","ɵAngularFireSchedulers","initializeApp","ɵzoneWrap","name","version","PENDING_TIMEOUT_MS","PACKAGE_VERSION","INTERNAL_AUTH_VERSION","INSTALLATIONS_API_URL","TOKEN_EXPIRATION_BUFFER","SERVICE","SERVICE_NAME","ERROR_DESCRIPTION_MAP","ERROR_FACTORY","ErrorFactory","isServerError","error","FirebaseError","getInstallationsEndpoint","projectId","extractAuthTokenInfoFromResponse","response","getExpiresInFromResponseExpiresIn","getErrorFromResponse","requestName","__async","errorData","getHeaders","apiKey","getHeadersWithAuth","appConfig","refreshToken","headers","getAuthorizationHeader","retryIfServerError","fn","result","responseExpiresIn","createInstallationRequest","_0","_1","heartbeatServiceProvider","fid","endpoint","heartbeatService","heartbeatsHeader","body","request","responseValue","sleep","ms","resolve","bufferToBase64UrlSafe","array","VALID_FID_PATTERN","INVALID_FID","generateFid","fidByteArray","encode","getKey","fidChangeCallbacks","fidChanged","key","callFidChangeCallbacks","broadcastFidChange","callFidChangeCallbacks","key","fid","callbacks","fidChangeCallbacks","callback","broadcastFidChange","channel","getBroadcastChannel","closeBroadcastChannel","broadcastChannel","DATABASE_NAME","DATABASE_VERSION","OBJECT_STORE_NAME","dbPromise","getDbPromise","openDB","db","oldVersion","set","appConfig","value","__async","getKey","tx","objectStore","oldValue","fidChanged","remove","update","updateFn","store","newValue","getInstallationEntry","installations","registrationPromise","installationEntry","oldEntry","updateOrCreateInstallationEntry","entryWithPromise","triggerRegistrationIfNecessary","INVALID_FID","entry","generateFid","clearTimedOutRequest","registrationPromiseWithError","ERROR_FACTORY","inProgressEntry","registerInstallation","waitUntilFidRegistration","registeredInstallationEntry","createInstallationRequest","e","isServerError","updateInstallationRequest","sleep","hasInstallationRequestTimedOut","PENDING_TIMEOUT_MS","generateAuthTokenRequest","_0","_1","heartbeatServiceProvider","endpoint","getGenerateAuthTokenEndpoint","headers","getHeadersWithAuth","heartbeatService","heartbeatsHeader","body","PACKAGE_VERSION","request","response","retryIfServerError","responseValue","extractAuthTokenInfoFromResponse","getErrorFromResponse","getInstallationsEndpoint","refreshAuthToken","forceRefresh","tokenPromise","isEntryRegistered","oldAuthToken","isAuthTokenValid","waitUntilAuthTokenRequest","makeAuthTokenRequestInProgressEntry","fetchAuthTokenFromServer","updateAuthTokenRequest","authToken","hasAuthTokenRequestTimedOut","updatedInstallationEntry","isAuthTokenExpired","now","TOKEN_EXPIRATION_BUFFER","inProgressAuthToken","getId","installationsImpl","getToken","completeInstallationRegistration","extractAppConfig","app","getMissingValueError","configKeys","keyName","valueName","ERROR_FACTORY","INSTALLATIONS_NAME","INSTALLATIONS_NAME_INTERNAL","publicFactory","container","appConfig","heartbeatServiceProvider","_getProvider","internalFactory","installations","getId","forceRefresh","getToken","registerInstallations","_registerComponent","Component","registerVersion","name","version","DEFAULT_SW_PATH","DEFAULT_SW_SCOPE","DEFAULT_VAPID_KEY","ENDPOINT","CONSOLE_CAMPAIGN_ID","CONSOLE_CAMPAIGN_NAME","CONSOLE_CAMPAIGN_TIME","CONSOLE_CAMPAIGN_ANALYTICS_ENABLED","DEFAULT_REGISTRATION_TIMEOUT","MessageType","arrayToBase64","array","uint8Array","base64ToArray","base64String","padding","base64","rawData","outputArray","i","OLD_DB_NAME","OLD_DB_VERSION","OLD_OBJECT_STORE_NAME","migrateOldDatabase","senderId","__async","db","tokenDetails","openDB","oldVersion","newVersion","upgradeTransaction","_a","objectStore","value","oldDetails","deleteDB","checkTokenDetails","subscriptionOptions","DATABASE_NAME","DATABASE_VERSION","OBJECT_STORE_NAME","dbPromise","getDbPromise","upgradeDb","dbGet","firebaseDependencies","key","getKey","oldTokenDetails","dbSet","tx","getKey","appConfig","ERROR_MAP","ERROR_FACTORY","ErrorFactory","requestGetToken","firebaseDependencies","subscriptionOptions","__async","headers","getHeaders","body","getBody","subscribeOptions","responseData","getEndpoint","err","message","requestUpdateToken","tokenDetails","updateOptions","requestDeleteToken","token","unsubscribeOptions","projectId","ENDPOINT","_0","installations","authToken","p256dh","auth","endpoint","vapidKey","DEFAULT_VAPID_KEY","TOKEN_EXPIRATION_MS","getTokenInternal","messaging","pushSubscription","getPushSubscription","arrayToBase64","dbGet","isTokenValid","updateToken","e","getNewToken","updateToken","messaging","tokenDetails","__async","updatedToken","requestUpdateToken","updatedTokenDetails","dbSet","e","getNewToken","firebaseDependencies","subscriptionOptions","requestGetToken","getPushSubscription","swRegistration","vapidKey","subscription","base64ToArray","isTokenValid","dbOptions","currentOptions","isVapidKeyEqual","isEndpointEqual","isAuthEqual","isP256dhEqual","externalizePayload","internalPayload","payload","propagateNotificationPayload","propagateDataPayload","propagateFcmOptions","messagePayloadInternal","title","body","image","icon","_a","_b","_c","_d","_e","link","analyticsLabel","isConsoleMessage","data","CONSOLE_CAMPAIGN_ID","_mergeStrings","s1","s2","resultArray","i","extractAppConfig","app","getMissingValueError","configKeys","options","keyName","valueName","ERROR_FACTORY","MessagingService","installations","analyticsProvider","appConfig","registerDefaultSw","DEFAULT_SW_PATH","DEFAULT_SW_SCOPE","waitForRegistrationActive","registration","resolve","reject","rejectTimeout","DEFAULT_REGISTRATION_TIMEOUT","incomingSw","ev","updateSwReg","updateVapidKey","DEFAULT_VAPID_KEY","getToken$1","getTokenInternal","logToScion","messageType","eventType","getEventType","CONSOLE_CAMPAIGN_NAME","CONSOLE_CAMPAIGN_TIME","MessageType","messageEventListener","event","dataPayload","CONSOLE_CAMPAIGN_ANALYTICS_ENABLED","name","version","WindowMessagingFactory","container","WindowMessagingInternalFactory","registerMessagingInWindow","_registerComponent","Component","registerVersion","isWindowSupported","validateIndexedDBOpenable","isIndexedDBAvailable","areCookiesEnabled","onMessage$1","messaging","nextOrObserver","ERROR_FACTORY","getMessagingInWindow","app","getApp","isWindowSupported","isSupported","_","_getProvider","getModularInstance","getToken","options","__async","getToken$1","onMessage","messaging","nextOrObserver","getModularInstance","onMessage$1","registerMessagingInWindow","Messaging","messaging","MESSAGING_PROVIDER_NAME","MessagingInstances","ɵgetAllInstancesOf","PROVIDED_MESSAGING_INSTANCES","InjectionToken","defaultMessagingInstanceFactory","provided","defaultApp","platformId","isPlatformServer","defaultMessaging","ɵgetDefaultInstanceOf","MESSAGING_PROVIDER_NAME","Messaging","messagingInstanceFactory","fn","zone","injector","messaging","MESSAGING_INSTANCES_PROVIDER","MessagingInstances","Optional","DEFAULT_MESSAGING_INSTANCE_PROVIDER","FirebaseApp","PLATFORM_ID","provideMessaging","fn","deps","registerVersion","VERSION","makeEnvironmentProviders","DEFAULT_MESSAGING_INSTANCE_PROVIDER","MESSAGING_INSTANCES_PROVIDER","PROVIDED_MESSAGING_INSTANCES","messagingInstanceFactory","NgZone","Injector","PLATFORM_ID","ɵAngularFireSchedulers","FirebaseApps","getMessaging","ɵzoneWrap","getMessagingInWindow","getToken","isSupported","isWindowSupported","onMessage","FCMService","constructor","msg","toast","inject","ToastService","message$","Observable","sub","onMessage","next","subscribe","data","showInfo","error","err","console","register","Promise","resolve","reject","Notification","requestPermission","then","notificationPermissions","log","navigator","serviceWorker","type","serviceWorkerRegistration","getToken","vapidKey","token","catch","ɵɵinject","Messaging","factory","ɵfac","providedIn","CreateDiscordProviderProfileAction","type","constructor","guildId","CreateSlackProviderProfileAction","oauthCode","CreateTeamsProviderProfileAction","tenantId","teamId","LinkProviderFailedAction","error","RemoveProviderProfileAction","providerProfileId","LoadCommunicationProviderProfilesAction","LoadProviderProfileChannelsAction","LoadRecipientEndpointsForOrganizationAction","LoadRecipientEndpointsForOrganizationMemberAction","CreateRecipientEndpointAction","providerId","spec","CreateOrgMemberRecipientEndpointAction","ForwardToDiscordAction","ForwardToSlackAction","RemoveOrgMemberRecipientEndpointAction","endpointId","CreateWebPushRecipientEndpointAction","CREATE_PROVIDER_PROFILE_MUTATION","gql","REMOVE_PROVIDER_PROFILE_MUTATION","LIST_PROVIDER_PROFILES_QUERY","LIST_PROVIDER_PROFILE_CHANNELS_QUERY","CREATE_ORG_RECIPIENT_ENDPOINT_MUTATION","CREATE_ORG_MEMBER_RECIPIENT_ENDPOINT_MUTATION","LOAD_ORG_RECIPIENT_ENDPOINTS","LOAD_ORG_MEMBER_RECIPIENT_ENDPOINTS","REMOVE_ORG_MEMBER_RECIPIENT_ENDPOINT_MUTATION","CommunicationService","constructor","apollo","inject","Apollo","createProviderProfile","organizationId","spec","mutate","mutation","variables","pipe","map","data","errors","Error","message","id","removeProviderProfile","providerProfileId","listProviderProfiles","query","providerProfiles","createRecipientEndpoint","createOrgRecipientEndpoint","createOrgMemberRecipientEndpoint","memberId","loadOrgRecipientEndpoints","orgRecipientEndpoints","loadOrgMemberRecipientEndpoints","orgMemberRecipientEndpoints","endpoint","enrichRecipientEndpoint","loadProviderProfileChannels","providerProfileChannels","removeOrgMemberRecipientEndpoint","recipientEndpointId","image","getProviderImage","providerType","type","CommunicationProviderType","DISCORD_APP","SLACK_APP","MAIL","factory","ɵfac","CommunicationState","constructor","store","inject","Store","communicationService","CommunicationService","toast","ToastService","router","Router","injector","Injector","providerProfiles","state","orgRecipientEndpoints","orgMemberRecipientEndpoints","providerProfileChannels","unusedProviderProfileChannels","endpoints","entities","__spreadProps","__spreadValues","Object","fromEntries","entries","filter","channelEntity","values","find","endpoint","hasProviderChannelMetadata","data","config","id","orgRecipientEndpointsForProviderProfileId","providerProfileId","createSelector","v","getCommunicationProviderProfile","providerType","p","type","isCommunicationProviderConfigured","undefined","orgMemberNotificationEndpoint","endpointId","CommunicationState_1","loadCommunicationProviderProfiles","ctx","organizationID","selectSnapshot","UserState","getCurrentOrganizationID","Error","loadEntities","listProviderProfiles","pipe","map","profiles","toIdentifiableEntities","createSlackProviderProfile","oauthCode","createProviderProfile","slackAppConfig","code","tap","showInfo","catchError","err","showError","of","createTeamsProviderProfile","tenantId","teamId","teamsConfig","createDiscordProviderProfile","guildId","discordAppConfig","loadOrgRecipientEndpoints","loadOrgMemberRecipientEndpoints","membership","organizationId","loadProviderProfileChannels","channels","clear","removeProviderProfile","removeListEntity","profile","createRecipientEndpoint","providerId","spec","addListEntity","createOrgMemberRecipientEndpoint","removeOrgMemberRecipientEndpoint","forwardToDiscord","clientId","environment","notificationProviders","discordClientId","permissions","redirectUri","encodeURIComponent","frontendUrl","discordScopes","join","window","location","replace","forwardToSlack","slackClientId","slackScopes","linkProviderFailed","error","navigate","createWebPushRecipientEndpoint","__async","isSupported","fcmService","get","FCMService","token","register","dispatch","CreateOrgMemberRecipientEndpointAction","fcm","identifier","subscribe","next","factory","ɵfac","__decorate","Action","LoadCommunicationProviderProfilesAction","CreateSlackProviderProfileAction","CreateTeamsProviderProfileAction","CreateDiscordProviderProfileAction","LoadRecipientEndpointsForOrganizationAction","LoadRecipientEndpointsForOrganizationMemberAction","LoadProviderProfileChannelsAction","RemoveProviderProfileAction","CreateRecipientEndpointAction","RemoveOrgMemberRecipientEndpointAction","ForwardToDiscordAction","ForwardToSlackAction","LinkProviderFailedAction","CreateWebPushRecipientEndpointAction","Selector","State","name","children","defaults","NewListEntities"],"mappings":";;2eAiFA,IAAMA,GAAsB,SAAUC,EAAK,CAEzC,IAAMC,EAAM,CAAC,EACTC,EAAI,EACR,QAASC,EAAI,EAAGA,EAAIH,EAAI,OAAQG,IAAK,CACnC,IAAIC,EAAIJ,EAAI,WAAWG,CAAC,EACpBC,EAAI,IACNH,EAAIC,GAAG,EAAIE,EACFA,EAAI,MACbH,EAAIC,GAAG,EAAIE,GAAK,EAAI,IACpBH,EAAIC,GAAG,EAAIE,EAAI,GAAK,MACVA,EAAI,SAAY,OAAUD,EAAI,EAAIH,EAAI,SAAWA,EAAI,WAAWG,EAAI,CAAC,EAAI,SAAY,OAE/FC,EAAI,QAAYA,EAAI,OAAW,KAAOJ,EAAI,WAAW,EAAEG,CAAC,EAAI,MAC5DF,EAAIC,GAAG,EAAIE,GAAK,GAAK,IACrBH,EAAIC,GAAG,EAAIE,GAAK,GAAK,GAAK,IAC1BH,EAAIC,GAAG,EAAIE,GAAK,EAAI,GAAK,IACzBH,EAAIC,GAAG,EAAIE,EAAI,GAAK,MAEpBH,EAAIC,GAAG,EAAIE,GAAK,GAAK,IACrBH,EAAIC,GAAG,EAAIE,GAAK,EAAI,GAAK,IACzBH,EAAIC,GAAG,EAAIE,EAAI,GAAK,IAExB,CACA,OAAOH,CACT,EAOMI,GAAoB,SAAUC,EAAO,CAEzC,IAAML,EAAM,CAAC,EACTM,EAAM,EACRH,EAAI,EACN,KAAOG,EAAMD,EAAM,QAAQ,CACzB,IAAME,EAAKF,EAAMC,GAAK,EACtB,GAAIC,EAAK,IACPP,EAAIG,GAAG,EAAI,OAAO,aAAaI,CAAE,UACxBA,EAAK,KAAOA,EAAK,IAAK,CAC/B,IAAMC,EAAKH,EAAMC,GAAK,EACtBN,EAAIG,GAAG,EAAI,OAAO,cAAcI,EAAK,KAAO,EAAIC,EAAK,EAAE,CACzD,SAAWD,EAAK,KAAOA,EAAK,IAAK,CAE/B,IAAMC,EAAKH,EAAMC,GAAK,EAChBG,EAAKJ,EAAMC,GAAK,EAChBI,EAAKL,EAAMC,GAAK,EAChBK,IAAMJ,EAAK,IAAM,IAAMC,EAAK,KAAO,IAAMC,EAAK,KAAO,EAAIC,EAAK,IAAM,MAC1EV,EAAIG,GAAG,EAAI,OAAO,aAAa,OAAUQ,GAAK,GAAG,EACjDX,EAAIG,GAAG,EAAI,OAAO,aAAa,OAAUQ,EAAI,KAAK,CACpD,KAAO,CACL,IAAMH,EAAKH,EAAMC,GAAK,EAChBG,EAAKJ,EAAMC,GAAK,EACtBN,EAAIG,GAAG,EAAI,OAAO,cAAcI,EAAK,KAAO,IAAMC,EAAK,KAAO,EAAIC,EAAK,EAAE,CAC3E,CACF,CACA,OAAOT,EAAI,KAAK,EAAE,CACpB,EAKMY,GAAS,CAIb,eAAgB,KAIhB,eAAgB,KAKhB,sBAAuB,KAKvB,sBAAuB,KAKvB,kBAAmB,iEAInB,IAAI,cAAe,CACjB,OAAO,KAAK,kBAAoB,KAClC,EAIA,IAAI,sBAAuB,CACzB,OAAO,KAAK,kBAAoB,KAClC,EAQA,mBAAoB,OAAO,MAAS,WAUpC,gBAAgBC,EAAOC,EAAS,CAC9B,GAAI,CAAC,MAAM,QAAQD,CAAK,EACtB,MAAM,MAAM,+CAA+C,EAE7D,KAAK,MAAM,EACX,IAAME,EAAgBD,EAAU,KAAK,sBAAwB,KAAK,eAC5DE,EAAS,CAAC,EAChB,QAAS,EAAI,EAAG,EAAIH,EAAM,OAAQ,GAAK,EAAG,CACxC,IAAMI,EAAQJ,EAAM,CAAC,EACfK,EAAY,EAAI,EAAIL,EAAM,OAC1BM,EAAQD,EAAYL,EAAM,EAAI,CAAC,EAAI,EACnCO,EAAY,EAAI,EAAIP,EAAM,OAC1BQ,EAAQD,EAAYP,EAAM,EAAI,CAAC,EAAI,EACnCS,EAAWL,GAAS,EACpBM,GAAYN,EAAQ,IAAS,EAAIE,GAAS,EAC5CK,GAAYL,EAAQ,KAAS,EAAIE,GAAS,EAC1CI,GAAWJ,EAAQ,GAClBD,IACHK,GAAW,GACNP,IACHM,EAAW,KAGfR,EAAO,KAAKD,EAAcO,CAAQ,EAAGP,EAAcQ,CAAQ,EAAGR,EAAcS,CAAQ,EAAGT,EAAcU,EAAQ,CAAC,CAChH,CACA,OAAOT,EAAO,KAAK,EAAE,CACvB,EASA,aAAaH,EAAOC,EAAS,CAG3B,OAAI,KAAK,oBAAsB,CAACA,EACvB,KAAKD,CAAK,EAEZ,KAAK,gBAAgBf,GAAoBe,CAAK,EAAGC,CAAO,CACjE,EASA,aAAaD,EAAOC,EAAS,CAG3B,OAAI,KAAK,oBAAsB,CAACA,EACvB,KAAKD,CAAK,EAEZT,GAAkB,KAAK,wBAAwBS,EAAOC,CAAO,CAAC,CACvE,EAgBA,wBAAwBD,EAAOC,EAAS,CACtC,KAAK,MAAM,EACX,IAAMY,EAAgBZ,EAAU,KAAK,sBAAwB,KAAK,eAC5DE,EAAS,CAAC,EAChB,QAAS,EAAI,EAAG,EAAIH,EAAM,QAAS,CACjC,IAAMI,EAAQS,EAAcb,EAAM,OAAO,GAAG,CAAC,EAEvCM,EADY,EAAIN,EAAM,OACFa,EAAcb,EAAM,OAAO,CAAC,CAAC,EAAI,EAC3D,EAAE,EAEF,IAAMQ,EADY,EAAIR,EAAM,OACFa,EAAcb,EAAM,OAAO,CAAC,CAAC,EAAI,GAC3D,EAAE,EAEF,IAAMc,EADY,EAAId,EAAM,OACFa,EAAcb,EAAM,OAAO,CAAC,CAAC,EAAI,GAE3D,GADA,EAAE,EACEI,GAAS,MAAQE,GAAS,MAAQE,GAAS,MAAQM,GAAS,KAC9D,MAAM,IAAIC,GAEZ,IAAMN,EAAWL,GAAS,EAAIE,GAAS,EAEvC,GADAH,EAAO,KAAKM,CAAQ,EAChBD,IAAU,GAAI,CAChB,IAAME,GAAWJ,GAAS,EAAI,IAAOE,GAAS,EAE9C,GADAL,EAAO,KAAKO,EAAQ,EAChBI,IAAU,GAAI,CAChB,IAAMH,GAAWH,GAAS,EAAI,IAAOM,EACrCX,EAAO,KAAKQ,EAAQ,CACtB,CACF,CACF,CACA,OAAOR,CACT,EAMA,OAAQ,CACN,GAAI,CAAC,KAAK,eAAgB,CACxB,KAAK,eAAiB,CAAC,EACvB,KAAK,eAAiB,CAAC,EACvB,KAAK,sBAAwB,CAAC,EAC9B,KAAK,sBAAwB,CAAC,EAE9B,QAASd,EAAI,EAAGA,EAAI,KAAK,aAAa,OAAQA,IAC5C,KAAK,eAAeA,CAAC,EAAI,KAAK,aAAa,OAAOA,CAAC,EACnD,KAAK,eAAe,KAAK,eAAeA,CAAC,CAAC,EAAIA,EAC9C,KAAK,sBAAsBA,CAAC,EAAI,KAAK,qBAAqB,OAAOA,CAAC,EAClE,KAAK,sBAAsB,KAAK,sBAAsBA,CAAC,CAAC,EAAIA,EAExDA,GAAK,KAAK,kBAAkB,SAC9B,KAAK,eAAe,KAAK,qBAAqB,OAAOA,CAAC,CAAC,EAAIA,EAC3D,KAAK,sBAAsB,KAAK,aAAa,OAAOA,CAAC,CAAC,EAAIA,EAGhE,CACF,CACF,EAIM0B,GAAN,cAAsC,KAAM,CAC1C,aAAc,CACZ,MAAM,GAAG,SAAS,EAClB,KAAK,KAAO,yBACd,CACF,EAIMC,GAAe,SAAU9B,EAAK,CAClC,IAAM+B,EAAYhC,GAAoBC,CAAG,EACzC,OAAOa,GAAO,gBAAgBkB,EAAW,EAAI,CAC/C,EAKMC,GAAgC,SAAUhC,EAAK,CAEnD,OAAO8B,GAAa9B,CAAG,EAAE,QAAQ,MAAO,EAAE,CAC5C,EAUMiC,GAAe,SAAUjC,EAAK,CAClC,GAAI,CACF,OAAOa,GAAO,aAAab,EAAK,EAAI,CACtC,OAASkC,EAAG,CACV,QAAQ,MAAM,wBAAyBA,CAAC,CAC1C,CACA,OAAO,IACT,EA+FA,SAASC,IAAY,CACnB,GAAI,OAAO,KAAS,IAClB,OAAO,KAET,GAAI,OAAO,OAAW,IACpB,OAAO,OAET,GAAI,OAAO,OAAW,IACpB,OAAO,OAET,MAAM,IAAI,MAAM,iCAAiC,CACnD,CAkBA,IAAMC,GAAwB,IAAMD,GAAU,EAAE,sBAS1CE,GAA6B,IAAM,CACvC,GAAI,OAAO,QAAY,KAAe,OAAO,QAAQ,IAAQ,IAC3D,OAEF,IAAMC,EAAqB,QAAQ,IAAI,sBACvC,GAAIA,EACF,OAAO,KAAK,MAAMA,CAAkB,CAExC,EACMC,GAAwB,IAAM,CAClC,GAAI,OAAO,SAAa,IACtB,OAEF,IAAIC,EACJ,GAAI,CACFA,EAAQ,SAAS,OAAO,MAAM,+BAA+B,CAC/D,MAAY,CAGV,MACF,CACA,IAAMC,EAAUD,GAASE,GAAaF,EAAM,CAAC,CAAC,EAC9C,OAAOC,GAAW,KAAK,MAAMA,CAAO,CACtC,EAQME,GAAc,IAAM,CACxB,GAAI,CACF,OAAOP,GAAsB,GAAKC,GAA2B,GAAKE,GAAsB,CAC1F,OAAS,EAAG,CAOV,QAAQ,KAAK,+CAA+C,CAAC,EAAE,EAC/D,MACF,CACF,EAuCA,IAAMK,GAAsB,IAAM,CAChC,IAAIC,EACJ,OAAQA,EAAKC,GAAY,KAAO,MAAQD,IAAO,OAAS,OAASA,EAAG,MACtE,EA2BA,IAAME,GAAN,KAAe,CACb,aAAc,CACZ,KAAK,OAAS,IAAM,CAAC,EACrB,KAAK,QAAU,IAAM,CAAC,EACtB,KAAK,QAAU,IAAI,QAAQ,CAACC,EAASC,IAAW,CAC9C,KAAK,QAAUD,EACf,KAAK,OAASC,CAChB,CAAC,CACH,CAMA,aAAaC,EAAU,CACrB,MAAO,CAACC,EAAOC,IAAU,CACnBD,EACF,KAAK,OAAOA,CAAK,EAEjB,KAAK,QAAQC,CAAK,EAEhB,OAAOF,GAAa,aAGtB,KAAK,QAAQ,MAAM,IAAM,CAAC,CAAC,EAGvBA,EAAS,SAAW,EACtBA,EAASC,CAAK,EAEdD,EAASC,EAAOC,CAAK,EAG3B,CACF,CACF,EA8KA,SAASC,IAAuB,CAC9B,GAAI,CACF,OAAO,OAAO,WAAc,QAC9B,MAAY,CACV,MAAO,EACT,CACF,CAQA,SAASC,IAA4B,CACnC,OAAO,IAAI,QAAQ,CAACC,EAASC,IAAW,CACtC,GAAI,CACF,IAAIC,EAAW,GACTC,EAAgB,0DAChBC,EAAU,KAAK,UAAU,KAAKD,CAAa,EACjDC,EAAQ,UAAY,IAAM,CACxBA,EAAQ,OAAO,MAAM,EAEhBF,GACH,KAAK,UAAU,eAAeC,CAAa,EAE7CH,EAAQ,EAAI,CACd,EACAI,EAAQ,gBAAkB,IAAM,CAC9BF,EAAW,EACb,EACAE,EAAQ,QAAU,IAAM,CACtB,IAAIC,EACJJ,IAASI,EAAKD,EAAQ,SAAW,MAAQC,IAAO,OAAS,OAASA,EAAG,UAAY,EAAE,CACrF,CACF,OAASC,EAAO,CACdL,EAAOK,CAAK,CACd,CACF,CAAC,CACH,CAMA,SAASC,IAAoB,CAC3B,MAAI,SAAO,UAAc,KAAe,CAAC,UAAU,cAIrD,CA0DA,IAAMC,GAAa,gBAGbC,EAAN,MAAMC,UAAsB,KAAM,CAChC,YACAC,EAAMC,EACNC,EAAY,CACV,MAAMD,CAAO,EACb,KAAK,KAAOD,EACZ,KAAK,WAAaE,EAElB,KAAK,KAAOL,GAKZ,OAAO,eAAe,KAAME,EAAc,SAAS,EAG/C,MAAM,mBACR,MAAM,kBAAkB,KAAMI,EAAa,UAAU,MAAM,CAE/D,CACF,EACMA,EAAN,KAAmB,CACjB,YAAYC,EAASC,EAAaC,EAAQ,CACxC,KAAK,QAAUF,EACf,KAAK,YAAcC,EACnB,KAAK,OAASC,CAChB,CACA,OAAON,KAASO,EAAM,CACpB,IAAML,EAAaK,EAAK,CAAC,GAAK,CAAC,EACzBC,EAAW,GAAG,KAAK,OAAO,IAAIR,CAAI,GAClCS,EAAW,KAAK,OAAOT,CAAI,EAC3BC,EAAUQ,EAAWC,GAAgBD,EAAUP,CAAU,EAAI,QAE7DS,EAAc,GAAG,KAAK,WAAW,KAAKV,CAAO,KAAKO,CAAQ,KAEhE,OADc,IAAIV,EAAcU,EAAUG,EAAaT,CAAU,CAEnE,CACF,EACA,SAASQ,GAAgBD,EAAUF,EAAM,CACvC,OAAOE,EAAS,QAAQG,GAAS,CAACC,EAAGC,IAAQ,CAC3C,IAAMC,EAAQR,EAAKO,CAAG,EACtB,OAAOC,GAAS,KAAO,OAAOA,CAAK,EAAI,IAAID,CAAG,IAChD,CAAC,CACH,CACA,IAAMF,GAAU,gBA+LhB,SAASI,GAAUC,EAAGC,EAAG,CACvB,GAAID,IAAMC,EACR,MAAO,GAET,IAAMC,EAAQ,OAAO,KAAKF,CAAC,EACrBG,EAAQ,OAAO,KAAKF,CAAC,EAC3B,QAAWG,KAAKF,EAAO,CACrB,GAAI,CAACC,EAAM,SAASC,CAAC,EACnB,MAAO,GAET,IAAMC,EAAQL,EAAEI,CAAC,EACXE,EAAQL,EAAEG,CAAC,EACjB,GAAIG,GAASF,CAAK,GAAKE,GAASD,CAAK,GACnC,GAAI,CAACP,GAAUM,EAAOC,CAAK,EACzB,MAAO,WAEAD,IAAUC,EACnB,MAAO,EAEX,CACA,QAAWF,KAAKD,EACd,GAAI,CAACD,EAAM,SAASE,CAAC,EACnB,MAAO,GAGX,MAAO,EACT,CACA,SAASG,GAASC,EAAO,CACvB,OAAOA,IAAU,MAAQ,OAAOA,GAAU,QAC5C,CAstBA,IAAMC,GAAmB,EAAI,GAAK,GAAK,IA6FvC,SAASC,GAAmBC,EAAS,CACnC,OAAIA,GAAWA,EAAQ,UACdA,EAAQ,UAERA,CAEX,CCn+DA,IAAMC,EAAN,KAAgB,CAOd,YAAYC,EAAMC,EAAiBC,EAAM,CACvC,KAAK,KAAOF,EACZ,KAAK,gBAAkBC,EACvB,KAAK,KAAOC,EACZ,KAAK,kBAAoB,GAIzB,KAAK,aAAe,CAAC,EACrB,KAAK,kBAAoB,OACzB,KAAK,kBAAoB,IAC3B,CACA,qBAAqBC,EAAM,CACzB,YAAK,kBAAoBA,EAClB,IACT,CACA,qBAAqBC,EAAmB,CACtC,YAAK,kBAAoBA,EAClB,IACT,CACA,gBAAgBC,EAAO,CACrB,YAAK,aAAeA,EACb,IACT,CACA,2BAA2BC,EAAU,CACnC,YAAK,kBAAoBA,EAClB,IACT,CACF,EAkBA,IAAMC,EAAqB,YAsB3B,IAAMC,GAAN,KAAe,CACb,YAAYR,EAAMS,EAAW,CAC3B,KAAK,KAAOT,EACZ,KAAK,UAAYS,EACjB,KAAK,UAAY,KACjB,KAAK,UAAY,IAAI,IACrB,KAAK,kBAAoB,IAAI,IAC7B,KAAK,iBAAmB,IAAI,IAC5B,KAAK,gBAAkB,IAAI,GAC7B,CAKA,IAAIC,EAAY,CAEd,IAAMC,EAAuB,KAAK,4BAA4BD,CAAU,EACxE,GAAI,CAAC,KAAK,kBAAkB,IAAIC,CAAoB,EAAG,CACrD,IAAMC,EAAW,IAAIC,GAErB,GADA,KAAK,kBAAkB,IAAIF,EAAsBC,CAAQ,EACrD,KAAK,cAAcD,CAAoB,GAAK,KAAK,qBAAqB,EAExE,GAAI,CACF,IAAMG,EAAW,KAAK,uBAAuB,CAC3C,mBAAoBH,CACtB,CAAC,EACGG,GACFF,EAAS,QAAQE,CAAQ,CAE7B,MAAY,CAGZ,CAEJ,CACA,OAAO,KAAK,kBAAkB,IAAIH,CAAoB,EAAE,OAC1D,CACA,aAAaI,EAAS,CACpB,IAAIC,EAEJ,IAAML,EAAuB,KAAK,4BAA8EI,GAAQ,UAAU,EAC5HE,GAAYD,EAAuDD,GAAQ,YAAc,MAAQC,IAAO,OAASA,EAAK,GAC5H,GAAI,KAAK,cAAcL,CAAoB,GAAK,KAAK,qBAAqB,EACxE,GAAI,CACF,OAAO,KAAK,uBAAuB,CACjC,mBAAoBA,CACtB,CAAC,CACH,OAASO,EAAG,CACV,GAAID,EACF,OAAO,KAEP,MAAMC,CAEV,KACK,CAEL,GAAID,EACF,OAAO,KAEP,MAAM,MAAM,WAAW,KAAK,IAAI,mBAAmB,CAEvD,CACF,CACA,cAAe,CACb,OAAO,KAAK,SACd,CACA,aAAaE,EAAW,CACtB,GAAIA,EAAU,OAAS,KAAK,KAC1B,MAAM,MAAM,yBAAyBA,EAAU,IAAI,iBAAiB,KAAK,IAAI,GAAG,EAElF,GAAI,KAAK,UACP,MAAM,MAAM,iBAAiB,KAAK,IAAI,4BAA4B,EAIpE,GAFA,KAAK,UAAYA,EAEb,EAAC,KAAK,qBAAqB,EAI/B,IAAIC,GAAiBD,CAAS,EAC5B,GAAI,CACF,KAAK,uBAAuB,CAC1B,mBAAoBZ,CACtB,CAAC,CACH,MAAY,CAKZ,CAKF,OAAW,CAACc,EAAoBC,CAAgB,IAAK,KAAK,kBAAkB,QAAQ,EAAG,CACrF,IAAMX,EAAuB,KAAK,4BAA4BU,CAAkB,EAChF,GAAI,CAEF,IAAMP,EAAW,KAAK,uBAAuB,CAC3C,mBAAoBH,CACtB,CAAC,EACDW,EAAiB,QAAQR,CAAQ,CACnC,MAAY,CAGZ,CACF,EACF,CACA,cAAcJ,EAAaH,EAAoB,CAC7C,KAAK,kBAAkB,OAAOG,CAAU,EACxC,KAAK,iBAAiB,OAAOA,CAAU,EACvC,KAAK,UAAU,OAAOA,CAAU,CAClC,CAGM,QAAS,QAAAa,EAAA,sBACb,IAAMC,EAAW,MAAM,KAAK,KAAK,UAAU,OAAO,CAAC,EACnD,MAAM,QAAQ,IAAI,CAAC,GAAGA,EAAS,OAAOC,GAAW,aAAcA,CAAO,EAErE,IAAIA,GAAWA,EAAQ,SAAS,OAAO,CAAC,EAAG,GAAGD,EAAS,OAAOC,GAAW,YAAaA,CAAO,EAE7F,IAAIA,GAAWA,EAAQ,QAAQ,CAAC,CAAC,CAAC,CACrC,GACA,gBAAiB,CACf,OAAO,KAAK,WAAa,IAC3B,CACA,cAAcf,EAAaH,EAAoB,CAC7C,OAAO,KAAK,UAAU,IAAIG,CAAU,CACtC,CACA,WAAWA,EAAaH,EAAoB,CAC1C,OAAO,KAAK,iBAAiB,IAAIG,CAAU,GAAK,CAAC,CACnD,CACA,WAAWgB,EAAO,CAAC,EAAG,CACpB,GAAM,CACJ,QAAAX,EAAU,CAAC,CACb,EAAIW,EACEf,EAAuB,KAAK,4BAA4Be,EAAK,kBAAkB,EACrF,GAAI,KAAK,cAAcf,CAAoB,EACzC,MAAM,MAAM,GAAG,KAAK,IAAI,IAAIA,CAAoB,gCAAgC,EAElF,GAAI,CAAC,KAAK,eAAe,EACvB,MAAM,MAAM,aAAa,KAAK,IAAI,8BAA8B,EAElE,IAAMG,EAAW,KAAK,uBAAuB,CAC3C,mBAAoBH,EACpB,QAAAI,CACF,CAAC,EAED,OAAW,CAACM,EAAoBC,CAAgB,IAAK,KAAK,kBAAkB,QAAQ,EAAG,CACrF,IAAMK,EAA+B,KAAK,4BAA4BN,CAAkB,EACpFV,IAAyBgB,GAC3BL,EAAiB,QAAQR,CAAQ,CAErC,CACA,OAAOA,CACT,CASA,OAAOR,EAAUI,EAAY,CAC3B,IAAIM,EACJ,IAAML,EAAuB,KAAK,4BAA4BD,CAAU,EAClEkB,GAAqBZ,EAAK,KAAK,gBAAgB,IAAIL,CAAoB,KAAO,MAAQK,IAAO,OAASA,EAAK,IAAI,IACrHY,EAAkB,IAAItB,CAAQ,EAC9B,KAAK,gBAAgB,IAAIK,EAAsBiB,CAAiB,EAChE,IAAMC,EAAmB,KAAK,UAAU,IAAIlB,CAAoB,EAChE,OAAIkB,GACFvB,EAASuB,EAAkBlB,CAAoB,EAE1C,IAAM,CACXiB,EAAkB,OAAOtB,CAAQ,CACnC,CACF,CAKA,sBAAsBQ,EAAUJ,EAAY,CAC1C,IAAMoB,EAAY,KAAK,gBAAgB,IAAIpB,CAAU,EACrD,GAAKoB,EAGL,QAAWxB,KAAYwB,EACrB,GAAI,CACFxB,EAASQ,EAAUJ,CAAU,CAC/B,MAAa,CAEb,CAEJ,CACA,uBAAuB,CACrB,mBAAAW,EACA,QAAAN,EAAU,CAAC,CACb,EAAG,CACD,IAAID,EAAW,KAAK,UAAU,IAAIO,CAAkB,EACpD,GAAI,CAACP,GAAY,KAAK,YACpBA,EAAW,KAAK,UAAU,gBAAgB,KAAK,UAAW,CACxD,mBAAoBiB,GAA8BV,CAAkB,EACpE,QAAAN,CACF,CAAC,EACD,KAAK,UAAU,IAAIM,EAAoBP,CAAQ,EAC/C,KAAK,iBAAiB,IAAIO,EAAoBN,CAAO,EAMrD,KAAK,sBAAsBD,EAAUO,CAAkB,EAMnD,KAAK,UAAU,mBACjB,GAAI,CACF,KAAK,UAAU,kBAAkB,KAAK,UAAWA,EAAoBP,CAAQ,CAC/E,MAAa,CAEb,CAGJ,OAAOA,GAAY,IACrB,CACA,4BAA4BJ,EAAaH,EAAoB,CAC3D,OAAI,KAAK,UACA,KAAK,UAAU,kBAAoBG,EAAaH,EAEhDG,CAEX,CACA,sBAAuB,CACrB,MAAO,CAAC,CAAC,KAAK,WAAa,KAAK,UAAU,oBAAsB,UAClE,CACF,EAEA,SAASqB,GAA8BrB,EAAY,CACjD,OAAOA,IAAeH,EAAqB,OAAYG,CACzD,CACA,SAASU,GAAiBD,EAAW,CACnC,OAAOA,EAAU,oBAAsB,OACzC,CAqBA,IAAMa,GAAN,KAAyB,CACvB,YAAYhC,EAAM,CAChB,KAAK,KAAOA,EACZ,KAAK,UAAY,IAAI,GACvB,CAUA,aAAamB,EAAW,CACtB,IAAMc,EAAW,KAAK,YAAYd,EAAU,IAAI,EAChD,GAAIc,EAAS,eAAe,EAC1B,MAAM,IAAI,MAAM,aAAad,EAAU,IAAI,qCAAqC,KAAK,IAAI,EAAE,EAE7Fc,EAAS,aAAad,CAAS,CACjC,CACA,wBAAwBA,EAAW,CAChB,KAAK,YAAYA,EAAU,IAAI,EACnC,eAAe,GAE1B,KAAK,UAAU,OAAOA,EAAU,IAAI,EAEtC,KAAK,aAAaA,CAAS,CAC7B,CAQA,YAAYnB,EAAM,CAChB,GAAI,KAAK,UAAU,IAAIA,CAAI,EACzB,OAAO,KAAK,UAAU,IAAIA,CAAI,EAGhC,IAAMiC,EAAW,IAAIzB,GAASR,EAAM,IAAI,EACxC,YAAK,UAAU,IAAIA,EAAMiC,CAAQ,EAC1BA,CACT,CACA,cAAe,CACb,OAAO,MAAM,KAAK,KAAK,UAAU,OAAO,CAAC,CAC3C,CACF,ECvXA,IAAMC,GAAY,CAAC,EAYfC,EAAwB,SAAUA,EAAU,CAC9C,OAAAA,EAASA,EAAS,MAAW,CAAC,EAAI,QAClCA,EAASA,EAAS,QAAa,CAAC,EAAI,UACpCA,EAASA,EAAS,KAAU,CAAC,EAAI,OACjCA,EAASA,EAAS,KAAU,CAAC,EAAI,OACjCA,EAASA,EAAS,MAAW,CAAC,EAAI,QAClCA,EAASA,EAAS,OAAY,CAAC,EAAI,SAC5BA,CACT,EAAEA,GAAY,CAAC,CAAC,EACVC,GAAoB,CACxB,MAASD,EAAS,MAClB,QAAWA,EAAS,QACpB,KAAQA,EAAS,KACjB,KAAQA,EAAS,KACjB,MAASA,EAAS,MAClB,OAAUA,EAAS,MACrB,EAIME,GAAkBF,EAAS,KAO3BG,GAAgB,CACpB,CAACH,EAAS,KAAK,EAAG,MAClB,CAACA,EAAS,OAAO,EAAG,MACpB,CAACA,EAAS,IAAI,EAAG,OACjB,CAACA,EAAS,IAAI,EAAG,OACjB,CAACA,EAAS,KAAK,EAAG,OACpB,EAMMI,GAAoB,CAACC,EAAUC,KAAYC,IAAS,CACxD,GAAID,EAAUD,EAAS,SACrB,OAEF,IAAMG,EAAM,IAAI,KAAK,EAAE,YAAY,EAC7BC,EAASN,GAAcG,CAAO,EACpC,GAAIG,EACF,QAAQA,CAAM,EAAE,IAAID,CAAG,MAAMH,EAAS,IAAI,IAAK,GAAGE,CAAI,MAEtD,OAAM,IAAI,MAAM,8DAA8DD,CAAO,GAAG,CAE5F,EACMI,GAAN,KAAa,CAOX,YAAYC,EAAM,CAChB,KAAK,KAAOA,EAIZ,KAAK,UAAYT,GAKjB,KAAK,YAAcE,GAInB,KAAK,gBAAkB,KAIvBL,GAAU,KAAK,IAAI,CACrB,CACA,IAAI,UAAW,CACb,OAAO,KAAK,SACd,CACA,IAAI,SAASa,EAAK,CAChB,GAAI,EAAEA,KAAOZ,GACX,MAAM,IAAI,UAAU,kBAAkBY,CAAG,4BAA4B,EAEvE,KAAK,UAAYA,CACnB,CAEA,YAAYA,EAAK,CACf,KAAK,UAAY,OAAOA,GAAQ,SAAWX,GAAkBW,CAAG,EAAIA,CACtE,CACA,IAAI,YAAa,CACf,OAAO,KAAK,WACd,CACA,IAAI,WAAWA,EAAK,CAClB,GAAI,OAAOA,GAAQ,WACjB,MAAM,IAAI,UAAU,mDAAmD,EAEzE,KAAK,YAAcA,CACrB,CACA,IAAI,gBAAiB,CACnB,OAAO,KAAK,eACd,CACA,IAAI,eAAeA,EAAK,CACtB,KAAK,gBAAkBA,CACzB,CAIA,SAASL,EAAM,CACb,KAAK,iBAAmB,KAAK,gBAAgB,KAAMP,EAAS,MAAO,GAAGO,CAAI,EAC1E,KAAK,YAAY,KAAMP,EAAS,MAAO,GAAGO,CAAI,CAChD,CACA,OAAOA,EAAM,CACX,KAAK,iBAAmB,KAAK,gBAAgB,KAAMP,EAAS,QAAS,GAAGO,CAAI,EAC5E,KAAK,YAAY,KAAMP,EAAS,QAAS,GAAGO,CAAI,CAClD,CACA,QAAQA,EAAM,CACZ,KAAK,iBAAmB,KAAK,gBAAgB,KAAMP,EAAS,KAAM,GAAGO,CAAI,EACzE,KAAK,YAAY,KAAMP,EAAS,KAAM,GAAGO,CAAI,CAC/C,CACA,QAAQA,EAAM,CACZ,KAAK,iBAAmB,KAAK,gBAAgB,KAAMP,EAAS,KAAM,GAAGO,CAAI,EACzE,KAAK,YAAY,KAAMP,EAAS,KAAM,GAAGO,CAAI,CAC/C,CACA,SAASA,EAAM,CACb,KAAK,iBAAmB,KAAK,gBAAgB,KAAMP,EAAS,MAAO,GAAGO,CAAI,EAC1E,KAAK,YAAY,KAAMP,EAAS,MAAO,GAAGO,CAAI,CAChD,CACF,EChKA,IAAMM,GAAgB,CAACC,EAAQC,IAAiBA,EAAa,KAAKC,GAAKF,aAAkBE,CAAC,EACtFC,GACAC,GAEJ,SAASC,IAAuB,CAC9B,OAAOF,KAAsBA,GAAoB,CAAC,YAAa,eAAgB,SAAU,UAAW,cAAc,EACpH,CAEA,SAASG,IAA0B,CACjC,OAAOF,KAAyBA,GAAuB,CAAC,UAAU,UAAU,QAAS,UAAU,UAAU,SAAU,UAAU,UAAU,kBAAkB,EAC3J,CACA,IAAMG,GAAmB,IAAI,QACvBC,GAAqB,IAAI,QACzBC,GAA2B,IAAI,QAC/BC,GAAiB,IAAI,QACrBC,GAAwB,IAAI,QAClC,SAASC,GAAiBC,EAAS,CACjC,IAAMC,EAAU,IAAI,QAAQ,CAACC,EAASC,IAAW,CAC/C,IAAMC,EAAW,IAAM,CACrBJ,EAAQ,oBAAoB,UAAWK,CAAO,EAC9CL,EAAQ,oBAAoB,QAASM,CAAK,CAC5C,EACMD,EAAU,IAAM,CACpBH,EAAQK,EAAKP,EAAQ,MAAM,CAAC,EAC5BI,EAAS,CACX,EACME,EAAQ,IAAM,CAClBH,EAAOH,EAAQ,KAAK,EACpBI,EAAS,CACX,EACAJ,EAAQ,iBAAiB,UAAWK,CAAO,EAC3CL,EAAQ,iBAAiB,QAASM,CAAK,CACzC,CAAC,EACD,OAAAL,EAAQ,KAAKO,GAAS,CAGhBA,aAAiB,WACnBd,GAAiB,IAAIc,EAAOR,CAAO,CAGvC,CAAC,EAAE,MAAM,IAAM,CAAC,CAAC,EAGjBF,GAAsB,IAAIG,EAASD,CAAO,EACnCC,CACT,CACA,SAASQ,GAA+BC,EAAI,CAE1C,GAAIf,GAAmB,IAAIe,CAAE,EAAG,OAChC,IAAMC,EAAO,IAAI,QAAQ,CAACT,EAASC,IAAW,CAC5C,IAAMC,EAAW,IAAM,CACrBM,EAAG,oBAAoB,WAAYE,CAAQ,EAC3CF,EAAG,oBAAoB,QAASJ,CAAK,EACrCI,EAAG,oBAAoB,QAASJ,CAAK,CACvC,EACMM,EAAW,IAAM,CACrBV,EAAQ,EACRE,EAAS,CACX,EACME,EAAQ,IAAM,CAClBH,EAAOO,EAAG,OAAS,IAAI,aAAa,aAAc,YAAY,CAAC,EAC/DN,EAAS,CACX,EACAM,EAAG,iBAAiB,WAAYE,CAAQ,EACxCF,EAAG,iBAAiB,QAASJ,CAAK,EAClCI,EAAG,iBAAiB,QAASJ,CAAK,CACpC,CAAC,EAEDX,GAAmB,IAAIe,EAAIC,CAAI,CACjC,CACA,IAAIE,GAAgB,CAClB,IAAIC,EAAQC,EAAMC,EAAU,CAC1B,GAAIF,aAAkB,eAAgB,CAEpC,GAAIC,IAAS,OAAQ,OAAOpB,GAAmB,IAAImB,CAAM,EAEzD,GAAIC,IAAS,mBACX,OAAOD,EAAO,kBAAoBlB,GAAyB,IAAIkB,CAAM,EAGvE,GAAIC,IAAS,QACX,OAAOC,EAAS,iBAAiB,CAAC,EAAI,OAAYA,EAAS,YAAYA,EAAS,iBAAiB,CAAC,CAAC,CAEvG,CAEA,OAAOT,EAAKO,EAAOC,CAAI,CAAC,CAC1B,EACA,IAAID,EAAQC,EAAMP,EAAO,CACvB,OAAAM,EAAOC,CAAI,EAAIP,EACR,EACT,EACA,IAAIM,EAAQC,EAAM,CAChB,OAAID,aAAkB,iBAAmBC,IAAS,QAAUA,IAAS,SAC5D,GAEFA,KAAQD,CACjB,CACF,EACA,SAASG,GAAaC,EAAU,CAC9BL,GAAgBK,EAASL,EAAa,CACxC,CACA,SAASM,GAAaC,EAAM,CAI1B,OAAIA,IAAS,YAAY,UAAU,aAAe,EAAE,qBAAsB,eAAe,WAChF,SAAUC,KAAeC,EAAM,CACpC,IAAMZ,EAAKU,EAAK,KAAKG,GAAO,IAAI,EAAGF,EAAY,GAAGC,CAAI,EACtD,OAAA1B,GAAyB,IAAIc,EAAIW,EAAW,KAAOA,EAAW,KAAK,EAAI,CAACA,CAAU,CAAC,EAC5Ed,EAAKG,CAAE,CAChB,EAOEjB,GAAwB,EAAE,SAAS2B,CAAI,EAClC,YAAaE,EAAM,CAGxB,OAAAF,EAAK,MAAMG,GAAO,IAAI,EAAGD,CAAI,EACtBf,EAAKb,GAAiB,IAAI,IAAI,CAAC,CACxC,EAEK,YAAa4B,EAAM,CAGxB,OAAOf,EAAKa,EAAK,MAAMG,GAAO,IAAI,EAAGD,CAAI,CAAC,CAC5C,CACF,CACA,SAASE,GAAuBhB,EAAO,CACrC,OAAI,OAAOA,GAAU,WAAmBW,GAAaX,CAAK,GAGtDA,aAAiB,gBAAgBC,GAA+BD,CAAK,EACrEtB,GAAcsB,EAAOhB,GAAqB,CAAC,EAAU,IAAI,MAAMgB,EAAOK,EAAa,EAEhFL,EACT,CACA,SAASD,EAAKC,EAAO,CAGnB,GAAIA,aAAiB,WAAY,OAAOT,GAAiBS,CAAK,EAG9D,GAAIX,GAAe,IAAIW,CAAK,EAAG,OAAOX,GAAe,IAAIW,CAAK,EAC9D,IAAMiB,EAAWD,GAAuBhB,CAAK,EAG7C,OAAIiB,IAAajB,IACfX,GAAe,IAAIW,EAAOiB,CAAQ,EAClC3B,GAAsB,IAAI2B,EAAUjB,CAAK,GAEpCiB,CACT,CACA,IAAMF,GAASf,GAASV,GAAsB,IAAIU,CAAK,EClJvD,SAASkB,EAAOC,EAAMC,EAAS,CAC7B,QAAAC,EACA,QAAAC,EACA,SAAAC,EACA,WAAAC,CACF,EAAI,CAAC,EAAG,CACN,IAAMC,EAAU,UAAU,KAAKN,EAAMC,CAAO,EACtCM,EAAcC,EAAKF,CAAO,EAChC,OAAIH,GACFG,EAAQ,iBAAiB,gBAAiBG,GAAS,CACjDN,EAAQK,EAAKF,EAAQ,MAAM,EAAGG,EAAM,WAAYA,EAAM,WAAYD,EAAKF,EAAQ,WAAW,EAAGG,CAAK,CACpG,CAAC,EAECP,GACFI,EAAQ,iBAAiB,UAAWG,GAASP,EAE7CO,EAAM,WAAYA,EAAM,WAAYA,CAAK,CAAC,EAE5CF,EAAY,KAAKG,GAAM,CACjBL,GAAYK,EAAG,iBAAiB,QAAS,IAAML,EAAW,CAAC,EAC3DD,GACFM,EAAG,iBAAiB,gBAAiBD,GAASL,EAASK,EAAM,WAAYA,EAAM,WAAYA,CAAK,CAAC,CAErG,CAAC,EAAE,MAAM,IAAM,CAAC,CAAC,EACVF,CACT,CAMA,SAASI,GAASX,EAAM,CACtB,QAAAE,CACF,EAAI,CAAC,EAAG,CACN,IAAMI,EAAU,UAAU,eAAeN,CAAI,EAC7C,OAAIE,GACFI,EAAQ,iBAAiB,UAAWG,GAASP,EAE7CO,EAAM,WAAYA,CAAK,CAAC,EAEnBD,EAAKF,CAAO,EAAE,KAAK,IAAG,EAAY,CAC3C,CACA,IAAMM,GAAc,CAAC,MAAO,SAAU,SAAU,aAAc,OAAO,EAC/DC,GAAe,CAAC,MAAO,MAAO,SAAU,OAAO,EAC/CC,GAAgB,IAAI,IAC1B,SAASC,GAAUC,EAAQC,EAAM,CAC/B,GAAI,EAAED,aAAkB,aAAe,EAAEC,KAAQD,IAAW,OAAOC,GAAS,UAC1E,OAEF,GAAIH,GAAc,IAAIG,CAAI,EAAG,OAAOH,GAAc,IAAIG,CAAI,EAC1D,IAAMC,EAAiBD,EAAK,QAAQ,aAAc,EAAE,EAC9CE,EAAWF,IAASC,EACpBE,EAAUP,GAAa,SAASK,CAAc,EACpD,GAEA,EAAEA,KAAmBC,EAAW,SAAW,gBAAgB,YAAc,EAAEC,GAAWR,GAAY,SAASM,CAAc,GACvH,OAEF,IAAMG,EAAS,SAAgBC,KAAcC,EAAM,QAAAC,EAAA,sBAEjD,IAAMC,EAAK,KAAK,YAAYH,EAAWF,EAAU,YAAc,UAAU,EACrEJ,EAASS,EAAG,MAChB,OAAIN,IAAUH,EAASA,EAAO,MAAMO,EAAK,MAAM,CAAC,IAMxC,MAAM,QAAQ,IAAI,CAACP,EAAOE,CAAc,EAAE,GAAGK,CAAI,EAAGH,GAAWK,EAAG,IAAI,CAAC,GAAG,CAAC,CACrF,IACA,OAAAX,GAAc,IAAIG,EAAMI,CAAM,EACvBA,CACT,CACAK,GAAaC,GAAaC,EAAAC,EAAA,GACrBF,GADqB,CAExB,IAAK,CAACX,EAAQC,EAAMa,IAAaf,GAAUC,EAAQC,CAAI,GAAKU,EAAS,IAAIX,EAAQC,EAAMa,CAAQ,EAC/F,IAAK,CAACd,EAAQC,IAAS,CAAC,CAACF,GAAUC,EAAQC,CAAI,GAAKU,EAAS,IAAIX,EAAQC,CAAI,CAC/E,EAAE,ECjEF,IAAMc,GAAN,KAAgC,CAC9B,YAAYC,EAAW,CACrB,KAAK,UAAYA,CACnB,CAGA,uBAAwB,CAItB,OAHkB,KAAK,UAAU,aAAa,EAG7B,IAAIC,GAAY,CAC/B,GAAIC,GAAyBD,CAAQ,EAAG,CACtC,IAAME,EAAUF,EAAS,aAAa,EACtC,MAAO,GAAGE,EAAQ,OAAO,IAAIA,EAAQ,OAAO,EAC9C,KACE,QAAO,IAEX,CAAC,EAAE,OAAOC,GAAaA,CAAS,EAAE,KAAK,GAAG,CAC5C,CACF,EASA,SAASF,GAAyBD,EAAU,CAC1C,IAAMI,EAAYJ,EAAS,aAAa,EACxC,OAA8DI,GAAU,OAAU,SACpF,CACA,IAAMC,GAAS,gBACTC,GAAY,SAkBlB,IAAMC,EAAS,IAAIC,GAAO,eAAe,EACnCC,GAAS,uBACTC,GAAS,6BACTC,GAAS,sBACTC,GAAS,6BACTC,GAAS,sBACTC,GAAS,iBACTC,GAAS,wBACTC,GAAS,qBACTC,GAAS,yBACTC,GAAS,4BACTC,GAAS,sBACTC,GAAS,6BACTC,GAAS,0BACTC,GAAS,iCACTC,GAAS,sBACTC,GAAS,6BACTC,GAAS,wBACTC,GAAS,+BACTC,GAAS,0BACTC,GAAS,iCACTC,GAAS,oBACTC,GAAS,2BACTC,GAAS,sBACTC,GAAS,qBACTC,GAAS,6BACTC,GAAO,WAwBb,IAAMC,GAAqB,YACrBC,GAAsB,CAC1B,CAACC,EAAM,EAAG,YACV,CAACC,EAAM,EAAG,mBACV,CAACC,EAAM,EAAG,iBACV,CAACC,EAAM,EAAG,wBACV,CAACC,EAAM,EAAG,iBACV,CAACC,EAAM,EAAG,wBACV,CAACC,EAAM,EAAG,YACV,CAACC,EAAM,EAAG,mBACV,CAACC,EAAM,EAAG,YACV,CAACC,EAAM,EAAG,oBACV,CAACC,EAAM,EAAG,mBACV,CAACC,EAAM,EAAG,UACV,CAACC,EAAM,EAAG,iBACV,CAACC,EAAM,EAAG,WACV,CAACC,EAAM,EAAG,kBACV,CAACC,EAAM,EAAG,WACV,CAACC,EAAM,EAAG,kBACV,CAACC,EAAM,EAAG,YACV,CAACC,EAAM,EAAG,mBACV,CAACC,EAAM,EAAG,UACV,CAACC,EAAM,EAAG,iBACV,CAACC,EAAM,EAAG,WACV,CAACC,EAAM,EAAG,kBACV,CAACC,EAAM,EAAG,WACV,CAACC,EAAM,EAAG,kBACV,CAACC,EAAM,EAAG,cACV,UAAW,UAEX,CAACC,EAAI,EAAG,aACV,EAqBA,IAAMC,GAAQ,IAAI,IAIZC,GAAc,IAAI,IAOlBC,GAAc,IAAI,IAMxB,SAASC,GAAcC,EAAKC,EAAW,CACrC,GAAI,CACFD,EAAI,UAAU,aAAaC,CAAS,CACtC,OAASC,EAAG,CACVC,EAAO,MAAM,aAAaF,EAAU,IAAI,wCAAwCD,EAAI,IAAI,GAAIE,CAAC,CAC/F,CACF,CAeA,SAASE,EAAmBC,EAAW,CACrC,IAAMC,EAAgBD,EAAU,KAChC,GAAIE,GAAY,IAAID,CAAa,EAC/B,OAAAE,EAAO,MAAM,sDAAsDF,CAAa,GAAG,EAC5E,GAETC,GAAY,IAAID,EAAeD,CAAS,EAExC,QAAWI,KAAOC,GAAM,OAAO,EAC7BC,GAAcF,EAAKJ,CAAS,EAE9B,QAAWO,KAAaC,GAAY,OAAO,EACzCF,GAAcC,EAAWP,CAAS,EAEpC,MAAO,EACT,CAUA,SAASS,GAAaL,EAAKM,EAAM,CAC/B,IAAMC,EAAsBP,EAAI,UAAU,YAAY,WAAW,EAAE,aAAa,CAC9E,SAAU,EACZ,CAAC,EACD,OAAIO,GACGA,EAAoB,iBAAiB,EAErCP,EAAI,UAAU,YAAYM,CAAI,CACvC,CA8DA,IAAME,GAAS,CACZ,SAAiC,6EACjC,eAA6C,iCAC7C,gBAA+C,kFAC/C,cAA2C,kDAC3C,qBAAyD,uCACzD,aAAyC,0EACzC,uBAA6D,6EAC7D,uBAA6D,wDAC7D,WAAqC,gFACrC,UAAmC,qFACnC,UAAqC,mFACrC,aAAyC,sFACzC,sCAA2F,0GAC3F,iCAAiF,2DACpF,EACMC,EAAgB,IAAIC,EAAa,MAAO,WAAYF,EAAM,EAkBhE,IAAMG,GAAN,KAAsB,CACpB,YAAYC,EAASC,EAAQC,EAAW,CACtC,KAAK,WAAa,GAClB,KAAK,SAAW,OAAO,OAAO,CAAC,EAAGF,CAAO,EACzC,KAAK,QAAU,OAAO,OAAO,CAAC,EAAGC,CAAM,EACvC,KAAK,MAAQA,EAAO,KACpB,KAAK,gCAAkCA,EAAO,+BAC9C,KAAK,WAAaC,EAClB,KAAK,UAAU,aAAa,IAAIC,EAAU,MAAO,IAAM,KAAM,QAAmC,CAAC,CACnG,CACA,IAAI,gCAAiC,CACnC,YAAK,eAAe,EACb,KAAK,+BACd,CACA,IAAI,+BAA+BC,EAAK,CACtC,KAAK,eAAe,EACpB,KAAK,gCAAkCA,CACzC,CACA,IAAI,MAAO,CACT,YAAK,eAAe,EACb,KAAK,KACd,CACA,IAAI,SAAU,CACZ,YAAK,eAAe,EACb,KAAK,QACd,CACA,IAAI,QAAS,CACX,YAAK,eAAe,EACb,KAAK,OACd,CACA,IAAI,WAAY,CACd,OAAO,KAAK,UACd,CACA,IAAI,WAAY,CACd,OAAO,KAAK,UACd,CACA,IAAI,UAAUA,EAAK,CACjB,KAAK,WAAaA,CACpB,CAKA,gBAAiB,CACf,GAAI,KAAK,UACP,MAAMP,EAAc,OAAO,cAA0C,CACnE,QAAS,KAAK,KAChB,CAAC,CAEL,CACF,EAoJA,SAASQ,GAAcC,EAAUC,EAAY,CAAC,EAAG,CAC/C,IAAIC,EAAUF,EACV,OAAOC,GAAc,WAEvBA,EAAY,CACV,KAFWA,CAGb,GAEF,IAAME,EAAS,OAAO,OAAO,CAC3B,KAAMC,GACN,+BAAgC,EAClC,EAAGH,CAAS,EACNI,EAAOF,EAAO,KACpB,GAAI,OAAOE,GAAS,UAAY,CAACA,EAC/B,MAAMC,EAAc,OAAO,eAA4C,CACrE,QAAS,OAAOD,CAAI,CACtB,CAAC,EAGH,GADAH,IAAYA,EAAUK,GAAoB,GACtC,CAACL,EACH,MAAMI,EAAc,OAAO,YAAsC,EAEnE,IAAME,EAAcC,GAAM,IAAIJ,CAAI,EAClC,GAAIG,EAAa,CAEf,GAAIE,GAAUR,EAASM,EAAY,OAAO,GAAKE,GAAUP,EAAQK,EAAY,MAAM,EACjF,OAAOA,EAEP,MAAMF,EAAc,OAAO,gBAA8C,CACvE,QAASD,CACX,CAAC,CAEL,CACA,IAAMM,EAAY,IAAIC,GAAmBP,CAAI,EAC7C,QAAWQ,KAAaC,GAAY,OAAO,EACzCH,EAAU,aAAaE,CAAS,EAElC,IAAME,EAAS,IAAIC,GAAgBd,EAASC,EAAQQ,CAAS,EAC7D,OAAAF,GAAM,IAAIJ,EAAMU,CAAM,EACfA,CACT,CAyEA,SAASE,GAAOC,EAAOC,GAAoB,CACzC,IAAMC,EAAMC,GAAM,IAAIH,CAAI,EAC1B,GAAI,CAACE,GAAOF,IAASC,IAAsBG,GAAoB,EAC7D,OAAOC,GAAc,EAEvB,GAAI,CAACH,EACH,MAAMI,EAAc,OAAO,SAAgC,CACzD,QAASN,CACX,CAAC,EAEH,OAAOE,CACT,CAKA,SAASK,IAAU,CACjB,OAAO,MAAM,KAAKJ,GAAM,OAAO,CAAC,CAClC,CA4CA,SAASK,EAAgBC,EAAkBC,EAASC,EAAS,CAC3D,IAAIC,EAGJ,IAAIC,GAAWD,EAAKE,GAAoBL,CAAgB,KAAO,MAAQG,IAAO,OAASA,EAAKH,EACxFE,IACFE,GAAW,IAAIF,CAAO,IAExB,IAAMI,EAAkBF,EAAQ,MAAM,OAAO,EACvCG,EAAkBN,EAAQ,MAAM,OAAO,EAC7C,GAAIK,GAAmBC,EAAiB,CACtC,IAAMC,EAAU,CAAC,+BAA+BJ,CAAO,mBAAmBH,CAAO,IAAI,EACjFK,GACFE,EAAQ,KAAK,iBAAiBJ,CAAO,mDAAmD,EAEtFE,GAAmBC,GACrBC,EAAQ,KAAK,KAAK,EAEhBD,GACFC,EAAQ,KAAK,iBAAiBP,CAAO,mDAAmD,EAE1FQ,EAAO,KAAKD,EAAQ,KAAK,GAAG,CAAC,EAC7B,MACF,CACAE,EAAmB,IAAIC,EAAU,GAAGP,CAAO,WAAY,KAAO,CAC5D,QAAAA,EACA,QAAAH,CACF,GAAI,SAAqC,CAAC,CAC5C,CA2CA,IAAMW,GAAU,8BACVC,GAAa,EACbC,GAAa,2BACfC,GAAY,KAChB,SAASC,IAAe,CACtB,OAAKD,KACHA,GAAYE,EAAOL,GAASC,GAAY,CACtC,QAAS,CAACK,EAAIC,IAAe,CAM3B,OAAQA,EAAY,CAClB,IAAK,GACH,GAAI,CACFD,EAAG,kBAAkBJ,EAAU,CACjC,OAASM,EAAG,CAIV,QAAQ,KAAKA,CAAC,CAChB,CACJ,CACF,CACF,CAAC,EAAE,MAAM,GAAK,CACZ,MAAMC,EAAc,OAAO,WAAoC,CAC7D,qBAAsB,EAAE,OAC1B,CAAC,CACH,CAAC,GAEIN,EACT,CACA,SAAeO,GAA4BC,EAAK,QAAAC,EAAA,sBAC9C,GAAI,CAEF,IAAMC,GADK,MAAMT,GAAa,GAChB,YAAYF,EAAU,EAC9BY,EAAS,MAAMD,EAAG,YAAYX,EAAU,EAAE,IAAIa,GAAWJ,CAAG,CAAC,EAGnE,aAAME,EAAG,KACFC,CACT,OAASN,EAAG,CACV,GAAIA,aAAaQ,EACfC,EAAO,KAAKT,EAAE,OAAO,MAChB,CACL,IAAMU,EAAcT,EAAc,OAAO,UAAkC,CACzE,qBAA4DD,GAAE,OAChE,CAAC,EACDS,EAAO,KAAKC,EAAY,OAAO,CACjC,CACF,CACF,GACA,SAAeC,GAA2BR,EAAKS,EAAiB,QAAAR,EAAA,sBAC9D,GAAI,CAEF,IAAMC,GADK,MAAMT,GAAa,GAChB,YAAYF,GAAY,WAAW,EAEjD,MADoBW,EAAG,YAAYX,EAAU,EAC3B,IAAIkB,EAAiBL,GAAWJ,CAAG,CAAC,EACtD,MAAME,EAAG,IACX,OAASL,EAAG,CACV,GAAIA,aAAaQ,EACfC,EAAO,KAAKT,EAAE,OAAO,MAChB,CACL,IAAMU,EAAcT,EAAc,OAAO,UAAoC,CAC3E,qBAA4DD,GAAE,OAChE,CAAC,EACDS,EAAO,KAAKC,EAAY,OAAO,CACjC,CACF,CACF,GACA,SAASH,GAAWJ,EAAK,CACvB,MAAO,GAAGA,EAAI,IAAI,IAAIA,EAAI,QAAQ,KAAK,EACzC,CAkBA,IAAMU,GAAmB,KACnBC,GAA4B,GAC5BC,GAAN,KAA2B,CACzB,YAAYC,EAAW,CACrB,KAAK,UAAYA,EAUjB,KAAK,iBAAmB,KACxB,IAAMb,EAAM,KAAK,UAAU,YAAY,KAAK,EAAE,aAAa,EAC3D,KAAK,SAAW,IAAIc,GAAqBd,CAAG,EAC5C,KAAK,wBAA0B,KAAK,SAAS,KAAK,EAAE,KAAKG,IACvD,KAAK,iBAAmBA,EACjBA,EACR,CACH,CAQM,kBAAmB,QAAAF,EAAA,sBACvB,IAAIc,EAAIC,EACR,GAAI,CAIF,IAAMC,EAHiB,KAAK,UAAU,YAAY,iBAAiB,EAAE,aAAa,EAGrD,sBAAsB,EAC7CC,EAAOC,GAAiB,EAU9B,KATMJ,EAAK,KAAK,oBAAsB,MAAQA,IAAO,OAAS,OAASA,EAAG,aAAe,OACvF,KAAK,iBAAmB,MAAM,KAAK,0BAE7BC,EAAK,KAAK,oBAAsB,MAAQA,IAAO,OAAS,OAASA,EAAG,aAAe,OAMvF,KAAK,iBAAiB,wBAA0BE,GAAQ,KAAK,iBAAiB,WAAW,KAAKE,GAAuBA,EAAoB,OAASF,CAAI,EACxJ,OASA,GANA,KAAK,iBAAiB,WAAW,KAAK,CACpC,KAAAA,EACA,MAAAD,CACF,CAAC,EAGG,KAAK,iBAAiB,WAAW,OAASN,GAA2B,CACvE,IAAMU,EAAuBC,GAAwB,KAAK,iBAAiB,UAAU,EACrF,KAAK,iBAAiB,WAAW,OAAOD,EAAsB,CAAC,CACjE,CAEF,OAAO,KAAK,SAAS,UAAU,KAAK,gBAAgB,CACtD,OAASxB,EAAG,CACVS,EAAO,KAAKT,CAAC,CACf,CACF,GAQM,qBAAsB,QAAAI,EAAA,sBAC1B,IAAIc,EACJ,GAAI,CAKF,GAJI,KAAK,mBAAqB,OAC5B,MAAM,KAAK,2BAGPA,EAAK,KAAK,oBAAsB,MAAQA,IAAO,OAAS,OAASA,EAAG,aAAe,MAAQ,KAAK,iBAAiB,WAAW,SAAW,EAC3I,MAAO,GAET,IAAMG,EAAOC,GAAiB,EAExB,CACJ,iBAAAI,EACA,cAAAC,CACF,EAAIC,GAA2B,KAAK,iBAAiB,UAAU,EACzDC,EAAeC,GAA8B,KAAK,UAAU,CAChE,QAAS,EACT,WAAYJ,CACd,CAAC,CAAC,EAEF,YAAK,iBAAiB,sBAAwBL,EAC1CM,EAAc,OAAS,GAEzB,KAAK,iBAAiB,WAAaA,EAInC,MAAM,KAAK,SAAS,UAAU,KAAK,gBAAgB,IAEnD,KAAK,iBAAiB,WAAa,CAAC,EAE/B,KAAK,SAAS,UAAU,KAAK,gBAAgB,GAE7CE,CACT,OAAS7B,EAAG,CACV,OAAAS,EAAO,KAAKT,CAAC,EACN,EACT,CACF,GACF,EACA,SAASsB,IAAmB,CAG1B,OAFc,IAAI,KAAK,EAEV,YAAY,EAAE,UAAU,EAAG,EAAE,CAC5C,CACA,SAASM,GAA2BG,EAAiBC,EAAUnB,GAAkB,CAG/E,IAAMa,EAAmB,CAAC,EAEtBC,EAAgBI,EAAgB,MAAM,EAC1C,QAAWR,KAAuBQ,EAAiB,CAEjD,IAAME,EAAiBP,EAAiB,KAAKQ,GAAMA,EAAG,QAAUX,EAAoB,KAAK,EACzF,GAAKU,GAgBH,GAHAA,EAAe,MAAM,KAAKV,EAAoB,IAAI,EAG9CY,GAAWT,CAAgB,EAAIM,EAAS,CAC1CC,EAAe,MAAM,IAAI,EACzB,KACF,UAjBAP,EAAiB,KAAK,CACpB,MAAOH,EAAoB,MAC3B,MAAO,CAACA,EAAoB,IAAI,CAClC,CAAC,EACGY,GAAWT,CAAgB,EAAIM,EAAS,CAG1CN,EAAiB,IAAI,EACrB,KACF,CAYFC,EAAgBA,EAAc,MAAM,CAAC,CACvC,CACA,MAAO,CACL,iBAAAD,EACA,cAAAC,CACF,CACF,CACA,IAAMV,GAAN,KAA2B,CACzB,YAAYd,EAAK,CACf,KAAK,IAAMA,EACX,KAAK,wBAA0B,KAAK,6BAA6B,CACnE,CACM,8BAA+B,QAAAC,EAAA,sBACnC,OAAKgC,GAAqB,EAGjBC,GAA0B,EAAE,KAAK,IAAM,EAAI,EAAE,MAAM,IAAM,EAAK,EAF9D,EAIX,GAIM,MAAO,QAAAjC,EAAA,sBAEX,GADwB,MAAM,KAAK,wBAK5B,CACL,IAAMkC,EAAqB,MAAMpC,GAA4B,KAAK,GAAG,EACrE,OAA4EoC,GAAmB,WACtFA,EAEA,CACL,WAAY,CAAC,CACf,CAEJ,KAZE,OAAO,CACL,WAAY,CAAC,CACf,CAWJ,GAEM,UAAUC,EAAkB,QAAAnC,EAAA,sBAChC,IAAIc,EAEJ,GADwB,MAAM,KAAK,wBAG5B,CACL,IAAMsB,EAA2B,MAAM,KAAK,KAAK,EACjD,OAAO7B,GAA2B,KAAK,IAAK,CAC1C,uBAAwBO,EAAKqB,EAAiB,yBAA2B,MAAQrB,IAAO,OAASA,EAAKsB,EAAyB,sBAC/H,WAAYD,EAAiB,UAC/B,CAAC,CACH,KAPE,OAQJ,GAEM,IAAIA,EAAkB,QAAAnC,EAAA,sBAC1B,IAAIc,EAEJ,GADwB,MAAM,KAAK,wBAG5B,CACL,IAAMsB,EAA2B,MAAM,KAAK,KAAK,EACjD,OAAO7B,GAA2B,KAAK,IAAK,CAC1C,uBAAwBO,EAAKqB,EAAiB,yBAA2B,MAAQrB,IAAO,OAASA,EAAKsB,EAAyB,sBAC/H,WAAY,CAAC,GAAGA,EAAyB,WAAY,GAAGD,EAAiB,UAAU,CACrF,CAAC,CACH,KAPE,OAQJ,GACF,EAMA,SAASJ,GAAWJ,EAAiB,CAEnC,OAAOD,GAEP,KAAK,UAAU,CACb,QAAS,EACT,WAAYC,CACd,CAAC,CAAC,EAAE,MACN,CAKA,SAASN,GAAwBgB,EAAY,CAC3C,GAAIA,EAAW,SAAW,EACxB,MAAO,GAET,IAAIjB,EAAuB,EACvBkB,EAAwBD,EAAW,CAAC,EAAE,KAC1C,QAASE,EAAI,EAAGA,EAAIF,EAAW,OAAQE,IACjCF,EAAWE,CAAC,EAAE,KAAOD,IACvBA,EAAwBD,EAAWE,CAAC,EAAE,KACtCnB,EAAuBmB,GAG3B,OAAOnB,CACT,CAkBA,SAASoB,GAAuBC,EAAS,CACvCC,EAAmB,IAAIC,EAAU,kBAAmB/B,GAAa,IAAIgC,GAA0BhC,CAAS,EAAG,SAAqC,CAAC,EACjJ8B,EAAmB,IAAIC,EAAU,YAAa/B,GAAa,IAAID,GAAqBC,CAAS,EAAG,SAAqC,CAAC,EAEtIiC,EAAgBC,GAAQC,GAAWN,CAAO,EAE1CI,EAAgBC,GAAQC,GAAW,SAAS,EAE5CF,EAAgB,UAAW,EAAE,CAC/B,CAQAL,GAAuB,EAAE,ECxoCzB,IAAIQ,GAAO,WACPC,GAAU,SAkBdC,EAAgBF,GAAMC,GAAS,KAAK,ECfpC,IAAME,GAAuB,IAAIC,GAAQ,sBAAsB,EAI/D,SAASC,GAAsBC,EAAYC,EAAUC,EAAY,CAC/D,GAAID,EAAU,CAEZ,GAAIA,EAAS,SAAW,EACtB,OAAOA,EAAS,CAAC,EAEnB,IAAME,EAA0BF,EAAS,OAAOG,GAAMA,EAAG,MAAQF,CAAU,EAE3E,GAAIC,EAAwB,SAAW,EACrC,OAAOA,EAAwB,CAAC,CAEpC,CAIA,OAFgCD,EACS,UAAU,YAAYF,CAAU,EACzD,aAAa,CAC3B,SAAU,EACZ,CAAC,CACH,CACA,IAAMK,GAAqB,CAACL,EAAYM,IAAQ,CAC9C,IAAMC,EAAOD,EAAM,CAACA,CAAG,EAAIE,GAAQ,EAC7BC,EAAY,CAAC,EACnB,OAAAF,EAAK,QAAQD,GAAO,CACDA,EAAI,UAAU,YAAYN,CAAU,EAC5C,UAAU,QAAQU,GAAY,CAChCD,EAAU,SAASC,CAAQ,GAC9BD,EAAU,KAAKC,CAAQ,CAE3B,CAAC,CACH,CAAC,EACMD,CACT,EAGIE,EAAwB,SAAUA,EAAU,CAC9C,OAAAA,EAASA,EAAS,OAAY,CAAC,EAAI,SACnCA,EAASA,EAAS,KAAU,CAAC,EAAI,OACjCA,EAASA,EAAS,QAAa,CAAC,EAAI,UAC7BA,CACT,EAAEA,GAAY,CAAC,CAAC,EACZC,GAA+BC,GAAU,GAAK,OAAO,KAAS,IAAcF,EAAS,KAAOA,EAAS,OAKzG,IAAMG,GAAN,KAAqB,CACnB,KACA,SACA,YAAYC,EAAMC,EAAWC,GAAgB,CAC3C,KAAK,KAAOF,EACZ,KAAK,SAAWC,CAClB,CACA,KAAM,CACJ,OAAO,KAAK,SAAS,IAAI,CAC3B,CACA,SAASE,EAAMC,EAAOC,EAAO,CAC3B,IAAMC,EAAa,KAAK,KAGlBC,EAAa,SAAUF,EAAO,CAC9BC,EACFA,EAAW,WAAW,IAAM,CAC1BH,EAAK,MAAM,KAAM,CAACE,CAAK,CAAC,CAC1B,CAAC,EAEDF,EAAK,MAAM,KAAM,CAACE,CAAK,CAAC,CAE5B,EAIA,OAAO,KAAK,SAAS,SAASE,EAAYH,EAAOC,CAAK,CACxD,CACF,EACIG,IAAuC,IAAM,CAC/C,MAAMA,CAAuB,CAC3B,eACA,cACA,aAAc,CACZ,IAAMC,EAASC,EAAOC,CAAM,EAC5B,KAAK,eAAiBF,EAAO,kBAAkB,IAAM,IAAIV,GAAe,OAAO,KAAS,IAAc,OAAY,KAAK,OAAO,CAAC,EAC/H,KAAK,cAAgBU,EAAO,IAAI,IAAM,IAAIV,GAAe,OAAO,KAAS,IAAc,OAAY,KAAK,QAASa,EAAc,CAAC,CAClI,CACA,OAAO,UAAO,SAAwCC,EAAmB,CACvE,OAAO,IAAKA,GAAqBL,EACnC,EACA,OAAO,WAA0BM,EAAmB,CAClD,MAAON,EACP,QAASA,EAAuB,UAChC,WAAY,MACd,CAAC,CACH,CACA,OAAOA,CACT,GAAG,EAICO,GAAgB,GACpB,SAASC,GAA4BC,EAAUC,EAAU,CACnD,CAACH,KAAkBI,GAAkBC,EAAS,QAAUC,GAAU,KACpEN,GAAgB,GAChB,QAAQ,KAAK,2NAA2N,GAEtOI,IAAmBD,GACrB,QAAQ,KAAK,kDAAkDD,EAAS,IAAI,EAAE,CAElF,CACA,SAASK,GAAkBC,EAAI,CAC7B,IAAMd,EAASC,EAAOC,EAAQ,CAC5B,SAAU,EACZ,CAAC,EACD,OAAKF,EAGEA,EAAO,kBAAkB,IAAMc,EAAG,CAAC,EAFjCA,EAAG,CAGd,CACA,SAASC,EAAID,EAAI,CACf,IAAMd,EAASC,EAAOC,EAAQ,CAC5B,SAAU,EACZ,CAAC,EACD,OAAKF,EAGEA,EAAO,IAAI,IAAMc,EAAG,CAAC,EAFnBA,EAAG,CAGd,CACA,IAAME,GAAa,CAACC,EAAIC,EAAUC,IACzB,IAAIC,KACLF,GACF,WAAWA,EAAU,CAAC,EAEjBG,GAAsBF,EAAU,IAAMJ,EAAI,IAAME,EAAG,MAAM,OAAMG,CAAI,CAAC,CAAC,GAG1EE,EAAY,CAACL,EAAIM,EAAiBd,KACtCA,IAAac,EAAkBZ,EAAS,KAAOA,EAAS,QAEjD,UAAY,CACjB,IAAIO,EACEM,EAAa,UACfC,EACAC,EACAP,EACJ,GAAI,CACFM,EAAaxB,EAAOF,EAAsB,EAC1C2B,EAAezB,EAAO0B,EAAY,EAClCR,EAAWlB,EAAO2B,EAAmB,CACvC,MAAY,CACV,OAAArB,GAA4BU,EAAIR,CAAQ,EACjCQ,EAAG,MAAM,KAAMO,CAAU,CAClC,CAGA,QAASK,EAAI,EAAGA,EAAI,UAAU,OAAQA,IAChC,OAAOL,EAAWK,CAAC,GAAM,aACvBN,IACFL,IAAaH,EAAI,IAAMW,EAAa,IAAI,CAAC,GAG3CF,EAAWK,CAAC,EAAIb,GAAWQ,EAAWK,CAAC,EAAGX,EAAUC,CAAQ,GAGhE,IAAMW,EAAMjB,GAAkB,IAAMI,EAAG,MAAM,KAAMO,CAAU,CAAC,EAC9D,OAAKD,EAODO,aAAeC,EACVD,EAAI,KAAKE,GAAYP,EAAW,cAAc,EAAGQ,GAAUR,EAAW,aAAa,EAAGS,GAAkBf,CAAQ,CAAC,EAC/GW,aAAe,QAEjBf,EAAI,IAAM,IAAI,QAAQ,CAACoB,EAASC,IAAW,CAChDV,EAAa,IAAI,IAAMI,CAAG,EAAE,KAAKb,GAAMI,GAAsBF,EAAU,IAAMJ,EAAI,IAAMoB,EAAQlB,CAAE,CAAC,CAAC,EAAGoB,GAAUhB,GAAsBF,EAAU,IAAMJ,EAAI,IAAMqB,EAAOC,CAAM,CAAC,CAAC,CAAC,CAClL,CAAC,CAAC,EACO,OAAOP,GAAQ,YAAcZ,EAG/B,UAAY,CACjB,kBAAWA,EAAU,CAAC,EACfY,EAAI,MAAM,KAAM,SAAS,CAClC,EAGOf,EAAI,IAAMe,CAAG,EAtBhBA,aAAeC,EACVD,EAAI,KAAKE,GAAYP,EAAW,cAAc,EAAGQ,GAAUR,EAAW,aAAa,CAAC,EAEpFV,EAAI,IAAMe,CAAG,CAqB1B,GC9LF,IAAMQ,EAAN,KAAkB,CAChB,YAAYC,EAAK,CACf,OAAOA,CACT,CACF,EACMC,GAAN,KAAmB,CACjB,aAAc,CACZ,OAAOC,GAAU,CACnB,CACF,EAEA,SAASC,GAA0BC,EAAU,CAE3C,OAAIA,GAAYA,EAAS,SAAW,EAC3BA,EAAS,CAAC,EAEZ,IAAIC,EAAYC,GAAS,CAAC,CACnC,CAIA,IAAMC,GAAsC,IAAIC,GAAe,oBAAoB,EAI7EC,GAAgC,CACpC,QAASJ,EACT,WAAYF,GACZ,KAAM,CAAC,CAAc,IAAIO,EAAYH,EAAsB,CAAC,CAC9D,EACMI,GAAyB,CAC7B,QAASC,GACT,KAAM,CAAC,CAAc,IAAIF,EAAYH,EAAsB,CAAC,CAC9D,EACA,SAASM,GAAmBC,EAAI,CAC9B,MAAO,CAACC,EAAMC,IAAa,CACzB,IAAMC,EAAaD,EAAS,IAAIE,CAAW,EAC3CC,EAAkB,cAAeC,GAAQ,KAAM,MAAM,EACrDD,EAAkB,cAAeC,GAAQ,KAAM,KAAK,EAEpDD,EAAkB,UAAWC,GAAU,KAAMH,EAAW,SAAS,CAAC,EAClE,IAAMI,EAAMN,EAAK,kBAAkB,IAAMD,EAAGE,CAAQ,CAAC,EACrD,OAAO,IAAIX,EAAYgB,CAAG,CAC5B,CACF,CA4BA,SAASC,GAAmBC,KAAOC,EAAM,CACvC,OAAOC,GAAyB,CAACC,GAA+BC,GAAwB,CACtF,QAASC,GACT,WAAYC,GAAmBN,CAAE,EACjC,MAAO,GACP,KAAM,CAACO,EAAQC,EAAUC,GAAwB,GAAGR,CAAI,CAC1D,CAAC,CAAC,CACJ,CAMA,IAAMS,GAA6BC,EAAUD,GAAiB,EAAI,ECxFlE,IAAME,GAAO,0BACPC,GAAU,SAkBhB,IAAMC,GAAqB,IACrBC,GAAkB,KAAKF,EAAO,GAC9BG,GAAwB,SACxBC,GAAwB,kDACxBC,GAA0B,GAAK,GAAK,IACpCC,GAAU,gBACVC,GAAe,gBAkBrB,IAAMC,GAAwB,CAC3B,4BAAwE,kDACxE,iBAAkD,2CAClD,yBAAkE,mCAClE,iBAAkD,6FAClD,cAA4C,kDAC5C,8BAA4E,0EAC/E,EACMC,EAAgB,IAAIC,EAAaJ,GAASC,GAAcC,EAAqB,EAEnF,SAASG,GAAcC,EAAO,CAC5B,OAAOA,aAAiBC,GAAiBD,EAAM,KAAK,SAAS,gBAA+C,CAC9G,CAkBA,SAASE,GAAyB,CAChC,UAAAC,CACF,EAAG,CACD,MAAO,GAAGX,EAAqB,aAAaW,CAAS,gBACvD,CACA,SAASC,GAAiCC,EAAU,CAClD,MAAO,CACL,MAAOA,EAAS,MAChB,cAAe,EACf,UAAWC,GAAkCD,EAAS,SAAS,EAC/D,aAAc,KAAK,IAAI,CACzB,CACF,CACA,SAAeE,GAAqBC,EAAaH,EAAU,QAAAI,EAAA,sBAEzD,IAAMC,GADe,MAAML,EAAS,KAAK,GACV,MAC/B,OAAOR,EAAc,OAAO,iBAAiD,CAC3E,YAAAW,EACA,WAAYE,EAAU,KACtB,cAAeA,EAAU,QACzB,aAAcA,EAAU,MAC1B,CAAC,CACH,GACA,SAASC,GAAW,CAClB,OAAAC,CACF,EAAG,CACD,OAAO,IAAI,QAAQ,CACjB,eAAgB,mBAChB,OAAQ,mBACR,iBAAkBA,CACpB,CAAC,CACH,CACA,SAASC,GAAmBC,EAAW,CACrC,aAAAC,CACF,EAAG,CACD,IAAMC,EAAUL,GAAWG,CAAS,EACpC,OAAAE,EAAQ,OAAO,gBAAiBC,GAAuBF,CAAY,CAAC,EAC7DC,CACT,CAMA,SAAeE,GAAmBC,EAAI,QAAAV,EAAA,sBACpC,IAAMW,EAAS,MAAMD,EAAG,EACxB,OAAIC,EAAO,QAAU,KAAOA,EAAO,OAAS,IAEnCD,EAAG,EAELC,CACT,GACA,SAASd,GAAkCe,EAAmB,CAE5D,OAAO,OAAOA,EAAkB,QAAQ,IAAK,KAAK,CAAC,CACrD,CACA,SAASJ,GAAuBF,EAAc,CAC5C,MAAO,GAAGxB,EAAqB,IAAIwB,CAAY,EACjD,CAkBA,SAAeO,GAA0BC,EAGtCC,EAEA,QAAAf,EAAA,yBALsC,CACvC,UAAAK,EACA,yBAAAW,CACF,EAAG,CACD,IAAAC,CACF,EAAG,CACD,IAAMC,EAAWzB,GAAyBY,CAAS,EAC7CE,EAAUL,GAAWG,CAAS,EAE9Bc,EAAmBH,EAAyB,aAAa,CAC7D,SAAU,EACZ,CAAC,EACD,GAAIG,EAAkB,CACpB,IAAMC,EAAmB,MAAMD,EAAiB,oBAAoB,EAChEC,GACFb,EAAQ,OAAO,oBAAqBa,CAAgB,CAExD,CACA,IAAMC,EAAO,CACX,IAAAJ,EACA,YAAanC,GACb,MAAOuB,EAAU,MACjB,WAAYxB,EACd,EACMyC,EAAU,CACd,OAAQ,OACR,QAAAf,EACA,KAAM,KAAK,UAAUc,CAAI,CAC3B,EACMzB,EAAW,MAAMa,GAAmB,IAAM,MAAMS,EAAUI,CAAO,CAAC,EACxE,GAAI1B,EAAS,GAAI,CACf,IAAM2B,EAAgB,MAAM3B,EAAS,KAAK,EAO1C,MANoC,CAClC,IAAK2B,EAAc,KAAON,EAC1B,mBAAoB,EACpB,aAAcM,EAAc,aAC5B,UAAW5B,GAAiC4B,EAAc,SAAS,CACrE,CAEF,KACE,OAAM,MAAMzB,GAAqB,sBAAuBF,CAAQ,CAEpE,GAmBA,SAAS4B,GAAMC,EAAI,CACjB,OAAO,IAAI,QAAQC,GAAW,CAC5B,WAAWA,EAASD,CAAE,CACxB,CAAC,CACH,CAkBA,SAASE,GAAsBC,EAAO,CAEpC,OADY,KAAK,OAAO,aAAa,GAAGA,CAAK,CAAC,EACnC,QAAQ,MAAO,GAAG,EAAE,QAAQ,MAAO,GAAG,CACnD,CAkBA,IAAMC,GAAoB,oBACpBC,GAAc,GAKpB,SAASC,IAAc,CACrB,GAAI,CAGF,IAAMC,EAAe,IAAI,WAAW,EAAE,GACvB,KAAK,QAAU,KAAK,UAC5B,gBAAgBA,CAAY,EAEnCA,EAAa,CAAC,EAAI,IAAaA,EAAa,CAAC,EAAI,GACjD,IAAMf,EAAMgB,GAAOD,CAAY,EAC/B,OAAOH,GAAkB,KAAKZ,CAAG,EAAIA,EAAMa,EAC7C,MAAa,CAEX,OAAOA,EACT,CACF,CAEA,SAASG,GAAOD,EAAc,CAI5B,OAHkBL,GAAsBK,CAAY,EAGnC,OAAO,EAAG,EAAE,CAC/B,CAmBA,SAASE,GAAO7B,EAAW,CACzB,MAAO,GAAGA,EAAU,OAAO,IAAIA,EAAU,KAAK,EAChD,CAkBA,IAAM8B,GAAqB,IAAI,IAK/B,SAASC,GAAW/B,EAAWY,EAAK,CAClC,IAAMoB,EAAMH,GAAO7B,CAAS,EAC5BiC,GAAuBD,EAAKpB,CAAG,EAC/BsB,GAAmBF,EAAKpB,CAAG,CAC7B,CA0BA,SAASuB,GAAuBC,EAAKC,EAAK,CACxC,IAAMC,EAAYC,GAAmB,IAAIH,CAAG,EAC5C,GAAKE,EAGL,QAAWE,KAAYF,EACrBE,EAASH,CAAG,CAEhB,CACA,SAASI,GAAmBL,EAAKC,EAAK,CACpC,IAAMK,EAAUC,GAAoB,EAChCD,GACFA,EAAQ,YAAY,CAClB,IAAAN,EACA,IAAAC,CACF,CAAC,EAEHO,GAAsB,CACxB,CACA,IAAIC,EAAmB,KAEvB,SAASF,IAAsB,CAC7B,MAAI,CAACE,GAAoB,qBAAsB,OAC7CA,EAAmB,IAAI,iBAAiB,uBAAuB,EAC/DA,EAAiB,UAAY,GAAK,CAChCV,GAAuB,EAAE,KAAK,IAAK,EAAE,KAAK,GAAG,CAC/C,GAEKU,CACT,CACA,SAASD,IAAwB,CAC3BL,GAAmB,OAAS,GAAKM,IACnCA,EAAiB,MAAM,EACvBA,EAAmB,KAEvB,CAkBA,IAAMC,GAAgB,kCAChBC,GAAmB,EACnBC,EAAoB,+BACtBC,GAAY,KAChB,SAASC,IAAe,CACtB,OAAKD,KACHA,GAAYE,EAAOL,GAAeC,GAAkB,CAClD,QAAS,CAACK,EAAIC,IAAe,CAM3B,OAAQA,EAAY,CAClB,IAAK,GACHD,EAAG,kBAAkBJ,CAAiB,CAC1C,CACF,CACF,CAAC,GAEIC,EACT,CAEA,SAAeK,GAAIC,EAAWC,EAAO,QAAAC,EAAA,sBACnC,IAAMrB,EAAMsB,GAAOH,CAAS,EAEtBI,GADK,MAAMT,GAAa,GAChB,YAAYF,EAAmB,WAAW,EAClDY,EAAcD,EAAG,YAAYX,CAAiB,EAC9Ca,EAAW,MAAMD,EAAY,IAAIxB,CAAG,EAC1C,aAAMwB,EAAY,IAAIJ,EAAOpB,CAAG,EAChC,MAAMuB,EAAG,MACL,CAACE,GAAYA,EAAS,MAAQL,EAAM,MACtCM,GAAWP,EAAWC,EAAM,GAAG,EAE1BA,CACT,GAEA,SAAeO,GAAOR,EAAW,QAAAE,EAAA,sBAC/B,IAAMrB,EAAMsB,GAAOH,CAAS,EAEtBI,GADK,MAAMT,GAAa,GAChB,YAAYF,EAAmB,WAAW,EACxD,MAAMW,EAAG,YAAYX,CAAiB,EAAE,OAAOZ,CAAG,EAClD,MAAMuB,EAAG,IACX,GAOA,SAAeK,GAAOT,EAAWU,EAAU,QAAAR,EAAA,sBACzC,IAAMrB,EAAMsB,GAAOH,CAAS,EAEtBI,GADK,MAAMT,GAAa,GAChB,YAAYF,EAAmB,WAAW,EAClDkB,EAAQP,EAAG,YAAYX,CAAiB,EACxCa,EAAW,MAAMK,EAAM,IAAI9B,CAAG,EAC9B+B,EAAWF,EAASJ,CAAQ,EAClC,OAAIM,IAAa,OACf,MAAMD,EAAM,OAAO9B,CAAG,EAEtB,MAAM8B,EAAM,IAAIC,EAAU/B,CAAG,EAE/B,MAAMuB,EAAG,KACLQ,IAAa,CAACN,GAAYA,EAAS,MAAQM,EAAS,MACtDL,GAAWP,EAAWY,EAAS,GAAG,EAE7BA,CACT,GAsBA,SAAeC,GAAqBC,EAAe,QAAAZ,EAAA,sBACjD,IAAIa,EACEC,EAAoB,MAAMP,GAAOK,EAAc,UAAWG,GAAY,CAC1E,IAAMD,EAAoBE,GAAgCD,CAAQ,EAC5DE,EAAmBC,GAA+BN,EAAeE,CAAiB,EACxF,OAAAD,EAAsBI,EAAiB,oBAChCA,EAAiB,iBAC1B,CAAC,EACD,OAAIH,EAAkB,MAAQK,GAErB,CACL,kBAAmB,MAAMN,CAC3B,EAEK,CACL,kBAAAC,EACA,oBAAAD,CACF,CACF,GAKA,SAASG,GAAgCD,EAAU,CACjD,IAAMK,EAAQL,GAAY,CACxB,IAAKM,GAAY,EACjB,mBAAoB,CACtB,EACA,OAAOC,GAAqBF,CAAK,CACnC,CAQA,SAASF,GAA+BN,EAAeE,EAAmB,CACxE,GAAIA,EAAkB,qBAAuB,EAAmC,CAC9E,GAAI,CAAC,UAAU,OAAQ,CAErB,IAAMS,EAA+B,QAAQ,OAAOC,EAAc,OAAO,aAAyC,CAAC,EACnH,MAAO,CACL,kBAAAV,EACA,oBAAqBS,CACvB,CACF,CAEA,IAAME,EAAkB,CACtB,IAAKX,EAAkB,IACvB,mBAAoB,EACpB,iBAAkB,KAAK,IAAI,CAC7B,EACMD,EAAsBa,GAAqBd,EAAea,CAAe,EAC/E,MAAO,CACL,kBAAmBA,EACnB,oBAAAZ,CACF,CACF,KAAO,QAAIC,EAAkB,qBAAuB,EAC3C,CACL,kBAAAA,EACA,oBAAqBa,GAAyBf,CAAa,CAC7D,EAEO,CACL,kBAAAE,CACF,CAEJ,CAEA,SAAeY,GAAqBd,EAAeE,EAAmB,QAAAd,EAAA,sBACpE,GAAI,CACF,IAAM4B,EAA8B,MAAMC,GAA0BjB,EAAeE,CAAiB,EACpG,OAAOjB,GAAIe,EAAc,UAAWgB,CAA2B,CACjE,OAASE,EAAG,CACV,MAAIC,GAAcD,CAAC,GAAKA,EAAE,WAAW,aAAe,IAGlD,MAAMxB,GAAOM,EAAc,SAAS,EAGpC,MAAMf,GAAIe,EAAc,UAAW,CACjC,IAAKE,EAAkB,IACvB,mBAAoB,CACtB,CAAC,EAEGgB,CACR,CACF,GAEA,SAAeH,GAAyBf,EAAe,QAAAZ,EAAA,sBAIrD,IAAIoB,EAAQ,MAAMY,GAA0BpB,EAAc,SAAS,EACnE,KAAOQ,EAAM,qBAAuB,GAElC,MAAMa,GAAM,GAAG,EACfb,EAAQ,MAAMY,GAA0BpB,EAAc,SAAS,EAEjE,GAAIQ,EAAM,qBAAuB,EAAmC,CAElE,GAAM,CACJ,kBAAAN,EACA,oBAAAD,CACF,EAAI,MAAMF,GAAqBC,CAAa,EAC5C,OAAIC,GAIKC,CAEX,CACA,OAAOM,CACT,GASA,SAASY,GAA0BlC,EAAW,CAC5C,OAAOS,GAAOT,EAAWiB,GAAY,CACnC,GAAI,CAACA,EACH,MAAMS,EAAc,OAAO,wBAA+D,EAE5F,OAAOF,GAAqBP,CAAQ,CACtC,CAAC,CACH,CACA,SAASO,GAAqBF,EAAO,CACnC,OAAIc,GAA+Bd,CAAK,EAC/B,CACL,IAAKA,EAAM,IACX,mBAAoB,CACtB,EAEKA,CACT,CACA,SAASc,GAA+BpB,EAAmB,CACzD,OAAOA,EAAkB,qBAAuB,GAAqCA,EAAkB,iBAAmBqB,GAAqB,KAAK,IAAI,CAC1J,CAkBA,SAAeC,GAAyBC,EAGrCC,EAAmB,QAAAtC,EAAA,yBAHkB,CACtC,UAAAF,EACA,yBAAAyC,CACF,EAAGzB,EAAmB,CACpB,IAAM0B,EAAWC,GAA6B3C,EAAWgB,CAAiB,EACpE4B,EAAUC,GAAmB7C,EAAWgB,CAAiB,EAEzD8B,EAAmBL,EAAyB,aAAa,CAC7D,SAAU,EACZ,CAAC,EACD,GAAIK,EAAkB,CACpB,IAAMC,EAAmB,MAAMD,EAAiB,oBAAoB,EAChEC,GACFH,EAAQ,OAAO,oBAAqBG,CAAgB,CAExD,CACA,IAAMC,EAAO,CACX,aAAc,CACZ,WAAYC,GACZ,MAAOjD,EAAU,KACnB,CACF,EACMkD,EAAU,CACd,OAAQ,OACR,QAAAN,EACA,KAAM,KAAK,UAAUI,CAAI,CAC3B,EACMG,EAAW,MAAMC,GAAmB,IAAM,MAAMV,EAAUQ,CAAO,CAAC,EACxE,GAAIC,EAAS,GAAI,CACf,IAAME,EAAgB,MAAMF,EAAS,KAAK,EAE1C,OAD2BG,GAAiCD,CAAa,CAE3E,KACE,OAAM,MAAME,GAAqB,sBAAuBJ,CAAQ,CAEpE,GACA,SAASR,GAA6B3C,EAAW,CAC/C,IAAAlB,CACF,EAAG,CACD,MAAO,GAAG0E,GAAyBxD,CAAS,CAAC,IAAIlB,CAAG,sBACtD,CAwBA,SAAe2E,GAAiB3C,EAAe4C,EAAe,GAAO,QAAAxD,EAAA,sBACnE,IAAIyD,EACErC,EAAQ,MAAMb,GAAOK,EAAc,UAAWG,GAAY,CAC9D,GAAI,CAAC2C,GAAkB3C,CAAQ,EAC7B,MAAMS,EAAc,OAAO,gBAA+C,EAE5E,IAAMmC,EAAe5C,EAAS,UAC9B,GAAI,CAACyC,GAAgBI,GAAiBD,CAAY,EAEhD,OAAO5C,EACF,GAAI4C,EAAa,gBAAkB,EAExC,OAAAF,EAAeI,GAA0BjD,EAAe4C,CAAY,EAC7DzC,EACF,CAEL,GAAI,CAAC,UAAU,OACb,MAAMS,EAAc,OAAO,aAAyC,EAEtE,IAAMC,EAAkBqC,GAAoC/C,CAAQ,EACpE,OAAA0C,EAAeM,GAAyBnD,EAAea,CAAe,EAC/DA,CACT,CACF,CAAC,EAED,OADkBgC,EAAe,MAAMA,EAAerC,EAAM,SAE9D,GAOA,SAAeyC,GAA0BjD,EAAe4C,EAAc,QAAAxD,EAAA,sBAIpE,IAAIoB,EAAQ,MAAM4C,GAAuBpD,EAAc,SAAS,EAChE,KAAOQ,EAAM,UAAU,gBAAkB,GAEvC,MAAMa,GAAM,GAAG,EACfb,EAAQ,MAAM4C,GAAuBpD,EAAc,SAAS,EAE9D,IAAMqD,EAAY7C,EAAM,UACxB,OAAI6C,EAAU,gBAAkB,EAEvBV,GAAiB3C,EAAe4C,CAAY,EAE5CS,CAEX,GASA,SAASD,GAAuBlE,EAAW,CACzC,OAAOS,GAAOT,EAAWiB,GAAY,CACnC,GAAI,CAAC2C,GAAkB3C,CAAQ,EAC7B,MAAMS,EAAc,OAAO,gBAA+C,EAE5E,IAAMmC,EAAe5C,EAAS,UAC9B,OAAImD,GAA4BP,CAAY,EACnC,OAAO,OAAO,OAAO,OAAO,CAAC,EAAG5C,CAAQ,EAAG,CAChD,UAAW,CACT,cAAe,CACjB,CACF,CAAC,EAEIA,CACT,CAAC,CACH,CACA,SAAegD,GAAyBnD,EAAeE,EAAmB,QAAAd,EAAA,sBACxE,GAAI,CACF,IAAMiE,EAAY,MAAM7B,GAAyBxB,EAAeE,CAAiB,EAC3EqD,EAA2B,OAAO,OAAO,OAAO,OAAO,CAAC,EAAGrD,CAAiB,EAAG,CACnF,UAAAmD,CACF,CAAC,EACD,aAAMpE,GAAIe,EAAc,UAAWuD,CAAwB,EACpDF,CACT,OAASnC,EAAG,CACV,GAAIC,GAAcD,CAAC,IAAMA,EAAE,WAAW,aAAe,KAAOA,EAAE,WAAW,aAAe,KAGtF,MAAMxB,GAAOM,EAAc,SAAS,MAC/B,CACL,IAAMuD,EAA2B,OAAO,OAAO,OAAO,OAAO,CAAC,EAAGrD,CAAiB,EAAG,CACnF,UAAW,CACT,cAAe,CACjB,CACF,CAAC,EACD,MAAMjB,GAAIe,EAAc,UAAWuD,CAAwB,CAC7D,CACA,MAAMrC,CACR,CACF,GACA,SAAS4B,GAAkB5C,EAAmB,CAC5C,OAAOA,IAAsB,QAAaA,EAAkB,qBAAuB,CACrF,CACA,SAAS8C,GAAiBK,EAAW,CACnC,OAAOA,EAAU,gBAAkB,GAAmC,CAACG,GAAmBH,CAAS,CACrG,CACA,SAASG,GAAmBH,EAAW,CACrC,IAAMI,EAAM,KAAK,IAAI,EACrB,OAAOA,EAAMJ,EAAU,cAAgBA,EAAU,aAAeA,EAAU,UAAYI,EAAMC,EAC9F,CAEA,SAASR,GAAoC/C,EAAU,CACrD,IAAMwD,EAAsB,CAC1B,cAAe,EACf,YAAa,KAAK,IAAI,CACxB,EACA,OAAO,OAAO,OAAO,OAAO,OAAO,CAAC,EAAGxD,CAAQ,EAAG,CAChD,UAAWwD,CACb,CAAC,CACH,CACA,SAASL,GAA4BD,EAAW,CAC9C,OAAOA,EAAU,gBAAkB,GAAqCA,EAAU,YAAc9B,GAAqB,KAAK,IAAI,CAChI,CAyBA,SAAeqC,GAAM5D,EAAe,QAAAZ,EAAA,sBAClC,IAAMyE,EAAoB7D,EACpB,CACJ,kBAAAE,EACA,oBAAAD,CACF,EAAI,MAAMF,GAAqB8D,CAAiB,EAChD,OAAI5D,EACFA,EAAoB,MAAM,QAAQ,KAAK,EAIvC0C,GAAiBkB,CAAiB,EAAE,MAAM,QAAQ,KAAK,EAElD3D,EAAkB,GAC3B,GA0BA,SAAe4D,GAAS9D,EAAe4C,EAAe,GAAO,QAAAxD,EAAA,sBAC3D,IAAMyE,EAAoB7D,EAC1B,aAAM+D,GAAiCF,CAAiB,GAGtC,MAAMlB,GAAiBkB,EAAmBjB,CAAY,GACvD,KACnB,GACA,SAAemB,GAAiC/D,EAAe,QAAAZ,EAAA,sBAC7D,GAAM,CACJ,oBAAAa,CACF,EAAI,MAAMF,GAAqBC,CAAa,EACxCC,IAEF,MAAMA,EAEV,GAmKA,SAAS+D,GAAiBC,EAAK,CAC7B,GAAI,CAACA,GAAO,CAACA,EAAI,QACf,MAAMC,GAAqB,mBAAmB,EAEhD,GAAI,CAACD,EAAI,KACP,MAAMC,GAAqB,UAAU,EAGvC,IAAMC,EAAa,CAAC,YAAa,SAAU,OAAO,EAClD,QAAWC,KAAWD,EACpB,GAAI,CAACF,EAAI,QAAQG,CAAO,EACtB,MAAMF,GAAqBE,CAAO,EAGtC,MAAO,CACL,QAASH,EAAI,KACb,UAAWA,EAAI,QAAQ,UACvB,OAAQA,EAAI,QAAQ,OACpB,MAAOA,EAAI,QAAQ,KACrB,CACF,CACA,SAASC,GAAqBG,EAAW,CACvC,OAAOC,EAAc,OAAO,4BAAuE,CACjG,UAAAD,CACF,CAAC,CACH,CAkBA,IAAME,GAAqB,gBACrBC,GAA8B,yBAC9BC,GAAgBC,GAAa,CACjC,IAAMT,EAAMS,EAAU,YAAY,KAAK,EAAE,aAAa,EAEhDC,EAAYX,GAAiBC,CAAG,EAChCW,EAA2BC,GAAaZ,EAAK,WAAW,EAO9D,MAN0B,CACxB,IAAAA,EACA,UAAAU,EACA,yBAAAC,EACA,QAAS,IAAM,QAAQ,QAAQ,CACjC,CAEF,EACME,GAAkBJ,GAAa,CACnC,IAAMT,EAAMS,EAAU,YAAY,KAAK,EAAE,aAAa,EAEhDK,EAAgBF,GAAaZ,EAAKM,EAAkB,EAAE,aAAa,EAKzE,MAJ8B,CAC5B,MAAO,IAAMS,GAAMD,CAAa,EAChC,SAAUE,GAAgBC,GAASH,EAAeE,CAAY,CAChE,CAEF,EACA,SAASE,IAAwB,CAC/BC,EAAmB,IAAIC,EAAUd,GAAoBE,GAAe,QAAmC,CAAC,EACxGW,EAAmB,IAAIC,EAAUb,GAA6BM,GAAiB,SAAqC,CAAC,CACvH,CAQAK,GAAsB,EACtBG,EAAgBC,GAAMC,EAAO,EAE7BF,EAAgBC,GAAMC,GAAS,SAAS,EC9nCxC,IAAMC,GAAkB,4BAClBC,GAAmB,uCACnBC,GAAoB,0FACpBC,GAAW,6CACXC,GAAsB,kBACtBC,GAAwB,iBACxBC,GAAwB,gBAExBC,GAAqC,eACrCC,GAA+B,IAoBrC,IAAIC,GAA2B,SAAUA,EAAa,CACpD,OAAAA,EAAY,cAAmB,gBAC/BA,EAAY,qBAA0B,uBAC/BA,CACT,EAAEA,IAAe,CAAC,CAAC,EAiBnB,SAASC,EAAcC,EAAO,CAC5B,IAAMC,EAAa,IAAI,WAAWD,CAAK,EAEvC,OADqB,KAAK,OAAO,aAAa,GAAGC,CAAU,CAAC,EACxC,QAAQ,KAAM,EAAE,EAAE,QAAQ,MAAO,GAAG,EAAE,QAAQ,MAAO,GAAG,CAC9E,CACA,SAASC,GAAcC,EAAc,CACnC,IAAMC,EAAU,IAAI,QAAQ,EAAID,EAAa,OAAS,GAAK,CAAC,EACtDE,GAAUF,EAAeC,GAAS,QAAQ,MAAO,GAAG,EAAE,QAAQ,KAAM,GAAG,EACvEE,EAAU,KAAKD,CAAM,EACrBE,EAAc,IAAI,WAAWD,EAAQ,MAAM,EACjD,QAASE,EAAI,EAAGA,EAAIF,EAAQ,OAAQ,EAAEE,EACpCD,EAAYC,CAAC,EAAIF,EAAQ,WAAWE,CAAC,EAEvC,OAAOD,CACT,CAkBA,IAAME,GAAc,uBAKdC,GAAiB,EACjBC,GAAwB,yBAC9B,SAAeC,GAAmBC,EAAU,QAAAC,EAAA,sBAC1C,GAAI,cAAe,WAKb,EAFc,MAAM,UAAU,UAAU,GAClB,IAAIC,GAAMA,EAAG,IAAI,EAC9B,SAASN,EAAW,EAE/B,OAAO,KAGX,IAAIO,EAAe,KAgEnB,OA/DW,MAAMC,EAAOR,GAAaC,GAAgB,CACnD,QAAS,CAAOK,EAAIG,EAAYC,EAAYC,IAAuBN,EAAA,sBACjE,IAAIO,EAKJ,GAJIH,EAAa,GAIb,CAACH,EAAG,iBAAiB,SAASJ,EAAqB,EAErD,OAEF,IAAMW,EAAcF,EAAmB,YAAYT,EAAqB,EAClEY,EAAQ,MAAMD,EAAY,MAAM,aAAa,EAAE,IAAIT,CAAQ,EAEjE,GADA,MAAMS,EAAY,MAAM,EACpB,EAACC,GAIL,GAAIL,IAAe,EAAG,CACpB,IAAMM,EAAaD,EACnB,GAAI,CAACC,EAAW,MAAQ,CAACA,EAAW,QAAU,CAACA,EAAW,SACxD,OAEFR,EAAe,CACb,MAAOQ,EAAW,SAClB,YAAaH,EAAKG,EAAW,cAAgB,MAAQH,IAAO,OAASA,EAAK,KAAK,IAAI,EACnF,oBAAqB,CACnB,KAAMG,EAAW,KACjB,OAAQA,EAAW,OACnB,SAAUA,EAAW,SACrB,QAASA,EAAW,QACpB,SAAU,OAAOA,EAAW,UAAa,SAAWA,EAAW,SAAWzB,EAAcyB,EAAW,QAAQ,CAC7G,CACF,CACF,SAAWN,IAAe,EAAG,CAC3B,IAAMM,EAAaD,EACnBP,EAAe,CACb,MAAOQ,EAAW,SAClB,WAAYA,EAAW,WACvB,oBAAqB,CACnB,KAAMzB,EAAcyB,EAAW,IAAI,EACnC,OAAQzB,EAAcyB,EAAW,MAAM,EACvC,SAAUA,EAAW,SACrB,QAASA,EAAW,QACpB,SAAUzB,EAAcyB,EAAW,QAAQ,CAC7C,CACF,CACF,SAAWN,IAAe,EAAG,CAC3B,IAAMM,EAAaD,EACnBP,EAAe,CACb,MAAOQ,EAAW,SAClB,WAAYA,EAAW,WACvB,oBAAqB,CACnB,KAAMzB,EAAcyB,EAAW,IAAI,EACnC,OAAQzB,EAAcyB,EAAW,MAAM,EACvC,SAAUA,EAAW,SACrB,QAASA,EAAW,QACpB,SAAUzB,EAAcyB,EAAW,QAAQ,CAC7C,CACF,CACF,EACF,EACF,CAAC,GACE,MAAM,EAET,MAAMC,GAAShB,EAAW,EAC1B,MAAMgB,GAAS,sBAAsB,EACrC,MAAMA,GAAS,WAAW,EACnBC,GAAkBV,CAAY,EAAIA,EAAe,IAC1D,GACA,SAASU,GAAkBV,EAAc,CACvC,GAAI,CAACA,GAAgB,CAACA,EAAa,oBACjC,MAAO,GAET,GAAM,CACJ,oBAAAW,CACF,EAAIX,EACJ,OAAO,OAAOA,EAAa,YAAe,UAAYA,EAAa,WAAa,GAAK,OAAOA,EAAa,OAAU,UAAYA,EAAa,MAAM,OAAS,GAAK,OAAOW,EAAoB,MAAS,UAAYA,EAAoB,KAAK,OAAS,GAAK,OAAOA,EAAoB,QAAW,UAAYA,EAAoB,OAAO,OAAS,GAAK,OAAOA,EAAoB,UAAa,UAAYA,EAAoB,SAAS,OAAS,GAAK,OAAOA,EAAoB,SAAY,UAAYA,EAAoB,QAAQ,OAAS,GAAK,OAAOA,EAAoB,UAAa,UAAYA,EAAoB,SAAS,OAAS,CAC1mB,CAmBA,IAAMC,GAAgB,8BAChBC,GAAmB,EACnBC,GAAoB,2BACtBC,GAAY,KAChB,SAASC,IAAe,CACtB,OAAKD,KACHA,GAAYd,EAAOW,GAAeC,GAAkB,CAClD,QAAS,CAACI,EAAWf,IAAe,CAKlC,OAAQA,EAAY,CAClB,IAAK,GACHe,EAAU,kBAAkBH,EAAiB,CACjD,CACF,CACF,CAAC,GAEIC,EACT,CAEA,SAAeG,GAAMC,EAAsB,QAAArB,EAAA,sBACzC,IAAMsB,EAAMC,GAAOF,CAAoB,EAEjCnB,EAAe,MADV,MAAMgB,GAAa,GACA,YAAYF,EAAiB,EAAE,YAAYA,EAAiB,EAAE,IAAIM,CAAG,EACnG,GAAIpB,EACF,OAAOA,EACF,CAEL,IAAMsB,EAAkB,MAAM1B,GAAmBuB,EAAqB,UAAU,QAAQ,EACxF,GAAIG,EACF,aAAMC,GAAMJ,EAAsBG,CAAe,EAC1CA,CAEX,CACF,GAEA,SAAeC,GAAMJ,EAAsBnB,EAAc,QAAAF,EAAA,sBACvD,IAAMsB,EAAMC,GAAOF,CAAoB,EAEjCK,GADK,MAAMR,GAAa,GAChB,YAAYF,GAAmB,WAAW,EACxD,aAAMU,EAAG,YAAYV,EAAiB,EAAE,IAAId,EAAcoB,CAAG,EAC7D,MAAMI,EAAG,KACFxB,CACT,GASA,SAASyB,GAAO,CACd,UAAAC,CACF,EAAG,CACD,OAAOA,EAAU,KACnB,CAkBA,IAAMC,GAAY,CACf,4BAAwE,kDACxE,2BAAiE,gDACjE,uBAAyD,wDACzD,qBAA0D,qEAC1D,qBAA0D,mEAC1D,sBAA4D,2EAC5D,yBAAkE,mGAClE,qCAAmF,+EACnF,yBAAkE,qEAClE,2BAAsE,2DACtE,2BAAsE,yEACtE,sBAA4D,oEAC5D,wBAAgE,wDAChE,yBAAkE,4IAClE,0BAAoE,uEACpE,qBAA0D,iEAC1D,oBAAwD,yCACxD,gCAAgF,uIACnF,EACMC,EAAgB,IAAIC,EAAa,YAAa,YAAaF,EAAS,EAkB1E,SAAeG,GAAgBC,EAAsBC,EAAqB,QAAAC,EAAA,sBACxE,IAAMC,EAAU,MAAMC,GAAWJ,CAAoB,EAC/CK,EAAOC,GAAQL,CAAmB,EAClCM,EAAmB,CACvB,OAAQ,OACR,QAAAJ,EACA,KAAM,KAAK,UAAUE,CAAI,CAC3B,EACIG,EACJ,GAAI,CAEFA,EAAe,MADE,MAAM,MAAMC,GAAYT,EAAqB,SAAS,EAAGO,CAAgB,GAC5D,KAAK,CACrC,OAASG,EAAK,CACZ,MAAMb,EAAc,OAAO,yBAAiE,CAC1F,UAAqDa,GAAI,SAAS,CACpE,CAAC,CACH,CACA,GAAIF,EAAa,MAAO,CACtB,IAAMG,EAAUH,EAAa,MAAM,QACnC,MAAMX,EAAc,OAAO,yBAAiE,CAC1F,UAAWc,CACb,CAAC,CACH,CACA,GAAI,CAACH,EAAa,MAChB,MAAMX,EAAc,OAAO,0BAAmE,EAEhG,OAAOW,EAAa,KACtB,GACA,SAAeI,GAAmBZ,EAAsBa,EAAc,QAAAX,EAAA,sBACpE,IAAMC,EAAU,MAAMC,GAAWJ,CAAoB,EAC/CK,EAAOC,GAAQO,EAAa,mBAAmB,EAC/CC,EAAgB,CACpB,OAAQ,QACR,QAAAX,EACA,KAAM,KAAK,UAAUE,CAAI,CAC3B,EACIG,EACJ,GAAI,CAEFA,EAAe,MADE,MAAM,MAAM,GAAGC,GAAYT,EAAqB,SAAS,CAAC,IAAIa,EAAa,KAAK,GAAIC,CAAa,GACpF,KAAK,CACrC,OAASJ,EAAK,CACZ,MAAMb,EAAc,OAAO,sBAA2D,CACpF,UAAqDa,GAAI,SAAS,CACpE,CAAC,CACH,CACA,GAAIF,EAAa,MAAO,CACtB,IAAMG,EAAUH,EAAa,MAAM,QACnC,MAAMX,EAAc,OAAO,sBAA2D,CACpF,UAAWc,CACb,CAAC,CACH,CACA,GAAI,CAACH,EAAa,MAChB,MAAMX,EAAc,OAAO,uBAA6D,EAE1F,OAAOW,EAAa,KACtB,GACA,SAAeO,GAAmBf,EAAsBgB,EAAO,QAAAd,EAAA,sBAE7D,IAAMe,EAAqB,CACzB,OAAQ,SACR,QAHc,MAAMb,GAAWJ,CAAoB,CAIrD,EACA,GAAI,CAEF,IAAMQ,EAAe,MADJ,MAAM,MAAM,GAAGC,GAAYT,EAAqB,SAAS,CAAC,IAAIgB,CAAK,GAAIC,CAAkB,GACtE,KAAK,EACzC,GAAIT,EAAa,MAAO,CACtB,IAAMG,EAAUH,EAAa,MAAM,QACnC,MAAMX,EAAc,OAAO,2BAAqE,CAC9F,UAAWc,CACb,CAAC,CACH,CACF,OAASD,EAAK,CACZ,MAAMb,EAAc,OAAO,2BAAqE,CAC9F,UAAqDa,GAAI,SAAS,CACpE,CAAC,CACH,CACF,GACA,SAASD,GAAY,CACnB,UAAAS,CACF,EAAG,CACD,MAAO,GAAGC,EAAQ,aAAaD,CAAS,gBAC1C,CACA,SAAed,GAAWgB,EAGvB,QAAAlB,EAAA,yBAHuB,CACxB,UAAAP,EACA,cAAA0B,CACF,EAAG,CACD,IAAMC,EAAY,MAAMD,EAAc,SAAS,EAC/C,OAAO,IAAI,QAAQ,CACjB,eAAgB,mBAChB,OAAQ,mBACR,iBAAkB1B,EAAU,OAC5B,qCAAsC,OAAO2B,CAAS,EACxD,CAAC,CACH,GACA,SAAShB,GAAQ,CACf,OAAAiB,EACA,KAAAC,EACA,SAAAC,EACA,SAAAC,CACF,EAAG,CACD,IAAMrB,EAAO,CACX,IAAK,CACH,SAAAoB,EACA,KAAAD,EACA,OAAAD,CACF,CACF,EACA,OAAIG,IAAaC,KACftB,EAAK,IAAI,kBAAoBqB,GAExBrB,CACT,CAmBA,IAAMuB,GAAsB,EAAI,GAAK,GAAK,GAAK,IAC/C,SAAeC,GAAiBC,EAAW,QAAA5B,EAAA,sBACzC,IAAM6B,EAAmB,MAAMC,GAAoBF,EAAU,eAAgBA,EAAU,QAAQ,EACzF7B,EAAsB,CAC1B,SAAU6B,EAAU,SACpB,QAASA,EAAU,eAAe,MAClC,SAAUC,EAAiB,SAC3B,KAAME,EAAcF,EAAiB,OAAO,MAAM,CAAC,EACnD,OAAQE,EAAcF,EAAiB,OAAO,QAAQ,CAAC,CACzD,EACMlB,EAAe,MAAMqB,GAAMJ,EAAU,oBAAoB,EAC/D,GAAKjB,EAGE,IAAKsB,GAAatB,EAAa,oBAAqBZ,CAAmB,EASvE,OAAI,KAAK,IAAI,GAAKY,EAAa,WAAae,GAE1CQ,GAAYN,EAAW,CAC5B,MAAOjB,EAAa,MACpB,WAAY,KAAK,IAAI,EACrB,oBAAAZ,CACF,CAAC,EAGMY,EAAa,MAhBpB,GAAI,CACF,MAAME,GAAmBe,EAAU,qBAAsBjB,EAAa,KAAK,CAC7E,OAASwB,EAAG,CAEV,QAAQ,KAAKA,CAAC,CAChB,CACA,OAAOC,GAAYR,EAAU,qBAAsB7B,CAAmB,MATtE,QAAOqC,GAAYR,EAAU,qBAAsB7B,CAAmB,CAqB1E,GAmBA,SAAesC,GAAYC,EAAWC,EAAc,QAAAC,EAAA,sBAClD,GAAI,CACF,IAAMC,EAAe,MAAMC,GAAmBJ,EAAU,qBAAsBC,CAAY,EACpFI,EAAsB,OAAO,OAAO,OAAO,OAAO,CAAC,EAAGJ,CAAY,EAAG,CACzE,MAAOE,EACP,WAAY,KAAK,IAAI,CACvB,CAAC,EACD,aAAMG,GAAMN,EAAU,qBAAsBK,CAAmB,EACxDF,CACT,OAASI,EAAG,CACV,MAAMA,CACR,CACF,GACA,SAAeC,GAAYC,EAAsBC,EAAqB,QAAAR,EAAA,sBAEpE,IAAMD,EAAe,CACnB,MAFY,MAAMU,GAAgBF,EAAsBC,CAAmB,EAG3E,WAAY,KAAK,IAAI,EACrB,oBAAAA,CACF,EACA,aAAMJ,GAAMG,EAAsBR,CAAY,EACvCA,EAAa,KACtB,GAIA,SAAeW,GAAoBC,EAAgBC,EAAU,QAAAZ,EAAA,sBAC3D,IAAMa,EAAe,MAAMF,EAAe,YAAY,gBAAgB,EACtE,OAAIE,GAGGF,EAAe,YAAY,UAAU,CAC1C,gBAAiB,GAGjB,qBAAsBG,GAAcF,CAAQ,CAC9C,CAAC,CACH,GAIA,SAASG,GAAaC,EAAWC,EAAgB,CAC/C,IAAMC,EAAkBD,EAAe,WAAaD,EAAU,SACxDG,EAAkBF,EAAe,WAAaD,EAAU,SACxDI,EAAcH,EAAe,OAASD,EAAU,KAChDK,EAAgBJ,EAAe,SAAWD,EAAU,OAC1D,OAAOE,GAAmBC,GAAmBC,GAAeC,CAC9D,CAkBA,SAASC,GAAmBC,EAAiB,CAC3C,IAAMC,EAAU,CACd,KAAMD,EAAgB,KAEtB,YAAaA,EAAgB,aAE7B,UAAWA,EAAgB,YAC7B,EACA,OAAAE,GAA6BD,EAASD,CAAe,EACrDG,GAAqBF,EAASD,CAAe,EAC7CI,GAAoBH,EAASD,CAAe,EACrCC,CACT,CACA,SAASC,GAA6BD,EAASI,EAAwB,CACrE,GAAI,CAACA,EAAuB,aAC1B,OAEFJ,EAAQ,aAAe,CAAC,EACxB,IAAMK,EAAQD,EAAuB,aAAa,MAC5CC,IACJL,EAAQ,aAAa,MAAQK,GAE/B,IAAMC,EAAOF,EAAuB,aAAa,KAC3CE,IACJN,EAAQ,aAAa,KAAOM,GAE9B,IAAMC,EAAQH,EAAuB,aAAa,MAC5CG,IACJP,EAAQ,aAAa,MAAQO,GAE/B,IAAMC,EAAOJ,EAAuB,aAAa,KAC3CI,IACJR,EAAQ,aAAa,KAAOQ,EAEhC,CACA,SAASN,GAAqBF,EAASI,EAAwB,CACxDA,EAAuB,OAG5BJ,EAAQ,KAAOI,EAAuB,KACxC,CACA,SAASD,GAAoBH,EAASI,EAAwB,CAC5D,IAAIK,EAAIC,EAAIC,EAAIC,EAAIC,EAEpB,GAAI,CAACT,EAAuB,YAAc,EAAG,GAAAK,EAAKL,EAAuB,gBAAkB,MAAQK,IAAO,SAAkBA,EAAG,cAC7H,OAEFT,EAAQ,WAAa,CAAC,EACtB,IAAMc,GAAQH,GAAMD,EAAKN,EAAuB,cAAgB,MAAQM,IAAO,OAAS,OAASA,EAAG,QAAU,MAAQC,IAAO,OAASA,GAAMC,EAAKR,EAAuB,gBAAkB,MAAQQ,IAAO,OAAS,OAASA,EAAG,aACxNE,IACJd,EAAQ,WAAW,KAAOc,GAG5B,IAAMC,GAAkBF,EAAKT,EAAuB,cAAgB,MAAQS,IAAO,OAAS,OAASA,EAAG,gBAClGE,IACJf,EAAQ,WAAW,eAAiBe,EAExC,CAkBA,SAASC,GAAiBC,EAAM,CAE9B,OAAO,OAAOA,GAAS,UAAY,CAAC,CAACA,GAAQC,MAAuBD,CACtE,CAkBAE,GAAc,uBAAwB,qBAAqB,EAC3D,SAASA,GAAcC,EAAIC,EAAI,CAC7B,IAAMC,EAAc,CAAC,EACrB,QAASC,EAAI,EAAGA,EAAIH,EAAG,OAAQG,IAC7BD,EAAY,KAAKF,EAAG,OAAOG,CAAC,CAAC,EACzBA,EAAIF,EAAG,QACTC,EAAY,KAAKD,EAAG,OAAOE,CAAC,CAAC,EAGjC,OAAOD,EAAY,KAAK,EAAE,CAC5B,CAkBA,SAASE,GAAiBC,EAAK,CAC7B,GAAI,CAACA,GAAO,CAACA,EAAI,QACf,MAAMC,GAAqB,0BAA0B,EAEvD,GAAI,CAACD,EAAI,KACP,MAAMC,GAAqB,UAAU,EAGvC,IAAMC,EAAa,CAAC,YAAa,SAAU,QAAS,mBAAmB,EACjE,CACJ,QAAAC,CACF,EAAIH,EACJ,QAAWI,KAAWF,EACpB,GAAI,CAACC,EAAQC,CAAO,EAClB,MAAMH,GAAqBG,CAAO,EAGtC,MAAO,CACL,QAASJ,EAAI,KACb,UAAWG,EAAQ,UACnB,OAAQA,EAAQ,OAChB,MAAOA,EAAQ,MACf,SAAUA,EAAQ,iBACpB,CACF,CACA,SAASF,GAAqBI,EAAW,CACvC,OAAOC,EAAc,OAAO,4BAAuE,CACjG,UAAAD,CACF,CAAC,CACH,CAkBA,IAAME,GAAN,KAAuB,CACrB,YAAYP,EAAKQ,EAAeC,EAAmB,CAEjD,KAAK,yCAA2C,GAChD,KAAK,2BAA6B,KAClC,KAAK,iBAAmB,KACxB,KAAK,UAAY,CAAC,EAClB,KAAK,oBAAsB,GAC3B,IAAMC,EAAYX,GAAiBC,CAAG,EACtC,KAAK,qBAAuB,CAC1B,IAAAA,EACA,UAAAU,EACA,cAAAF,EACA,kBAAAC,CACF,CACF,CACA,SAAU,CACR,OAAO,QAAQ,QAAQ,CACzB,CACF,EAkBA,SAAeE,GAAkB9D,EAAW,QAAAE,EAAA,sBAC1C,GAAI,CACFF,EAAU,eAAiB,MAAM,UAAU,cAAc,SAAS+D,GAAiB,CACjF,MAAOC,EACT,CAAC,EAMDhE,EAAU,eAAe,OAAO,EAAE,MAAM,IAAM,CAE9C,CAAC,EACD,MAAMiE,GAA0BjE,EAAU,cAAc,CAC1D,OAASO,EAAG,CACV,MAAMkD,EAAc,OAAO,qCAAkF,CAC3G,oBAA2DlD,GAAE,OAC/D,CAAC,CACH,CACF,GAUA,SAAe0D,GAA0BC,EAAc,QAAAhE,EAAA,sBACrD,OAAO,IAAI,QAAQ,CAACiE,EAASC,IAAW,CACtC,IAAMC,EAAgB,WAAW,IAAMD,EAAO,IAAI,MAAM,uCAAuCE,EAA4B,KAAK,CAAC,EAAGA,EAA4B,EAC1JC,EAAaL,EAAa,YAAcA,EAAa,QACvDA,EAAa,QACf,aAAaG,CAAa,EAC1BF,EAAQ,GACCI,EACTA,EAAW,cAAgBC,GAAM,CAC/B,IAAIrC,IACEA,EAAKqC,EAAG,UAAY,MAAQrC,IAAO,OAAS,OAASA,EAAG,SAAW,cACvEoC,EAAW,cAAgB,KAC3B,aAAaF,CAAa,EAC1BF,EAAQ,EAEZ,GAEA,aAAaE,CAAa,EAC1BD,EAAO,IAAI,MAAM,mCAAmC,CAAC,EAEzD,CAAC,CACH,GAkBA,SAAeK,GAAYzE,EAAWa,EAAgB,QAAAX,EAAA,sBAIpD,GAHI,CAACW,GAAkB,CAACb,EAAU,iBAChC,MAAM8D,GAAkB9D,CAAS,GAE/B,GAACa,GAAoBb,EAAU,gBAGnC,IAAI,EAAEa,aAA0B,2BAC9B,MAAM4C,EAAc,OAAO,yBAAiE,EAE9FzD,EAAU,eAAiBa,EAC7B,GAkBA,SAAe6D,GAAe1E,EAAWc,EAAU,QAAAZ,EAAA,sBAC3CY,EACJd,EAAU,SAAWc,EACXd,EAAU,WACpBA,EAAU,SAAW2E,GAEzB,GAkBA,SAAeC,GAAW5E,EAAWsD,EAAS,QAAApD,EAAA,sBAC5C,GAAI,CAAC,UACH,MAAMuD,EAAc,OAAO,0BAA8D,EAK3F,GAHI,aAAa,aAAe,YAC9B,MAAM,aAAa,kBAAkB,GAEnC,aAAa,aAAe,UAC9B,MAAMA,EAAc,OAAO,oBAAuD,EAEpF,aAAMiB,GAAe1E,EAA6DsD,GAAQ,QAAQ,EAClG,MAAMmB,GAAYzE,EAA6DsD,GAAQ,yBAAyB,EACzGuB,GAAiB7E,CAAS,CACnC,GAkBA,SAAe8E,GAAW9E,EAAW+E,EAAapC,EAAM,QAAAzC,EAAA,sBACtD,IAAM8E,EAAYC,GAAaF,CAAW,GACxB,MAAM/E,EAAU,qBAAqB,kBAAkB,IAAI,GACnE,SAASgF,EAAW,CAE5B,WAAYrC,EAAKC,EAAmB,EACpC,aAAcD,EAAKuC,EAAqB,EACxC,aAAcvC,EAAKwC,EAAqB,EACxC,oBAAqB,KAAK,MAAM,KAAK,IAAI,EAAI,GAAI,CAEnD,CAAC,CACH,GACA,SAASF,GAAaF,EAAa,CACjC,OAAQA,EAAa,CACnB,KAAKK,GAAY,qBACf,MAAO,oBACT,KAAKA,GAAY,cACf,MAAO,0BACT,QACE,MAAM,IAAI,KACd,CACF,CAkBA,SAAeC,GAAqBrF,EAAWsF,EAAO,QAAApF,EAAA,sBACpD,IAAMuB,EAAkB6D,EAAM,KAC9B,GAAI,CAAC7D,EAAgB,oBACnB,OAEEzB,EAAU,kBAAoByB,EAAgB,cAAgB2D,GAAY,gBACxE,OAAOpF,EAAU,kBAAqB,WACxCA,EAAU,iBAAiBwB,GAAmBC,CAAe,CAAC,EAE9DzB,EAAU,iBAAiB,KAAKwB,GAAmBC,CAAe,CAAC,GAIvE,IAAM8D,EAAc9D,EAAgB,KAChCiB,GAAiB6C,CAAW,GAAKA,EAAYC,EAAkC,IAAM,MACvF,MAAMV,GAAW9E,EAAWyB,EAAgB,YAAa8D,CAAW,EAExE,GACA,IAAME,GAAO,sBACPC,GAAU,UAkBhB,IAAMC,GAAyBC,GAAa,CAC1C,IAAM5F,EAAY,IAAI0D,GAAiBkC,EAAU,YAAY,KAAK,EAAE,aAAa,EAAGA,EAAU,YAAY,wBAAwB,EAAE,aAAa,EAAGA,EAAU,YAAY,oBAAoB,CAAC,EAC/L,iBAAU,cAAc,iBAAiB,UAAWrF,GAAK8E,GAAqBrF,EAAWO,CAAC,CAAC,EACpFP,CACT,EACM6F,GAAiCD,GAAa,CAClD,IAAM5F,EAAY4F,EAAU,YAAY,WAAW,EAAE,aAAa,EAIlE,MAH0B,CACxB,SAAUtC,GAAWsB,GAAW5E,EAAWsD,CAAO,CACpD,CAEF,EACA,SAASwC,IAA4B,CACnCC,EAAmB,IAAIC,EAAU,YAAaL,GAAwB,QAAmC,CAAC,EAC1GI,EAAmB,IAAIC,EAAU,qBAAsBH,GAAgC,SAAqC,CAAC,EAC7HI,EAAgBR,GAAMC,EAAO,EAE7BO,EAAgBR,GAAMC,GAAS,SAAS,CAC1C,CAwBA,SAAeQ,IAAoB,QAAAhG,EAAA,sBACjC,GAAI,CAGF,MAAMiG,GAA0B,CAClC,MAAY,CACV,MAAO,EACT,CAIA,OAAO,OAAO,OAAW,KAAeC,GAAqB,GAAKC,GAAkB,GAAK,kBAAmB,WAAa,gBAAiB,QAAU,iBAAkB,QAAU,UAAW,QAAU,0BAA0B,UAAU,eAAe,kBAAkB,GAAK,iBAAiB,UAAU,eAAe,QAAQ,CACnU,GA4CA,SAASC,GAAYC,EAAWC,EAAgB,CAC9C,GAAI,CAAC,UACH,MAAMC,EAAc,OAAO,0BAA8D,EAE3F,OAAAF,EAAU,iBAAmBC,EACtB,IAAM,CACXD,EAAU,iBAAmB,IAC/B,CACF,CAyBA,SAASG,GAAqBC,EAAMC,GAAO,EAAG,CAK5C,OAAAC,GAAkB,EAAE,KAAKC,GAAe,CAEtC,GAAI,CAACA,EACH,MAAML,EAAc,OAAO,qBAAyD,CAExF,EAAGM,GAAK,CAEN,MAAMN,EAAc,OAAO,wBAA+D,CAC5F,CAAC,EACMO,GAAaC,GAAmBN,CAAG,EAAG,WAAW,EAAE,aAAa,CACzE,CAgBA,SAAeO,GAASX,EAAWY,EAAS,QAAAC,EAAA,sBAC1C,OAAAb,EAAYU,GAAmBV,CAAS,EACjCc,GAAWd,EAAWY,CAAO,CACtC,GA4BA,SAASG,GAAUC,EAAWC,EAAgB,CAC5C,OAAAD,EAAYE,GAAmBF,CAAS,EACjCG,GAAYH,EAAWC,CAAc,CAC9C,CAQAG,GAA0B,EC5rC1B,IAAMC,EAAN,KAAgB,CACd,YAAYC,EAAW,CACrB,OAAOA,CACT,CACF,EACMC,GAA0B,YAC1BC,GAAN,KAAyB,CACvB,aAAc,CACZ,OAAOC,GAAmBF,EAAuB,CACnD,CACF,EAEA,IAAMG,GAA4C,IAAIC,GAAe,kCAAkC,EACvG,SAASC,GAAgCC,EAAUC,EAAYC,EAAY,CACzE,GAAIC,GAAiBD,CAAU,EAC7B,OAAO,KAET,IAAME,EAAmBC,GAAsBC,GAAyBN,EAAUC,CAAU,EAC5F,OAAOG,GAAoB,IAAIG,EAAUH,CAAgB,CAC3D,CACA,SAASI,GAAyBC,EAAI,CACpC,MAAO,CAACC,EAAMC,EAAUT,IAAe,CACrC,GAAIC,GAAiBD,CAAU,EAC7B,OAAO,KAET,IAAMU,EAAYF,EAAK,kBAAkB,IAAMD,EAAGE,CAAQ,CAAC,EAC3D,OAAO,IAAIJ,EAAUK,CAAS,CAChC,CACF,CACA,IAAMC,GAA+B,CACnC,QAASC,GACT,KAAM,CAAC,CAAc,IAAIC,EAAYlB,EAA4B,CAAC,CACpE,EACMmB,GAAsC,CAC1C,QAAST,EACT,WAAYR,GACZ,KAAM,CAAC,CAAc,IAAIgB,EAAYlB,EAA4B,EAAGoB,EAAaC,CAAW,CAC9F,EAqBA,SAASC,GAAiBC,KAAOC,EAAM,CACrC,OAAAC,EAAgB,cAAeC,GAAQ,KAAM,KAAK,EAC3CC,GAAyB,CAACC,GAAqCC,GAA8B,CAClG,QAASC,GACT,WAAYC,GAAyBR,CAAE,EACvC,MAAO,GACP,KAAM,CAACS,EAAQC,EAAUC,EAAaC,GAAwBC,GAAc,GAAGZ,CAAI,CACrF,CAAC,CAAC,CACJ,CAIA,IAAMa,GAA4BC,EAAUC,GAAgB,EAAI,EAC1DC,GAAwBF,EAAUE,GAAY,EAAI,EAClDC,GAA2BH,EAAUI,GAAe,EAAK,EACzDC,GAAyBL,EAAUK,GAAa,EAAK,ECtE3D,IAAaC,IAAU,IAAA,CAAjB,MAAOA,CAAU,CAOrBC,YAAoBC,EAAc,CAAd,KAAAA,IAAAA,EANZ,KAAAC,MAAQC,EAAOC,EAAY,EAEnC,KAAAC,SAAW,IAAIC,EAA2BC,GACxCC,GAAU,KAAKP,IAAKA,GAAOM,EAAIE,KAAKR,CAAG,CAAC,CAAC,EAIzC,KAAKI,SAASK,UAAU,CACtBD,KAAMR,GAAM,CACNA,EAAIU,MAAO,OAAY,gBACzB,KAAKT,MAAMU,SACTX,EAAIU,MAAO,OAAY,mBACvBV,EAAIU,MAAO,MAAW,EAAE,CAG9B,EACAE,MAAOC,GAAOC,QAAQF,MAAM,2BAA4BC,CAAG,EAC5D,CACH,CAEAE,UAAQ,CACN,OAAO,IAAIC,QAAgB,CAACC,EAASC,IAAU,CAC7CC,aAAaC,kBAAiB,EAAGC,KAC9BC,GAAmD,CAC9CA,IAA4B,WAC9BR,QAAQS,IAAI,SAAS,EAEnBD,IAA4B,UAC9BR,QAAQS,IAAI,QAAQ,CAExB,CAAC,EAGHT,QAAQS,IAAI,aAAa,EACzBC,UAAUC,cACPV,SAAS,2CAA4C,CACpDW,KAAM,SACP,EACAL,KAAKM,GAA4B,CAChCC,GAAS,KAAK5B,IAAK,CACjB6B,SAAU,0FACVF,0BAA2BA,EAC5B,EACEN,KAAKS,GAAQ,CACZb,EAAQa,CAAK,CACf,CAAC,EACAC,MAAMlB,GAAM,CACXK,EAAOL,CAAG,CACZ,CAAC,CACL,CAAC,EACAkB,MAAMlB,GAAM,CACXK,EAAOL,CAAG,CACZ,CAAC,CACL,CAAC,CACH,iDAvDWf,GAAUkC,GAAAC,CAAA,CAAA,CAAA,CAAA,iCAAVnC,EAAUoC,QAAVpC,EAAUqC,UAAAC,WAFT,MAAM,CAAA,CAAA,SAEPtC,CAAU,GAAA,ECXvB,IAAauC,IAAkC,IAAA,CAAzC,MAAOA,CAAkC,QAC7B,KAAAC,KAAO,iDAAkD,CACzEC,YAAmBC,EAAe,CAAf,KAAAA,QAAAA,CAAkB,SAF1BH,CAAkC,GAAA,EAKlCI,IAAgC,IAAA,CAAvC,MAAOA,CAAgC,QAC3B,KAAAH,KAAO,+CAAgD,CACvEC,YAAmBG,EAAiB,CAAjB,KAAAA,UAAAA,CAAoB,SAF5BD,CAAgC,GAAA,EAKhCE,IAAgC,IAAA,CAAvC,MAAOA,CAAgC,QAC3B,KAAAL,KAAO,+CAAgD,CACvEC,YACSK,EACAC,EAAc,CADd,KAAAD,SAAAA,EACA,KAAAC,OAAAA,CACN,SALQF,CAAgC,GAAA,EAQhCG,IAAwB,IAAA,CAA/B,MAAOA,CAAwB,QACnB,KAAAR,KAAO,iDAAkD,CACzEC,YAAmBQ,EAAa,CAAb,KAAAA,MAAAA,CAAgB,SAFxBD,CAAwB,GAAA,EAKxBE,IAA2B,IAAA,CAAlC,MAAOA,CAA2B,QACtB,KAAAV,KAAO,yCAA0C,CACjEC,YAAmBU,EAAyB,CAAzB,KAAAA,kBAAAA,CAA4B,SAFpCD,CAA2B,GAAA,EAK3BE,IAAuC,IAAA,CAA9C,MAAOA,CAAuC,QAClC,KAAAZ,KAAO,sDAAuD,SADnEY,CAAuC,GAAA,EAIvCC,IAAiC,IAAA,CAAxC,MAAOA,CAAiC,QAC5B,KAAAb,KAAO,gDAAiD,CACxEC,YAAmBU,EAAyB,CAAzB,KAAAA,kBAAAA,CAA4B,SAFpCE,CAAiC,GAAA,EAKjCC,IAA2C,IAAA,CAAlD,MAAOA,CAA2C,QACtC,KAAAd,KACd,2DAA4D,SAFnDc,CAA2C,GAAA,EAK3CC,IAAiD,IAAA,CAAxD,MAAOA,CAAiD,QAC5C,KAAAf,KACd,kEAAmE,SAF1De,CAAiD,GAAA,EAKjDC,IAA6B,IAAA,CAApC,MAAOA,CAA6B,QACxB,KAAAhB,KAAO,2CAA4C,CACnEC,YACSgB,EACAC,EAA2B,CAD3B,KAAAD,WAAAA,EACA,KAAAC,KAAAA,CACN,SALQF,CAA6B,GAAA,EAQ7BG,IAAsC,IAAA,CAA7C,MAAOA,CAAsC,QACjC,KAAAnB,KAAO,sDAAuD,CAC9EC,YACSgB,EACAC,EAA2B,CAD3B,KAAAD,WAAAA,EACA,KAAAC,KAAAA,CACN,SALQC,CAAsC,GAAA,EAQtCC,IAAsB,IAAA,CAA7B,MAAOA,CAAsB,QACjB,KAAApB,KAAO,wCAAyC,SADrDoB,CAAsB,GAAA,EAItBC,IAAoB,IAAA,CAA3B,MAAOA,CAAoB,QACf,KAAArB,KAAO,sCAAuC,SADnDqB,CAAoB,GAAA,EAIpBC,IAAsC,IAAA,CAA7C,MAAOA,CAAsC,QACjC,KAAAtB,KAAO,sDAAuD,CAC9EC,YAAmBsB,EAAkB,CAAlB,KAAAA,WAAAA,CAAqB,SAF7BD,CAAsC,GAAA,EAKtCE,IAAoC,IAAA,CAA3C,MAAOA,CAAoC,QAC/B,KAAAxB,KAAO,oDAAqD,SADjEwB,CAAoC,GAAA,ECjEjD,IAAMC,GAAmCC;;;;;;;;;;;;EAcnCC,GAAmCD;;;;;;;;;;EAYnCE,GAA+BF;;;;;;;;;;;;;;;;;;;EAqB/BG,GAAuCH;;;;;;;;;;;;;EAevCI,GAAyCJ;;;;;;;;;;;;;;;;;;;;;;;;;EA2BzCK,GAAgDL;;;;;;;;;;;;;;;;;;;;;;;;;;;;EA8BhDM,GAA+BN;;;;;;;;;;;;;;EAgB/BO,GAAsCP;;;;;;;;;;;;;;;;;;;;;;;;;EA2BtCQ,GAAgDR;;;;;;;;;;;;EAoCzCS,IAAoB,IAAA,CAA3B,MAAOA,CAAoB,CADjCC,aAAA,CAEU,KAAAC,OAASC,EAAOC,EAAM,EAE9BC,sBACEC,EACAC,EAAoB,CAEpB,OAAO,KAAKL,OACTM,OAAkD,CACjDC,SAAUnB,GACVoB,UAAW,CACTJ,eAAgBA,EAChBC,KAAMA,GAET,EACAI,KACCC,EAAIC,GAAO,CACT,GAAIA,EAAKC,OACP,MAAM,IAAIC,MAAMF,EAAKC,OAAO,CAAC,EAAEE,OAAO,EAExC,OAAOH,EAAKA,KAAMR,sBAAsBY,EAC1C,CAAC,CAAC,CAER,CAEAC,sBACEZ,EACAa,EAAyB,CAEzB,OAAO,KAAKjB,OACTM,OAA2C,CAC1CC,SAAUjB,GACVkB,UAAW,CACTJ,eAAgBA,EAChBa,kBAAmBA,GAEtB,EACAR,KACCC,EAAIC,GAAO,CACT,GAAIA,EAAKC,OACP,MAAM,IAAIC,MAAMF,EAAKC,OAAO,CAAC,EAAEE,OAAO,EAExC,OAAOH,EAAKA,KAAMK,qBACpB,CAAC,CAAC,CAER,CAEAE,qBACEd,EAAsB,CAEtB,OAAO,KAAKJ,OACTmB,MAA4D,CAC3DA,MAAO5B,GACPiB,UAAW,CACTJ,eAAgBA,GAEnB,EACAK,KACCC,EAAIC,GAAO,CACT,GAAIA,EAAKC,OACP,MAAM,IAAIC,MAAMF,EAAKC,OAAO,CAAC,EAAEE,OAAO,EAExC,OAAOH,EAAKA,KAAMS,gBACpB,CAAC,CAAC,CAER,CAEAC,wBACEjB,EACAa,EACAZ,EAA2B,CAE3B,OAAO,KAAKL,OACTmB,MAAyD,CACxDA,MAAO1B,GACPe,UAAW,CACTJ,eAAgBA,EAChBa,kBAAmBA,EACnBZ,KAAMA,GAET,EACAI,KACCC,EAAIC,GAAO,CACT,GAAIA,EAAKC,OACP,MAAM,IAAIC,MAAMF,EAAKC,OAAO,CAAC,EAAEE,OAAO,EAExC,OAAOH,EAAKA,KAAMW,0BACpB,CAAC,CAAC,CAER,CAEAC,iCACEnB,EACAa,EACAO,EACAnB,EAA2B,CAE3B,OAAO,KAAKL,OACTmB,MAA+D,CAC9DA,MAAOzB,GACPc,UAAW,CACTJ,eAAgBA,EAChBa,kBAAmBA,EACnBO,SAAUA,EACVnB,KAAMA,GAET,EACAI,KACCC,EAAIC,GAAO,CACT,GAAIA,EAAKC,OACP,MAAM,IAAIC,MAAMF,EAAKC,OAAO,CAAC,EAAEE,OAAO,EAExC,OAAOH,EAAKA,KAAMY,gCACpB,CAAC,CAAC,CAER,CAEAE,0BACErB,EAAsB,CAEtB,OAAO,KAAKJ,OACTmB,MAAsD,CACrDA,MAAOxB,GACPa,UAAW,CACTJ,eAAgBA,GAEnB,EACAK,KACCC,EAAIC,GAAO,CACT,GAAIA,EAAKC,OACP,MAAM,IAAIC,MAAMF,EAAKC,OAAO,CAAC,EAAEE,OAAO,EAExC,OAAOH,EAAKA,KAAMe,qBACpB,CAAC,CAAC,CAER,CAEAC,gCACEvB,EACAoB,EAAgB,CAEhB,OAAO,KAAKxB,OACTmB,MAA4D,CAC3DA,MAAOvB,GACPY,UAAW,CACTJ,eAAgBA,EAChBoB,SAAUA,GAEb,EACAf,KACCC,EAAIC,GAAO,CACT,GAAIA,EAAKC,OACP,MAAM,IAAIC,MAAMF,EAAKC,OAAO,CAAC,EAAEE,OAAO,EAExC,OAAOH,EAAKA,KAAMiB,4BAA4BlB,IAAImB,GACzC,KAAKC,wBAAwBD,CAAQ,CAC7C,CACH,CAAC,CAAC,CAER,CAEAE,4BACE3B,EACAa,EAAyB,CAEzB,OAAO,KAAKjB,OACTmB,MAA8D,CAC7DA,MAAO3B,GACPgB,UAAW,CACTJ,eAAgBA,EAChBa,kBAAmBA,GAEtB,EACAR,KACCC,EAAIC,GAAO,CACT,GAAIA,EAAKC,OACP,MAAM,IAAIC,MAAMF,EAAKC,OAAO,CAAC,EAAEE,OAAO,EAExC,OAAOH,EAAKA,KAAMqB,uBACpB,CAAC,CAAC,CAER,CAEAC,iCACE7B,EACAoB,EACAU,EAA2B,CAE3B,OAAO,KAAKlC,OACTmB,MAAqD,CACpDA,MAAOtB,GACPW,UAAW,CACTJ,eAAgBA,EAChBoB,SAAUA,EACVU,oBAAqBA,GAExB,EACAzB,KACCC,EAAIC,GAAO,CACT,GAAIA,EAAKC,OACP,MAAM,IAAIC,MAAMF,EAAKC,OAAO,CAAC,EAAEE,OAAO,EAExC,OAAOH,EAAKA,KAAMsB,gCACpB,CAAC,CAAC,CAER,CAEAH,wBAAwBD,EAA2B,CACjDA,OAAAA,EAASM,MAAQ,KAAKC,iBAAiBP,EAASQ,YAAY,EACrDR,CACT,CAEAO,iBAAiBE,EAA+B,CAC9C,OAAQA,EAAI,CACV,KAAKC,GAA0BC,YAC7B,MAAO,4BACT,KAAKD,GAA0BE,UAC7B,MAAO,0BACT,KAAKF,GAA0BG,KAC7B,MAAO,yBACX,CAEF,iDA9NW5C,EAAoB,CAAA,iCAApBA,EAAoB6C,QAApB7C,EAAoB8C,SAAA,CAAA,CAAA,SAApB9C,CAAoB,GAAA,SC7IpB+C,EAAN,MAAMA,EAAkB,CAAxBC,aAAA,CACL,KAAAC,MAAQC,EAAOC,EAAK,EACpB,KAAAC,qBAAuBF,EAAOG,EAAoB,EAClD,KAAAC,MAAQJ,EAAOK,EAAY,EAC3B,KAAAC,OAASN,EAAOO,EAAM,EACd,KAAAC,SAAWR,EAAOS,CAAQ,iBAG3B,OAAAC,iBAAiBC,EAA8B,CACpD,OAAOA,EAAMD,gBACf,CAGO,OAAAE,sBAAsBD,EAA8B,CACzD,OAAOA,EAAMC,qBACf,CAGO,OAAAC,4BAA4BF,EAA8B,CAC/D,OAAOA,EAAME,2BACf,CAGO,OAAAC,wBAAwBH,EAA8B,CAC3D,OAAOA,EAAMG,uBACf,CAGO,OAAAC,8BAA8BJ,EAA8B,CACjE,IAAMK,EAAYL,EAAMC,sBAAsBK,SAE9C,OAAOC,EAAAC,EAAA,GACFR,EAAMG,yBADJ,CAELG,SAAUG,OAAOC,YACfD,OAAOE,QAAQX,EAAMG,wBAAwBG,QAAQ,EAAEM,OACrD,CAAC,CAAA,CAAGC,CAAa,IAUR,CATkBJ,OAAOK,OAAOT,CAAS,EAAEU,KAAKC,GACjDC,GAA2BD,EAASE,IAAK,EAC5BF,EAASE,KAAMC,OAChBC,KAAOP,EAAcK,MAAME,GAElC,EAEV,CAGF,CACF,GAGP,CAEA,OAAOC,0CAA0CC,EAAyB,CACxE,OAAOC,EAAe,CAAC,IAAI,EAAIvB,GACtBO,EAAAC,EAAA,GACFR,EAAME,6BADJ,CAELI,SAAUG,OAAOC,YACfD,OAAOE,QAAQX,EAAMC,uBAAuBK,QAAQ,EAAEM,OACpD,CAAC,CAAA,CAAGY,CAAC,IACIA,EAAEN,MAAMI,oBAAsBA,CACtC,CACF,GAGN,CACH,CAEA,OAAOG,gCACLC,EAAuC,CAEvC,OAAOH,EAAe,CAAC,IAAI,EAAIvB,GACtBS,OAAOK,OAAOd,EAAMD,kBAAkBO,QAAQ,EAAES,KAAKY,GACnDA,EAAET,MAAMU,OAASF,CACzB,CACF,CACH,CAEA,OAAOG,kCACLH,EAAuC,CAEvC,OAAOH,EAAe,CAAC,IAAI,EAAIvB,GACZS,OAAOK,OAAOd,EAAMD,kBAAkBO,QAAQ,EAAES,KAC/DY,GACSA,EAAET,MAAMU,OAASF,CACzB,IAEiBI,MACrB,CACH,CAEA,OAAOC,8BAA8BC,EAAkB,CACrD,OAAOT,EACL,CAACU,EAAkB,EAClBjC,GACQA,EAAME,4BAA4BI,SACrCN,EAAME,4BAA4BI,SAAS0B,CAAU,EACrD,EACL,CAEL,CAGAE,kCACEC,EAA0C,CAE1C,IAAMC,EAAiB,KAAKhD,MAAMiD,eAChCC,EAAUC,wBAAwB,EAGpC,GAAI,CAACH,EAAgB,MAAM,IAAII,MAAM,wBAAwB,EAE7D,OAAOC,GACLN,EACA,mBACA,KAAK5C,qBAAqBmD,qBAAqBN,CAAc,EAAEO,KAC7DC,EAAIC,GACKC,GAAuBD,EAAU,IAAI,CAC7C,CAAC,CACH,CAEL,CAGAE,2BACEZ,EACA,CAAEa,UAAAA,CAAS,EAAoC,CAE/C,IAAMZ,EAAiB,KAAKhD,MAAMiD,eAChCC,EAAUC,wBAAwB,EAGpC,GAAI,CAACH,EAAgB,MAAM,IAAII,MAAM,wBAAwB,EAE7D,OAAO,KAAKjD,qBACT0D,sBAAsBb,EAAgB,CACrCR,KAAM,YACNsB,eAAgB,CACdC,KAAMH,GAET,EACAL,KACCS,GAAI,IAAK,CACP,KAAK3D,MAAM4D,SAAS,UAAW,uBAAuB,CACxD,CAAC,EACDC,EAAWC,IACT,KAAK9D,MAAM+D,UAAUD,CAAG,EACjBE,GAAE,EACV,CAAC,CAER,CAGAC,2BACEvB,EACA,CAAEwB,SAAAA,EAAUC,OAAAA,CAAM,EAAoC,CAEtD,IAAMxB,EAAiB,KAAKhD,MAAMiD,eAChCC,EAAUC,wBAAwB,EAGpC,GAAI,CAACH,EAAgB,MAAM,IAAII,MAAM,wBAAwB,EAE7D,OAAO,KAAKjD,qBACT0D,sBAAsBb,EAAgB,CACrCR,KAAM,QACNiC,YAAa,CACXF,SAAUA,EACVC,OAAQA,GAEX,EACAjB,KACCS,GAAI,IAAK,CACP,KAAK3D,MAAM4D,SAAS,UAAW,uBAAuB,CACxD,CAAC,EACDC,EAAWC,IACT,KAAK9D,MAAM+D,UAAUD,CAAG,EACjBE,GAAE,EACV,CAAC,CAER,CAGAK,6BACE3B,EACA,CAAE4B,QAAAA,CAAO,EAAsC,CAE/C,IAAM3B,EAAiB,KAAKhD,MAAMiD,eAChCC,EAAUC,wBAAwB,EAGpC,GAAI,CAACH,EAAgB,MAAM,IAAII,MAAM,wBAAwB,EAE7D,OAAO,KAAKjD,qBACT0D,sBAAsBb,EAAgB,CACrCR,KAAM,cACNoC,iBAAkB,CAChBD,QAASA,GAEZ,EACApB,KACCS,GAAI,IAAK,CACP,KAAK3D,MAAM4D,SAAS,UAAW,yBAAyB,CAC1D,CAAC,EACDC,EAAWC,IACT,KAAK9D,MAAM+D,UAAUD,CAAG,EACjBE,GAAE,EACV,CAAC,CAER,CAGAQ,0BAA0B9B,EAA0C,CAClE,IAAMC,EAAiB,KAAKhD,MAAMiD,eAChCC,EAAUC,wBAAwB,EAGpC,GAAI,CAACH,EAAgB,MAAM,IAAII,MAAM,wBAAwB,EAE7D,OAAOC,GACLN,EACA,wBACA,KAAK5C,qBACF0E,0BAA0B7B,CAAc,EACxCO,KAAKC,EAAIvC,GAAayC,GAAuBzC,EAAW,IAAI,CAAC,CAAC,CAAC,CAEtE,CAGA6D,gCAAgC/B,EAA0C,CACxE,IAAMgC,EAAa,KAAK/E,MAAMiD,eAAeC,EAAU6B,UAAU,EAEjE,GAAI,CAACA,EAAY,MAAM,IAAI3B,MAAM,mBAAmB,EAEpD,OAAOC,GACLN,EACA,8BACA,KAAK5C,qBACF2E,gCACCC,EAAWC,eACXD,EAAW/C,EAAE,EAEduB,KAAKC,EAAIvC,GAAayC,GAAuBzC,EAAW,IAAI,CAAC,CAAC,CAAC,CAEtE,CAGAgE,4BACElC,EACA,CAAEb,kBAAAA,CAAiB,EAAqC,CAExD,IAAMc,EAAiB,KAAKhD,MAAMiD,eAChCC,EAAUC,wBAAwB,EAGpC,GAAI,CAACH,EAAgB,MAAM,IAAII,MAAM,wBAAwB,EAE7D,OAAOC,GACLN,EACA,0BACA,KAAK5C,qBACF8E,4BAA4BjC,EAAgBd,CAAiB,EAC7DqB,KAAKC,EAAI0B,GAAYxB,GAAuBwB,EAAU,IAAI,CAAC,CAAC,EAC/D,CACEC,MAAO,GACR,CAEL,CAGAC,sBACErC,EACA,CAAEb,kBAAAA,CAAiB,EAA+B,CAElD,IAAMc,EAAiB,KAAKhD,MAAMiD,eAChCC,EAAUC,wBAAwB,EAGpC,GAAI,CAACH,EAAgB,MAAM,IAAII,MAAM,wBAAwB,EAE7D,OAAOiC,GACLtC,EACA,mBACAb,EAECoD,GACQA,EAAQtD,KAAOE,EAExB,KAAK/B,qBAAqBiF,sBACxBpC,EACAd,CAAiB,CAClB,CAEL,CAGAqD,wBACExC,EACA,CAAEyC,WAAAA,EAAYC,KAAAA,CAAI,EAAiC,CAEnD,IAAMzC,EAAiB,KAAKhD,MAAMiD,eAChCC,EAAUC,wBAAwB,EAGpC,GAAI,CAACH,EAAgB,MAAM,IAAII,MAAM,wBAAwB,EAE7D,OAAOsC,GACL3C,EACA,wBACA,KACA,KAAK5C,qBAAqBoF,wBACxBvC,EACAwC,EACAC,CAAI,CACL,EACDlC,KACAW,EAAWC,GAAM,CACf,WAAK9D,MAAM+D,UAAUD,CAAG,EAClBA,CACR,CAAC,CAAC,CAEN,CAGAwB,iCACE5C,EACA,CAAEyC,WAAAA,EAAYC,KAAAA,CAAI,EAA0C,CAE5D,IAAMV,EAAa,KAAK/E,MAAMiD,eAAeC,EAAU6B,UAAU,EAEjE,GAAI,CAACA,EAAY,MAAM,IAAI3B,MAAM,mBAAmB,EAEpD,OAAOsC,GACL3C,EACA,8BACA,KACA,KAAK5C,qBAAqBwF,iCACxBZ,EAAWC,eACXQ,EACAT,EAAW/C,GACXyD,CAAI,CACL,EACDlC,KACAW,EAAWC,GAAM,CACf,WAAK9D,MAAM+D,UAAUD,CAAG,EAClBA,CACR,CAAC,CAAC,CAEN,CAGAyB,iCACE7C,EACA,CAAEH,WAAAA,CAAU,EAA0C,CAEtD,IAAMmC,EAAa,KAAK/E,MAAMiD,eAAeC,EAAU6B,UAAU,EAEjE,GAAI,CAACA,EAAY,MAAM,IAAI3B,MAAM,mBAAmB,EAEpD,OAAOiC,GACLtC,EACA,8BACAH,EACChB,GACQA,EAASI,KAAOY,EAEzB,KAAKzC,qBAAqByF,iCACxBb,EAAWC,eACXD,EAAW/C,GACXY,CAAU,CACX,EACDW,KACAW,EAAWC,GAAM,CACf,WAAK9D,MAAM+D,UAAUD,CAAG,EAClBA,CACR,CAAC,CAAC,CAEN,CAGA0B,kBAAgB,CACd,IAAMC,EAAWC,EAAYC,sBAAsBC,gBAG7CC,EAAc,eAEdC,EAAcC,mBAClBL,EAAYM,YACV,oDAAoD,EAGlDC,EAAgBF,mBAAmB,CAAC,WAAY,KAAK,EAAEG,KAAK,GAAG,CAAC,EAEtEC,OAAOC,SAASC,QACd,sDAAsDZ,CAAQ,gBAAgBI,CAAW,iBAAiBC,CAAW,6BAA6BG,CAAa,EAAE,CAErK,CAGAK,gBAAc,CACZ,IAAMb,EAAWC,EAAYC,sBAAsBY,cAE7CC,EAAcT,mBAClB,CAAC,gBAAiB,kBAAmB,gBAAiB,YAAY,EAAEG,KAClE,GAAG,CACJ,EAGGJ,EAAcC,mBAClBL,EAAYM,YACV,kDAAkD,EAGtDG,OAAOC,SAASC,QACd,8CAA8CG,CAAW,cAAcf,CAAQ,6BAA6BK,CAAW,EAAE,CAE7H,CAGAW,mBACE/D,EACA,CAAEgE,MAAAA,CAAK,EAA4B,CAEnC,KAAK1G,MAAM+D,UAAU,IAAIhB,MAAM2D,CAAK,CAAC,EACrC,KAAKxG,OAAOyG,SAAS,CAAC,mCAAmC,CAAC,CAC5D,CAGMC,+BACJlE,EAA0C,QAAAmE,EAAA,sBAI1C,GAFkB,MAAMC,GAAW,EAEpB,CACb,IAAMC,EAAa,KAAK3G,SAAS4G,IAAIC,EAAU,EAC/C,GAAI,CACF,IAAMC,EAAQ,MAAMH,EAAWI,SAAQ,EAEvC,OAAOzE,EACJ0E,SACC,IAAIC,GAAuC,eAAgB,CACzDC,IAAK,CACHJ,MAAOA,EACPK,WAAY,YAEf,CAAC,EAEHC,UAAU,CACTC,KAAMA,IAAK,CACT,KAAKzH,MAAM4D,SACT,8BACA,yCAAyC,CAE7C,EACD,CACL,OAAS8C,EAAO,CACd,KAAK1G,MAAM+D,UACT,IAAIhB,MAAM,wCAA0C2D,CAAK,CAAC,CAE9D,CACF,CAGF,mDA9cWjH,GAAkB,CAAA,iCAAlBA,GAAkBiI,QAAlBjI,GAAkBkI,SAAA,CAAA,CAAA,GAsG7BC,EAAA,CADCC,EAAOC,EAAuC,CAAC,EAAArI,EAAA,UAAA,oCAAA,IAAA,EAsBhDmI,EAAA,CADCC,EAAOE,EAAgC,CAAC,EAAAtI,EAAA,UAAA,6BAAA,IAAA,EA8BzCmI,EAAA,CADCC,EAAOG,EAAgC,CAAC,EAAAvI,EAAA,UAAA,6BAAA,IAAA,EA+BzCmI,EAAA,CADCC,EAAOI,EAAkC,CAAC,EAAAxI,EAAA,UAAA,+BAAA,IAAA,EA8B3CmI,EAAA,CADCC,EAAOK,EAA2C,CAAC,EAAAzI,EAAA,UAAA,4BAAA,IAAA,EAkBpDmI,EAAA,CADCC,EAAOM,EAAiD,CAAC,EAAA1I,EAAA,UAAA,kCAAA,IAAA,EAmB1DmI,EAAA,CADCC,EAAOO,EAAiC,CAAC,EAAA3I,EAAA,UAAA,8BAAA,IAAA,EAwB1CmI,EAAA,CADCC,EAAOQ,EAA2B,CAAC,EAAA5I,EAAA,UAAA,wBAAA,IAAA,EA2BpCmI,EAAA,CADCC,EAAOS,EAA6B,CAAC,EAAA7I,EAAA,UAAA,0BAAA,IAAA,EA6BtCmI,EAAA,CADCC,EAAOR,EAAsC,CAAC,EAAA5H,EAAA,UAAA,mCAAA,IAAA,EA4B/CmI,EAAA,CADCC,EAAOU,EAAsC,CAAC,EAAA9I,EAAA,UAAA,mCAAA,IAAA,EA8B/CmI,EAAA,CADCC,EAAOW,EAAsB,CAAC,EAAA/I,EAAA,UAAA,mBAAA,IAAA,EAoB/BmI,EAAA,CADCC,EAAOY,EAAoB,CAAC,EAAAhJ,EAAA,UAAA,iBAAA,IAAA,EAqB7BmI,EAAA,CADCC,EAAOa,EAAwB,CAAC,EAAAjJ,EAAA,UAAA,qBAAA,IAAA,EAU3BmI,EAAA,CADLC,EAAOc,EAAoC,CAAC,EAAAlJ,EAAA,UAAA,iCAAA,IAAA,EAlatCmI,EAAA,CADNgB,EAAQ,CAAE,EAAAnJ,EAAA,mBAAA,IAAA,EAMJmI,EAAA,CADNgB,EAAQ,CAAE,EAAAnJ,EAAA,wBAAA,IAAA,EAMJmI,EAAA,CADNgB,EAAQ,CAAE,EAAAnJ,EAAA,8BAAA,IAAA,EAMJmI,EAAA,CADNgB,EAAQ,CAAE,EAAAnJ,EAAA,0BAAA,IAAA,EAMJmI,EAAA,CADNgB,EAAQ,CAAE,EAAAnJ,EAAA,gCAAA,IAAA,EA3BAA,EAAkB+C,GAAAoF,EAAA,CAX9BiB,GAA+B,CAC9BC,KAAM,gBACNC,SAAU,CAAA,EACVC,SAAU,CACR1I,iBAAkB2I,GAAe,EACjCzI,sBAAuByI,GAAe,EACtCxI,4BAA6BwI,GAAe,EAC5CvI,wBAAyBuI,GAAe,GAE3C,CAAC,EAEWxJ,CAAkB","debug_id":"e020b13d-854d-5c1b-ac23-8cdfd1230eb4"}