{"version":3,"file":"Utility.js","sources":["../../Framework/Utility/http.ts","../../Framework/Utility/address.ts","../../Framework/Utility/arrayUtils.ts","../../Framework/Utility/linq.ts","../../Framework/Utility/guid.ts","../../Framework/Utility/stringUtils.ts","../../Framework/Utility/localeDateFormatter.ts","../../Framework/Utility/aspDateFormat.ts","../../Framework/Utility/rockDateTime.ts","../../Framework/Utility/cancellation.ts","../../Framework/Utility/util.ts","../../Framework/Utility/browserBus.ts","../../Framework/Utility/block.ts","../../Framework/Utility/booleanUtils.ts","../../Framework/Utility/cache.ts","../../Framework/Utility/suspense.ts","../../Framework/Utility/numberUtils.ts","../../Framework/Utility/component.ts","../../Framework/Utility/dateKey.ts","../../Framework/Utility/page.ts","../../Framework/Utility/dialogs.ts","../../Framework/Utility/email.ts","../../Framework/Utility/enumUtils.ts","../../Framework/Utility/fieldTypes.ts","../../Framework/Utility/file.ts","../../Framework/Utility/form.ts","../../Framework/Utility/fullscreen.ts","../../Framework/Utility/geo.ts","../../Framework/Utility/internetCalendar.ts","../../Framework/Utility/lava.ts","../../Framework/Utility/listItemBag.ts","../../Framework/Utility/mergeField.ts","../../Framework/Utility/objectUtils.ts","../../Framework/Utility/phone.ts","../../Framework/Utility/popover.ts","../../Framework/Utility/promiseUtils.ts","../../Framework/Utility/realTime.ts","../../Framework/Utility/regexPatterns.ts","../../Framework/Utility/rockCurrency.ts","../../Framework/Utility/slidingDateRange.ts","../../Framework/Utility/structuredContentEditor.ts","../../Framework/Utility/tooltip.ts","../../Framework/Utility/treeItemProviders.ts","../../Framework/Utility/url.ts","../../Framework/Utility/validationRules.ts"],"sourcesContent":["// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { Guid } from \"@Obsidian/Types\";\r\nimport axios, { AxiosResponse } from \"axios\";\r\nimport { ListItemBag } from \"@Obsidian/ViewModels/Utility/listItemBag\";\r\nimport { HttpBodyData, HttpMethod, HttpFunctions, HttpResult, HttpUrlParams } from \"@Obsidian/Types/Utility/http\";\r\nimport { inject, provide, getCurrentInstance } from \"vue\";\r\n\r\n\r\n// #region HTTP Requests\r\n\r\n/**\r\n * Make an API call. This is only place Axios (or AJAX library) should be referenced to allow tools like performance metrics to provide\r\n * better insights.\r\n * @param method\r\n * @param url\r\n * @param params\r\n * @param data\r\n */\r\nasync function doApiCallRaw(method: HttpMethod, url: string, params: HttpUrlParams, data: HttpBodyData): Promise> {\r\n return await axios({\r\n method,\r\n url,\r\n params,\r\n data\r\n });\r\n}\r\n\r\n/**\r\n * Make an API call. This is a special use function that should not\r\n * normally be used. Instead call useHttp() to get the HTTP functions that\r\n * can be used.\r\n *\r\n * @param {string} method The HTTP method, such as GET\r\n * @param {string} url The endpoint to access, such as /api/campuses/\r\n * @param {object} params Query parameter object. Will be converted to ?key1=value1&key2=value2 as part of the URL.\r\n * @param {any} data This will be the body of the request\r\n */\r\nexport async function doApiCall(method: HttpMethod, url: string, params: HttpUrlParams = undefined, data: HttpBodyData = undefined): Promise> {\r\n try {\r\n const result = await doApiCallRaw(method, url, params, data);\r\n\r\n return {\r\n data: result.data as T,\r\n isError: false,\r\n isSuccess: true,\r\n statusCode: result.status,\r\n errorMessage: null\r\n } as HttpResult;\r\n }\r\n catch (e) {\r\n if (axios.isAxiosError(e)) {\r\n if (e.response?.data?.Message || e?.response?.data?.message) {\r\n return {\r\n data: null,\r\n isError: true,\r\n isSuccess: false,\r\n statusCode: e.response.status,\r\n errorMessage: e?.response?.data?.Message ?? e.response.data.message\r\n } as HttpResult;\r\n }\r\n\r\n return {\r\n data: null,\r\n isError: true,\r\n isSuccess: false,\r\n statusCode: e.response?.status ?? 0,\r\n errorMessage: null\r\n } as HttpResult;\r\n }\r\n else {\r\n return {\r\n data: null,\r\n isError: true,\r\n isSuccess: false,\r\n statusCode: 0,\r\n errorMessage: null\r\n } as HttpResult;\r\n }\r\n }\r\n}\r\n\r\n/**\r\n * Make a GET HTTP request. This is a special use function that should not\r\n * normally be used. Instead call useHttp() to get the HTTP functions that\r\n * can be used.\r\n *\r\n * @param {string} url The endpoint to access, such as /api/campuses/\r\n * @param {object} params Query parameter object. Will be converted to ?key1=value1&key2=value2 as part of the URL.\r\n */\r\nexport async function get(url: string, params: HttpUrlParams = undefined): Promise> {\r\n return await doApiCall(\"GET\", url, params, undefined);\r\n}\r\n\r\n/**\r\n * Make a POST HTTP request. This is a special use function that should not\r\n * normally be used. Instead call useHttp() to get the HTTP functions that\r\n * can be used.\r\n *\r\n * @param {string} url The endpoint to access, such as /api/campuses/\r\n * @param {object} params Query parameter object. Will be converted to ?key1=value1&key2=value2 as part of the URL.\r\n * @param {any} data This will be the body of the request\r\n */\r\nexport async function post(url: string, params: HttpUrlParams = undefined, data: HttpBodyData = undefined): Promise> {\r\n return await doApiCall(\"POST\", url, params, data);\r\n}\r\n\r\nconst httpFunctionsSymbol = Symbol(\"http-functions\");\r\n\r\n/**\r\n * Provides the HTTP functions that child components will use. This is an\r\n * internal API and should not be used by third party components.\r\n *\r\n * @param functions The functions that will be made available to child components.\r\n */\r\nexport function provideHttp(functions: HttpFunctions): void {\r\n provide(httpFunctionsSymbol, functions);\r\n}\r\n\r\n/**\r\n * Gets the HTTP functions that can be used by the component. This is the\r\n * standard way to make HTTP requests.\r\n *\r\n * @returns An object that contains the functions which can be called.\r\n */\r\nexport function useHttp(): HttpFunctions {\r\n let http: HttpFunctions | undefined;\r\n\r\n // Check if we are inside a setup instance. This prevents warnings\r\n // from being displayed if being called outside a setup() function.\r\n if (getCurrentInstance()) {\r\n http = inject(httpFunctionsSymbol);\r\n }\r\n\r\n return http || {\r\n doApiCall: doApiCall,\r\n get: get,\r\n post: post\r\n };\r\n}\r\n\r\n// #endregion\r\n\r\n// #region File Upload\r\n\r\ntype FileUploadResponse = {\r\n /* eslint-disable @typescript-eslint/naming-convention */\r\n Guid: Guid;\r\n FileName: string;\r\n /* eslint-enable */\r\n};\r\n\r\n/**\r\n * Progress reporting callback used when uploading a file into Rock.\r\n */\r\nexport type UploadProgressCallback = (progress: number, total: number, percent: number) => void;\r\n\r\n/**\r\n * Options used when uploading a file into Rock to change the default behavior.\r\n */\r\nexport type UploadOptions = {\r\n /**\r\n * The base URL to use when uploading the file, must accept the same parameters\r\n * and as the standard FileUploader.ashx handler.\r\n */\r\n baseUrl?: string;\r\n\r\n /** True if the file should be uploaded as temporary, only applies to binary files. */\r\n isTemporary?: boolean;\r\n\r\n /** A function to call to report the ongoing progress of the upload. */\r\n progress: UploadProgressCallback;\r\n};\r\n\r\n/**\r\n * Uploads a file in the form data into Rock. This is an internal function and\r\n * should not be exported.\r\n *\r\n * @param url The URL to use for the POST request.\r\n * @param data The form data to send in the request body.\r\n * @param progress The optional callback to use to report progress.\r\n *\r\n * @returns The response from the upload handler.\r\n */\r\nasync function uploadFile(url: string, data: FormData, progress: UploadProgressCallback | undefined): Promise {\r\n const result = await axios.post(url, data, {\r\n headers: {\r\n \"Content-Type\": \"multipart/form-data\"\r\n },\r\n onUploadProgress: (event: ProgressEvent) => {\r\n if (progress) {\r\n progress(event.loaded, event.total, Math.floor(event.loaded * 100 / event.total));\r\n }\r\n }\r\n });\r\n\r\n // Check for a \"everything went perfectly fine\" response.\r\n if (result.status === 200 && typeof result.data === \"object\") {\r\n return result.data;\r\n }\r\n\r\n if (result.status === 406) {\r\n throw \"File type is not allowed.\";\r\n }\r\n\r\n if (typeof result.data === \"string\") {\r\n throw result.data;\r\n }\r\n\r\n throw \"Upload failed.\";\r\n}\r\n\r\n/**\r\n * Uploads a file to the Rock file system, usually inside the ~/Content directory.\r\n *\r\n * @param file The file to be uploaded to the server.\r\n * @param encryptedRootFolder The encrypted root folder specified by the server,\r\n * this specifies the jail the upload operation is limited to.\r\n * @param folderPath The additional sub-folder path to use inside the root folder.\r\n * @param options The options to use when uploading the file.\r\n *\r\n * @returns A ListItemBag that contains the scrubbed filename that was uploaded.\r\n */\r\nexport async function uploadContentFile(file: File, encryptedRootFolder: string, folderPath: string, options?: UploadOptions): Promise {\r\n const url = `${options?.baseUrl ?? \"/FileUploader.ashx\"}?rootFolder=${encryptedRootFolder}`;\r\n const formData = new FormData();\r\n\r\n formData.append(\"file\", file);\r\n\r\n if (folderPath) {\r\n formData.append(\"folderPath\", folderPath);\r\n }\r\n\r\n const result = await uploadFile(url, formData, options?.progress);\r\n\r\n return {\r\n value: \"\",\r\n text: result.FileName\r\n };\r\n}\r\n\r\n/**\r\n * Uploads a BinaryFile into Rock. The specific storage location is defined by\r\n * the file type.\r\n *\r\n * @param file The file to be uploaded into Rock.\r\n * @param binaryFileTypeGuid The unique identifier of the BinaryFileType to handle the upload.\r\n * @param options The options ot use when uploading the file.\r\n *\r\n * @returns A ListItemBag whose value contains the new file Guid and text specifies the filename.\r\n */\r\nexport async function uploadBinaryFile(file: File, binaryFileTypeGuid: Guid, options?: UploadOptions): Promise {\r\n let url = `${options?.baseUrl ?? \"/FileUploader.ashx\"}?isBinaryFile=True&fileTypeGuid=${binaryFileTypeGuid}`;\r\n\r\n // Assume file is temporary unless specified otherwise so that files\r\n // that don't end up getting used will get cleaned up.\r\n if (options?.isTemporary === false) {\r\n url += \"&isTemporary=False\";\r\n }\r\n else {\r\n url += \"&isTemporary=True\";\r\n }\r\n\r\n const formData = new FormData();\r\n formData.append(\"file\", file);\r\n\r\n const result = await uploadFile(url, formData, options?.progress);\r\n\r\n return {\r\n value: result.Guid,\r\n text: result.FileName\r\n };\r\n}\r\n\r\n// #endregion\r\n\r\nexport default {\r\n doApiCall,\r\n post,\r\n get\r\n};\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { HttpResult } from \"@Obsidian/Types/Utility/http\";\r\nimport { AddressControlBag } from \"@Obsidian/ViewModels/Controls/addressControlBag\";\r\nimport { AddressControlValidateAddressOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/AddressControlValidateAddressOptionsBag\";\r\nimport { AddressControlValidateAddressResultsBag } from \"@Obsidian/ViewModels/Rest/Controls/AddressControlValidateAddressResultsBag\";\r\nimport { post } from \"./http\";\r\n\r\nexport function getDefaultAddressControlModel(): AddressControlBag {\r\n return {\r\n state: \"AZ\",\r\n country: \"US\"\r\n };\r\n}\r\n\r\nexport function validateAddress(address: AddressControlValidateAddressOptionsBag): Promise> {\r\n return post(\"/api/v2/Controls/AddressControlValidateAddress\", undefined, address);\r\n}\r\n\r\nexport function getAddressString(address: AddressControlBag): Promise> {\r\n return post(\"/api/v2/Controls/AddressControlGetStreetAddressString\", undefined, address);\r\n}","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\n/**\r\n * Flatten a nested array down by the given number of levels.\r\n * Meant to be a replacement for the official Array.prototype.flat, which isn't supported by all browsers we support.\r\n * Adapted from Polyfill: https://github.com/behnammodi/polyfill/blob/master/array.polyfill.js#L591\r\n *\r\n * @param arr (potentially) nested array to be flattened\r\n * @param depth The depth level specifying how deep a nested array structure should be flattened. Defaults to 1.\r\n *\r\n * @returns A new array with the sub-array elements concatenated into it.\r\n */\r\nexport const flatten = (arr: T[][], depth: number = 1): T[] => {\r\n const result: T[] = [];\r\n const forEach = result.forEach;\r\n\r\n const flatDeep = function (arr, depth): void {\r\n forEach.call(arr, function (val) {\r\n if (depth > 0 && Array.isArray(val)) {\r\n flatDeep(val, depth - 1);\r\n }\r\n else {\r\n result.push(val);\r\n }\r\n });\r\n };\r\n\r\n flatDeep(arr, depth);\r\n return result;\r\n};","/**\r\n * A function that will select a value from the object.\r\n */\r\ntype ValueSelector = (value: T) => string | number | boolean | null | undefined;\r\n\r\n/**\r\n * A function that will perform testing on a value to see if it meets\r\n * a certain condition and return true or false.\r\n */\r\ntype PredicateFn = (value: T, index: number) => boolean;\r\n\r\n/**\r\n * A function that will compare two values to see which one should\r\n * be ordered first.\r\n */\r\ntype ValueComparer = (a: T, b: T) => number;\r\n\r\nconst moreThanOneElement = \"More than one element was found in collection.\";\r\n\r\nconst noElementsFound = \"No element was found in collection.\";\r\n\r\n/**\r\n * Compares the values of two objects given the selector function.\r\n *\r\n * For the purposes of a compare, null and undefined are always a lower\r\n * value - unless both values are null or undefined in which case they\r\n * are considered equal.\r\n * \r\n * @param keySelector The function that will select the value.\r\n * @param descending True if this comparison should be in descending order.\r\n */\r\nfunction valueComparer(keySelector: ValueSelector, descending: boolean): ValueComparer {\r\n return (a: T, b: T): number => {\r\n const valueA = keySelector(a);\r\n const valueB = keySelector(b);\r\n\r\n // If valueA is null or undefined then it will either be considered\r\n // lower than or equal to valueB.\r\n if (valueA === undefined || valueA === null) {\r\n // If valueB is also null or undefined then they are considered equal.\r\n if (valueB === undefined || valueB === null) {\r\n return 0;\r\n }\r\n\r\n return !descending ? -1 : 1;\r\n }\r\n\r\n // If valueB is undefined or null (but valueA is not) then it is considered\r\n // a lower value than valueA.\r\n if (valueB === undefined || valueB === null) {\r\n return !descending ? 1 : -1;\r\n }\r\n\r\n // Perform a normal comparison.\r\n if (valueA > valueB) {\r\n return !descending ? 1 : -1;\r\n }\r\n else if (valueA < valueB) {\r\n return !descending ? -1 : 1;\r\n }\r\n else {\r\n return 0;\r\n }\r\n };\r\n}\r\n\r\n\r\n/**\r\n * Provides LINQ style access to an array of elements.\r\n */\r\nexport class List {\r\n /** The elements being tracked by this list. */\r\n protected elements: T[];\r\n\r\n // #region Constructors\r\n\r\n /**\r\n * Creates a new list with the given elements.\r\n * \r\n * @param elements The elements to be made available to LINQ queries.\r\n */\r\n constructor(elements?: T[]) {\r\n if (elements === undefined) {\r\n this.elements = [];\r\n }\r\n else {\r\n // Copy the array so if the caller makes changes it won't be reflected by us.\r\n this.elements = [...elements];\r\n }\r\n }\r\n\r\n /**\r\n * Creates a new List from the elements without copying to a new array.\r\n * \r\n * @param elements The elements to initialize the list with.\r\n * @returns A new list of elements.\r\n */\r\n public static fromArrayNoCopy(elements: T[]): List {\r\n const list = new List();\r\n\r\n list.elements = elements;\r\n\r\n return list;\r\n }\r\n\r\n // #endregion\r\n\r\n /**\r\n * Returns a boolean that determines if the collection contains any elements.\r\n *\r\n * @returns true if the collection contains any elements; otherwise false.\r\n */\r\n public any(): boolean;\r\n\r\n /**\r\n * Filters the list by the predicate and then returns a boolean that determines\r\n * if the filtered collection contains any elements.\r\n *\r\n * @param predicate The predicate to filter the elements by.\r\n *\r\n * @returns true if the collection contains any elements; otherwise false.\r\n */\r\n public any(predicate: PredicateFn): boolean;\r\n\r\n /**\r\n * Filters the list by the predicate and then returns a boolean that determines\r\n * if the filtered collection contains any elements.\r\n *\r\n * @param predicate The predicate to filter the elements by.\r\n *\r\n * @returns true if the collection contains any elements; otherwise false.\r\n */\r\n public any(predicate?: PredicateFn): boolean {\r\n let elements = this.elements;\r\n\r\n if (predicate !== undefined) {\r\n elements = elements.filter(predicate);\r\n }\r\n\r\n return elements.length > 0;\r\n }\r\n\r\n /**\r\n * Returns the first element from the collection if there are any elements.\r\n * Otherwise will throw an exception.\r\n *\r\n * @returns The first element in the collection.\r\n */\r\n public first(): T;\r\n\r\n /**\r\n * Filters the list by the predicate and then returns the first element\r\n * in the collection if any remain. Otherwise throws an exception.\r\n *\r\n * @param predicate The predicate to filter the elements by.\r\n *\r\n * @returns The first element in the collection.\r\n */\r\n public first(predicate: PredicateFn): T;\r\n\r\n /**\r\n * Filters the list by the predicate and then returns the first element\r\n * in the collection if any remain. Otherwise throws an exception.\r\n *\r\n * @param predicate The predicate to filter the elements by.\r\n *\r\n * @returns The first element in the collection.\r\n */\r\n public first(predicate?: PredicateFn): T {\r\n let elements = this.elements;\r\n\r\n if (predicate !== undefined) {\r\n elements = elements.filter(predicate);\r\n }\r\n\r\n if (elements.length >= 1) {\r\n return elements[0];\r\n }\r\n else {\r\n throw noElementsFound;\r\n }\r\n }\r\n\r\n /**\r\n * Returns the first element found in the collection or undefined if the\r\n * collection contains no elements.\r\n *\r\n * @returns The first element in the collection or undefined.\r\n */\r\n public firstOrUndefined(): T | undefined;\r\n\r\n /**\r\n * Filters the list by the predicate and then returns the first element\r\n * found in the collection. If no elements remain then undefined is\r\n * returned instead.\r\n *\r\n * @param predicate The predicate to filter the elements by.\r\n *\r\n * @returns The first element in the filtered collection or undefined.\r\n */\r\n public firstOrUndefined(predicate: PredicateFn): T | undefined;\r\n\r\n /**\r\n * Filters the list by the predicate and then returns the first element\r\n * found in the collection. If no elements remain then undefined is\r\n * returned instead.\r\n *\r\n * @param predicate The predicate to filter the elements by.\r\n *\r\n * @returns The first element in the filtered collection or undefined.\r\n */\r\n public firstOrUndefined(predicate?: PredicateFn): T | undefined {\r\n let elements = this.elements;\r\n\r\n if (predicate !== undefined) {\r\n elements = elements.filter(predicate);\r\n }\r\n\r\n if (elements.length === 1) {\r\n return elements[0];\r\n }\r\n else {\r\n return undefined;\r\n }\r\n }\r\n\r\n /**\r\n * Returns a single element from the collection if there is a single\r\n * element. Otherwise will throw an exception.\r\n *\r\n * @returns An element.\r\n */\r\n public single(): T;\r\n\r\n /**\r\n * Filters the list by the predicate and then returns the single remaining\r\n * element from the collection. If more than one element remains then an\r\n * exception will be thrown.\r\n *\r\n * @param predicate The predicate to filter the elements by.\r\n *\r\n * @returns An element.\r\n */\r\n public single(predicate: PredicateFn): T;\r\n\r\n /**\r\n * Filters the list by the predicate and then returns the single remaining\r\n * element from the collection. If more than one element remains then an\r\n * exception will be thrown.\r\n *\r\n * @param predicate The predicate to filter the elements by.\r\n *\r\n * @returns An element.\r\n */\r\n public single(predicate?: PredicateFn): T {\r\n let elements = this.elements;\r\n\r\n if (predicate !== undefined) {\r\n elements = elements.filter(predicate);\r\n }\r\n\r\n if (elements.length === 1) {\r\n return elements[0];\r\n }\r\n else {\r\n throw moreThanOneElement;\r\n }\r\n }\r\n\r\n /**\r\n * Returns a single element from the collection if there is a single\r\n * element. If no elements are found then undefined is returned. More\r\n * than a single element will throw an exception.\r\n *\r\n * @returns An element or undefined.\r\n */\r\n public singleOrUndefined(): T | undefined;\r\n\r\n /**\r\n * Filters the list by the predicate and then returns the single element\r\n * from the collection if there is only one remaining. If no elements\r\n * remain then undefined is returned. More than a single element will throw\r\n * an exception.\r\n *\r\n * @param predicate The predicate to filter the elements by.\r\n *\r\n * @returns An element or undefined.\r\n */\r\n public singleOrUndefined(predicate: PredicateFn): T | undefined;\r\n\r\n /**\r\n * Filters the list by the predicate and then returns the single element\r\n * from the collection if there is only one remaining. If no elements\r\n * remain then undefined is returned. More than a single element will throw\r\n * an exception.\r\n *\r\n * @param predicate The predicate to filter the elements by.\r\n *\r\n * @returns An element or undefined.\r\n */\r\n public singleOrUndefined(predicate?: PredicateFn): T | undefined {\r\n let elements = this.elements;\r\n\r\n if (predicate !== undefined) {\r\n elements = elements.filter(predicate);\r\n }\r\n\r\n if (elements.length === 0) {\r\n return undefined;\r\n }\r\n else if (elements.length === 1) {\r\n return elements[0];\r\n }\r\n else {\r\n throw moreThanOneElement;\r\n }\r\n }\r\n\r\n /**\r\n * Orders the elements of the array and returns a new list of items\r\n * in that order.\r\n * \r\n * @param keySelector The selector for the key to be ordered by.\r\n * @returns A new ordered list of elements.\r\n */\r\n public orderBy(keySelector: ValueSelector): OrderedList {\r\n const comparer = valueComparer(keySelector, false);\r\n\r\n return new OrderedList(this.elements, comparer);\r\n }\r\n\r\n /**\r\n * Orders the elements of the array in descending order and returns a\r\n * new list of items in that order.\r\n *\r\n * @param keySelector The selector for the key to be ordered by.\r\n * @returns A new ordered list of elements.\r\n */\r\n public orderByDescending(keySelector: ValueSelector): OrderedList {\r\n const comparer = valueComparer(keySelector, true);\r\n\r\n return new OrderedList(this.elements, comparer);\r\n }\r\n\r\n /**\r\n * Filters the results and returns a new list containing only the elements\r\n * that match the predicate.\r\n * \r\n * @param predicate The predicate to filter elements with.\r\n * \r\n * @returns A new collection of elements that match the predicate.\r\n */\r\n public where(predicate: PredicateFn): List {\r\n return new List(this.elements.filter(predicate));\r\n }\r\n\r\n /**\r\n * Get the elements of this list as a native array of items.\r\n *\r\n * @returns An array of items with all filters applied.\r\n */\r\n public toArray(): T[] {\r\n return [...this.elements];\r\n }\r\n}\r\n\r\n/**\r\n * A list of items that has ordering already applied.\r\n */\r\nclass OrderedList extends List {\r\n /** The base comparer to use when ordering. */\r\n private baseComparer!: ValueComparer;\r\n\r\n // #region Constructors\r\n\r\n constructor(elements: T[], baseComparer: ValueComparer) {\r\n super(elements);\r\n\r\n this.baseComparer = baseComparer;\r\n this.elements.sort(this.baseComparer);\r\n }\r\n\r\n // #endregion\r\n\r\n /**\r\n * Orders the elements of the array and returns a new list of items\r\n * in that order.\r\n * \r\n * @param keySelector The selector for the key to be ordered by.\r\n * @returns A new ordered list of elements.\r\n */\r\n public thenBy(keySelector: ValueSelector): OrderedList {\r\n const comparer = valueComparer(keySelector, false);\r\n\r\n return new OrderedList(this.elements, (a: T, b: T) => this.baseComparer(a, b) || comparer(a, b));\r\n }\r\n\r\n /**\r\n * Orders the elements of the array in descending order and returns a\r\n * new list of items in that order.\r\n *\r\n * @param keySelector The selector for the key to be ordered by.\r\n * @returns A new ordered list of elements.\r\n */\r\n public thenByDescending(keySelector: ValueSelector): OrderedList {\r\n const comparer = valueComparer(keySelector, true);\r\n\r\n return new OrderedList(this.elements, (a: T, b: T) => this.baseComparer(a, b) || comparer(a, b));\r\n }\r\n}\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { Guid } from \"@Obsidian/Types\";\r\n\r\n/** An empty unique identifier. */\r\nexport const emptyGuid = \"00000000-0000-0000-0000-000000000000\";\r\n\r\n/**\r\n* Generates a new Guid\r\n*/\r\nexport function newGuid (): Guid {\r\n return \"xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx\".replace(/[xy]/g, (c) => {\r\n const r = Math.random() * 16 | 0;\r\n const v = c === \"x\" ? r : r & 0x3 | 0x8;\r\n return v.toString(16);\r\n });\r\n}\r\n\r\n/**\r\n * Returns a normalized Guid that can be compared with string equality (===)\r\n * @param a\r\n */\r\nexport function normalize (a: Guid | null | undefined): Guid | null {\r\n if (!a) {\r\n return null;\r\n }\r\n\r\n return a.toLowerCase();\r\n}\r\n\r\n/**\r\n * Checks if the given string is a valid Guid. To be considered valid it must\r\n * be a bare guid with hyphens. Bare means not enclosed in '{' and '}'.\r\n * \r\n * @param guid The Guid to be checked.\r\n * @returns True if the guid is valid, otherwise false.\r\n */\r\nexport function isValidGuid(guid: Guid | string): boolean {\r\n return /^[0-9A-Fa-f]{8}-(?:[0-9A-Fa-f]{4}-){3}[0-9A-Fa-f]{12}$/.test(guid);\r\n}\r\n\r\n/**\r\n * Converts the string value to a Guid.\r\n * \r\n * @param value The value to be converted.\r\n * @returns A Guid value or null is the string could not be parsed as a Guid.\r\n */\r\nexport function toGuidOrNull(value: string | null | undefined): Guid | null {\r\n if (value === null || value === undefined) {\r\n return null;\r\n }\r\n\r\n if (!isValidGuid(value)) {\r\n return null;\r\n }\r\n\r\n return value as Guid;\r\n}\r\n\r\n/**\r\n * Are the guids equal?\r\n * @param a\r\n * @param b\r\n */\r\nexport function areEqual (a: Guid | null | undefined, b: Guid | null | undefined): boolean {\r\n return normalize(a) === normalize(b);\r\n}\r\n\r\nexport default {\r\n newGuid,\r\n normalize,\r\n areEqual\r\n};\r\n\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { areEqual, toGuidOrNull } from \"./guid\";\r\nimport { Pluralize } from \"@Obsidian/Libs/pluralize\";\r\n\r\n/**\r\n * Is the value an empty string?\r\n * @param val\r\n */\r\nexport function isEmpty(val: unknown): boolean {\r\n if (typeof val === \"string\") {\r\n return val.length === 0;\r\n }\r\n\r\n return false;\r\n}\r\n\r\n/**\r\n * Is the value an empty string?\r\n * @param val\r\n */\r\nexport function isWhiteSpace(val: unknown): boolean {\r\n if (typeof val === \"string\") {\r\n return val.trim().length === 0;\r\n }\r\n\r\n return false;\r\n}\r\n\r\n/**\r\n * Is the value null, undefined or whitespace?\r\n * @param val\r\n */\r\nexport function isNullOrWhiteSpace(val: unknown): boolean {\r\n return isWhiteSpace(val) || val === undefined || val === null;\r\n}\r\n\r\n/**\r\n * Turns camelCase or PascalCase strings into separate strings - \"MyCamelCaseString\" turns into \"My Camel Case String\"\r\n * @param val\r\n */\r\nexport function splitCase(val: string): string {\r\n // First, insert a space before sequences of capital letters followed by a lowercase letter (e.g., \"RESTKey\" -> \"REST Key\")\r\n val = val.replace(/([A-Z]+)([A-Z][a-z])/g, \"$1 $2\");\r\n // Then, insert a space before sequences of a lowercase letter or number followed by a capital letter (e.g., \"myKey\" -> \"my Key\")\r\n return val.replace(/([a-z0-9])([A-Z])/g, \"$1 $2\");\r\n}\r\n\r\n/**\r\n * Returns a string that has each item comma separated except for the last\r\n * which will use the word \"and\".\r\n *\r\n * @example\r\n * ['a', 'b', 'c'] => 'a, b and c'\r\n *\r\n * @param strs The strings to be joined.\r\n * @param andStr The custom string to use instead of the word \"and\".\r\n *\r\n * @returns A string that represents all the strings.\r\n */\r\nexport function asCommaAnd(strs: string[], andStr?: string): string {\r\n if (strs.length === 0) {\r\n return \"\";\r\n }\r\n\r\n if (strs.length === 1) {\r\n return strs[0];\r\n }\r\n\r\n if (!andStr) {\r\n andStr = \"and\";\r\n }\r\n\r\n if (strs.length === 2) {\r\n return `${strs[0]} ${andStr} ${strs[1]}`;\r\n }\r\n\r\n const last = strs.pop();\r\n return `${strs.join(\", \")} ${andStr} ${last}`;\r\n}\r\n\r\n/**\r\n * Convert the string to the title case.\r\n * hellO worlD => Hello World\r\n * @param str\r\n */\r\nexport function toTitleCase(str: string | null): string {\r\n if (!str) {\r\n return \"\";\r\n }\r\n\r\n return str.replace(/\\w\\S*/g, (word) => {\r\n return word.charAt(0).toUpperCase() + word.substring(1).toLowerCase();\r\n });\r\n}\r\n\r\n/**\r\n * Capitalize the first character\r\n */\r\nexport function upperCaseFirstCharacter(str: string | null): string {\r\n if (!str) {\r\n return \"\";\r\n }\r\n\r\n return str.charAt(0).toUpperCase() + str.substring(1);\r\n}\r\n\r\n/**\r\n * Pluralizes the given word. If count is specified and is equal to 1 then\r\n * the singular form of the word is returned. This will also de-pluralize a\r\n * word if required.\r\n *\r\n * @param word The word to be pluralized or singularized.\r\n * @param count An optional count to indicate when the word should be singularized.\r\n *\r\n * @returns The word in plural or singular form depending on the options.\r\n */\r\nexport function pluralize(word: string, count?: number): string {\r\n return Pluralize(word, count);\r\n}\r\n\r\n/**\r\n * Returns a singular or plural phrase depending on if the number is 1.\r\n * (0, Cat, Cats) => Cats\r\n * (1, Cat, Cats) => Cat\r\n * (2, Cat, Cats) => Cats\r\n * @param num\r\n * @param singular\r\n * @param plural\r\n */\r\nexport function pluralConditional(num: number, singular: string, plural: string): string {\r\n return num === 1 ? singular : plural;\r\n}\r\n\r\n/**\r\n * Pad the left side of a string so it is at least length characters long.\r\n *\r\n * @param str The string to be padded.\r\n * @param length The minimum length to make the string.\r\n * @param padCharacter The character to use to pad the string.\r\n */\r\nexport function padLeft(str: string | undefined | null, length: number, padCharacter: string = \" \"): string {\r\n if (padCharacter == \"\") {\r\n padCharacter = \" \";\r\n }\r\n else if (padCharacter.length > 1) {\r\n padCharacter = padCharacter.substring(0, 1);\r\n }\r\n\r\n if (!str) {\r\n return Array(length + 1).join(padCharacter);\r\n }\r\n\r\n if (str.length >= length) {\r\n return str;\r\n }\r\n\r\n return Array(length - str.length + 1).join(padCharacter) + str;\r\n}\r\n\r\n/**\r\n * Pad the right side of a string so it is at least length characters long.\r\n *\r\n * @param str The string to be padded.\r\n * @param length The minimum length to make the string.\r\n * @param padCharacter The character to use to pad the string.\r\n */\r\nexport function padRight(str: string | undefined | null, length: number, padCharacter: string = \" \"): string {\r\n if (padCharacter == \"\") {\r\n padCharacter = \" \";\r\n }\r\n else if (padCharacter.length > 1) {\r\n padCharacter = padCharacter.substring(0, 1);\r\n }\r\n\r\n if (!str) {\r\n return Array(length).join(padCharacter);\r\n }\r\n\r\n if (str.length >= length) {\r\n return str;\r\n }\r\n\r\n return str + Array(length - str.length + 1).join(padCharacter);\r\n}\r\n\r\nexport type TruncateOptions = {\r\n ellipsis?: boolean;\r\n};\r\n\r\n/**\r\n * Ensure a string does not go over the character limit. Truncation happens\r\n * on word boundaries.\r\n *\r\n * @param str The string to be truncated.\r\n * @param limit The maximum length of the resulting string.\r\n * @param options Additional options that control how truncation will happen.\r\n *\r\n * @returns The truncated string.\r\n */\r\nexport function truncate(str: string, limit: number, options?: TruncateOptions): string {\r\n // Early out if the string is already under the limit.\r\n if (str.length <= limit) {\r\n return str;\r\n }\r\n\r\n // All the whitespace characters that we can split on.\r\n const trimmable = \"\\u0009\\u000A\\u000B\\u000C\\u000D\\u0020\\u00A0\\u1680\\u180E\\u2000\\u2001\\u2002\\u2003\\u2004\\u2005\\u2006\\u2007\\u2008\\u2009\\u200A\\u202F\\u205F\\u2028\\u2029\\u3000\\uFEFF\";\r\n const reg = new RegExp(`(?=[${trimmable}])`);\r\n const words = str.split(reg);\r\n let count = 0;\r\n\r\n // If we are appending ellipsis, then shorten the limit size.\r\n if (options && options.ellipsis === true) {\r\n limit -= 3;\r\n }\r\n\r\n // Get a list of words that will fit within our length requirements.\r\n const visibleWords = words.filter(function (word) {\r\n count += word.length;\r\n return count <= limit;\r\n });\r\n\r\n return `${visibleWords.join(\"\")}...`;\r\n}\r\n\r\n/** The regular expression that contains the characters to be escaped. */\r\nconst escapeHtmlRegExp = /[\"'&<>]/g;\r\n\r\n/** The character map of the characters to be replaced and the strings to replace them with. */\r\nconst escapeHtmlMap: Record = {\r\n '\"': \""\",\r\n \"&\": \"&\",\r\n \"'\": \"'\",\r\n \"<\": \"<\",\r\n \">\": \">\"\r\n};\r\n\r\n/**\r\n * Escapes a string so it can be used in HTML. This turns things like the <\r\n * character into the < sequence so it will still render as \"<\".\r\n *\r\n * @param str The string to be escaped.\r\n * @returns A string that has all HTML entities escaped.\r\n */\r\nexport function escapeHtml(str: string): string {\r\n return str.replace(escapeHtmlRegExp, (ch) => {\r\n return escapeHtmlMap[ch];\r\n });\r\n}\r\n\r\n/**\r\n * The default compare value function for UI controls. This checks if both values\r\n * are GUIDs and if so does a case-insensitive compare, otherwise it does a\r\n * case-sensitive compare of the two values.\r\n *\r\n * @param value The value selected in the UI.\r\n * @param itemValue The item value to be compared against.\r\n *\r\n * @returns true if the two values are considered equal; otherwise false.\r\n */\r\nexport function defaultControlCompareValue(value: string, itemValue: string): boolean {\r\n const guidValue = toGuidOrNull(value);\r\n const guidItemValue = toGuidOrNull(itemValue);\r\n\r\n if (guidValue !== null && guidItemValue !== null) {\r\n return areEqual(guidValue, guidItemValue);\r\n }\r\n\r\n return value === itemValue;\r\n}\r\n\r\n/**\r\n * Determins whether or not a given string contains any HTML tags in.\r\n *\r\n * @param value The string potentially containing HTML\r\n *\r\n * @returns true if it contains HTML, otherwise false\r\n */\r\nexport function containsHtmlTag(value: string): boolean {\r\n return /<[/0-9a-zA-Z]/.test(value);\r\n}\r\n\r\nexport default {\r\n asCommaAnd,\r\n containsHtmlTag,\r\n escapeHtml,\r\n splitCase,\r\n isNullOrWhiteSpace,\r\n isWhiteSpace,\r\n isEmpty,\r\n toTitleCase,\r\n pluralConditional,\r\n padLeft,\r\n padRight,\r\n truncate\r\n};\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\n/**\r\n * A helper object that provides equivalent format strings for a given locale,\r\n * for the various date libraries used throughout Rock.\r\n *\r\n * This API is internal to Rock, and is not subject to the same compatibility\r\n * standards as public APIs. It may be changed or removed without notice in any\r\n * release. You should not use this API directly in any plug-ins. Doing so can\r\n * result in application failures when updating to a new Rock release.\r\n */\r\nexport class LocaleDateFormatter {\r\n /**\r\n * The internal JavaScript date format string for the locale represented\r\n * by this formatter instance.\r\n */\r\n private jsDateFormatString: string;\r\n\r\n /**\r\n * The internal ASP C# date format string for the locale represented by this\r\n * formatter instance.\r\n */\r\n private aspDateFormatString: string | undefined;\r\n\r\n /**\r\n * The internal date picker format string for the locale represented by this\r\n * formatter instance.\r\n */\r\n private datePickerFormatString: string | undefined;\r\n\r\n /**\r\n * Creates a new instance of LocaleDateFormatter.\r\n *\r\n * @param jsDateFormatString The JavaScript date format string for the\r\n * locale represented by this formatter instance.\r\n * https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Date#date_time_string_format\r\n */\r\n private constructor(jsDateFormatString: string) {\r\n this.jsDateFormatString = jsDateFormatString;\r\n }\r\n\r\n /**\r\n * Creates a new instance of LocaleDateFormatter from the current locale. If\r\n * the current locale cannot be determined, a default \"en-US\" locale\r\n * formatter instance will be returned.\r\n *\r\n * @returns A LocaleDateFormatter instance representing the current locale.\r\n */\r\n public static fromCurrent(): LocaleDateFormatter {\r\n // Create an arbitrary date with recognizable numeric parts; format the\r\n // date using the current locale settings and then replace the numeric\r\n // parts with date format placeholders to get the locale date format\r\n // string. Note that month is specified as an index in the Date\r\n // constructor, so \"2\" represents month \"3\".\r\n const date = new Date(2222, 2, 4);\r\n const localeDateString = date.toLocaleDateString(undefined, {\r\n year: \"numeric\",\r\n month: \"numeric\",\r\n day: \"numeric\"\r\n });\r\n\r\n // Fall back to a default, en-US format string if any step of the\r\n // parsing fails.\r\n const defaultFormatString = \"MM/DD/YYYY\";\r\n\r\n let localeFormatString = localeDateString;\r\n\r\n // Replace the known year date part with a 2 or 4 digit format string.\r\n if (localeDateString.includes(\"2222\")) {\r\n localeFormatString = localeDateString\r\n .replace(\"2222\", \"YYYY\");\r\n }\r\n else if (localeDateString.includes(\"22\")) {\r\n localeFormatString = localeDateString\r\n .replace(\"22\", \"YY\");\r\n }\r\n else {\r\n return new LocaleDateFormatter(defaultFormatString);\r\n }\r\n\r\n // Replace the known month date part with a 1 or 2 digit format string.\r\n if (localeFormatString.includes(\"03\")) {\r\n localeFormatString = localeFormatString.replace(\"03\", \"MM\");\r\n }\r\n else if (localeFormatString.includes(\"3\")) {\r\n localeFormatString = localeFormatString.replace(\"3\", \"M\");\r\n }\r\n else {\r\n return new LocaleDateFormatter(defaultFormatString);\r\n }\r\n\r\n // Replace the known day date part with a 1 or 2 digit format string.\r\n if (localeFormatString.includes(\"04\")) {\r\n localeFormatString = localeFormatString.replace(\"04\", \"DD\");\r\n }\r\n else if (localeFormatString.includes(\"4\")) {\r\n localeFormatString = localeFormatString.replace(\"4\", \"D\");\r\n }\r\n else {\r\n return new LocaleDateFormatter(defaultFormatString);\r\n }\r\n\r\n return new LocaleDateFormatter(localeFormatString);\r\n }\r\n\r\n /**\r\n * The ASP C# date format string for the locale represented by this\r\n * formatter instance.\r\n */\r\n public get aspDateFormat(): string {\r\n if (!this.aspDateFormatString) {\r\n // Transform the standard JavaScript format string to follow C# date\r\n // formatting rules.\r\n // https://learn.microsoft.com/en-us/dotnet/standard/base-types/custom-date-and-time-format-strings\r\n this.aspDateFormatString = this.jsDateFormatString\r\n .replace(/D/g, \"d\")\r\n .replace(/Y/g, \"y\");\r\n }\r\n\r\n return this.aspDateFormatString;\r\n }\r\n\r\n /**\r\n * The date picker format string for the locale represented by this\r\n * formatter instance.\r\n */\r\n public get datePickerFormat(): string {\r\n if (!this.datePickerFormatString) {\r\n // Transform the standard JavaScript format string to follow the\r\n // bootstrap-datepicker library's formatting rules.\r\n // https://bootstrap-datepicker.readthedocs.io/en/stable/options.html#format\r\n this.datePickerFormatString = this.jsDateFormatString\r\n .replace(/D/g, \"d\")\r\n .replace(/M/g, \"m\")\r\n .replace(/Y/g, \"y\");\r\n }\r\n\r\n return this.datePickerFormatString;\r\n }\r\n}\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { List } from \"./linq\";\r\nimport { padLeft, padRight } from \"./stringUtils\";\r\nimport { RockDateTime } from \"./rockDateTime\";\r\nimport { LocaleDateFormatter } from \"./localeDateFormatter\";\r\n\r\n/**\r\n * Returns a blank string if the string value is 0.\r\n *\r\n * @param value The value to check and return.\r\n * @returns The value passed in or an empty string if it equates to zero.\r\n */\r\nfunction blankIfZero(value: string): string {\r\n return parseInt(value) === 0 ? \"\" : value;\r\n}\r\n\r\n/**\r\n * Gets the 12 hour value of the given 24-hour number.\r\n *\r\n * @param hour The hour in a 24-hour format.\r\n * @returns The hour in a 12-hour format.\r\n */\r\nfunction get12HourValue(hour: number): number {\r\n if (hour == 0) {\r\n return 12;\r\n }\r\n else if (hour < 13) {\r\n return hour;\r\n }\r\n else {\r\n return hour - 12;\r\n }\r\n}\r\ntype DateFormatterCommand = (date: RockDateTime) => string;\r\n\r\nconst englishDayNames = [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"];\r\nconst englishMonthNames = [\"January\", \"February\", \"March\", \"April\", \"May\", \"June\", \"July\", \"August\", \"September\", \"October\", \"November\", \"December\"];\r\n\r\nconst dateFormatters: Record = {\r\n \"yyyyy\": date => padLeft(date.year.toString(), 5, \"0\"),\r\n \"yyyy\": date => padLeft(date.year.toString(), 4, \"0\"),\r\n \"yyy\": date => padLeft(date.year.toString(), 3, \"0\"),\r\n \"yy\": date => padLeft((date.year % 100).toString(), 2, \"0\"),\r\n \"y\": date => (date.year % 100).toString(),\r\n\r\n \"MMMM\": date => englishMonthNames[date.month - 1],\r\n \"MMM\": date => englishMonthNames[date.month - 1].substr(0, 3),\r\n \"MM\": date => padLeft(date.month.toString(), 2, \"0\"),\r\n \"M\": date => date.month.toString(),\r\n\r\n \"dddd\": date => englishDayNames[date.dayOfWeek],\r\n \"ddd\": date => englishDayNames[date.dayOfWeek].substr(0, 3),\r\n \"dd\": date => padLeft(date.day.toString(), 2, \"0\"),\r\n \"d\": date => date.day.toString(),\r\n\r\n \"fffffff\": date => padRight((date.millisecond * 10000).toString(), 7, \"0\"),\r\n \"ffffff\": date => padRight((date.millisecond * 1000).toString(), 6, \"0\"),\r\n \"fffff\": date => padRight((date.millisecond * 100).toString(), 5, \"0\"),\r\n \"ffff\": date => padRight((date.millisecond * 10).toString(), 4, \"0\"),\r\n \"fff\": date => padRight(date.millisecond.toString(), 3, \"0\"),\r\n \"ff\": date => padRight(Math.floor(date.millisecond / 10).toString(), 2, \"0\"),\r\n \"f\": date => padRight(Math.floor(date.millisecond / 100).toString(), 1, \"0\"),\r\n\r\n \"FFFFFFF\": date => blankIfZero(padRight((date.millisecond * 10000).toString(), 7, \"0\")),\r\n \"FFFFFF\": date => blankIfZero(padRight((date.millisecond * 1000).toString(), 6, \"0\")),\r\n \"FFFFF\": date => blankIfZero(padRight((date.millisecond * 100).toString(), 5, \"0\")),\r\n \"FFFF\": date => blankIfZero(padRight((date.millisecond * 10).toString(), 4, \"0\")),\r\n \"FFF\": date => blankIfZero(padRight(date.millisecond.toString(), 3, \"0\")),\r\n \"FF\": date => blankIfZero(padRight(Math.floor(date.millisecond / 10).toString(), 2, \"0\")),\r\n \"F\": date => blankIfZero(padRight(Math.floor(date.millisecond / 100).toString(), 1, \"0\")),\r\n\r\n \"g\": date => date.year < 0 ? \"B.C.\" : \"A.D.\",\r\n \"gg\": date => date.year < 0 ? \"B.C.\" : \"A.D.\",\r\n\r\n \"hh\": date => padLeft(get12HourValue(date.hour).toString(), 2, \"0\"),\r\n \"h\": date => get12HourValue(date.hour).toString(),\r\n\r\n \"HH\": date => padLeft(date.hour.toString(), 2, \"0\"),\r\n \"H\": date => date.hour.toString(),\r\n\r\n \"mm\": date => padLeft(date.minute.toString(), 2, \"0\"),\r\n \"m\": date => date.minute.toString(),\r\n\r\n \"ss\": date => padLeft(date.second.toString(), 2, \"0\"),\r\n \"s\": date => date.second.toString(),\r\n\r\n \"K\": date => {\r\n const offset = date.offset;\r\n const offsetHour = Math.abs(Math.floor(offset / 60));\r\n const offsetMinute = Math.abs(offset % 60);\r\n return `${offset >= 0 ? \"+\" : \"-\"}${padLeft(offsetHour.toString(), 2, \"0\")}:${padLeft(offsetMinute.toString(), 2, \"0\")}`;\r\n },\r\n\r\n \"tt\": date => date.hour >= 12 ? \"PM\" : \"AM\",\r\n \"t\": date => date.hour >= 12 ? \"P\" : \"A\",\r\n\r\n \"zzz\": date => {\r\n const offset = date.offset;\r\n const offsetHour = Math.abs(Math.floor(offset / 60));\r\n const offsetMinute = Math.abs(offset % 60);\r\n return `${offset >= 0 ? \"+\" : \"-\"}${padLeft(offsetHour.toString(), 2, \"0\")}:${padLeft(offsetMinute.toString(), 2, \"0\")}`;\r\n },\r\n \"zz\": date => {\r\n const offset = date.offset;\r\n const offsetHour = Math.abs(Math.floor(offset / 60));\r\n return `${offset >= 0 ? \"+\" : \"-\"}${padLeft(offsetHour.toString(), 2, \"0\")}`;\r\n },\r\n \"z\": date => {\r\n const offset = date.offset;\r\n const offsetHour = Math.abs(Math.floor(offset / 60));\r\n return `${offset >= 0 ? \"+\" : \"-\"}${offsetHour}`;\r\n },\r\n\r\n \":\": () => \":\",\r\n \"/\": () => \"/\"\r\n};\r\n\r\nconst dateFormatterKeys = new List(Object.keys(dateFormatters))\r\n .orderByDescending(k => k.length)\r\n .toArray();\r\n\r\nconst currentLocaleDateFormatter = LocaleDateFormatter.fromCurrent();\r\n\r\nconst standardDateFormats: Record = {\r\n \"d\": date => formatAspDate(date, currentLocaleDateFormatter.aspDateFormat),\r\n \"D\": date => formatAspDate(date, \"dddd, MMMM dd, yyyy\"),\r\n \"t\": date => formatAspDate(date, \"h:mm tt\"),\r\n \"T\": date => formatAspDate(date, \"h:mm:ss tt\"),\r\n \"M\": date => formatAspDate(date, \"MMMM dd\"),\r\n \"m\": date => formatAspDate(date, \"MMMM dd\"),\r\n \"Y\": date => formatAspDate(date, \"yyyy MMMM\"),\r\n \"y\": date => formatAspDate(date, \"yyyy MMMM\"),\r\n \"f\": date => `${formatAspDate(date, \"D\")} ${formatAspDate(date, \"t\")}`,\r\n \"F\": date => `${formatAspDate(date, \"D\")} ${formatAspDate(date, \"T\")}`,\r\n \"g\": date => `${formatAspDate(date, \"d\")} ${formatAspDate(date, \"t\")}`,\r\n \"G\": date => `${formatAspDate(date, \"d\")} ${formatAspDate(date, \"T\")}`,\r\n \"o\": date => formatAspDate(date, `yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffzzz`),\r\n \"O\": date => formatAspDate(date, `yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffzzz`),\r\n \"r\": date => formatAspDate(date, `ddd, dd MMM yyyy HH':'mm':'ss 'GMT'`),\r\n \"R\": date => formatAspDate(date, `ddd, dd MMM yyyy HH':'mm':'ss 'GMT'`),\r\n \"s\": date => formatAspDate(date, `yyyy'-'MM'-'dd'T'HH':'mm':'ss`),\r\n \"u\": date => formatAspDate(date, `yyyy'-'MM'-'dd HH':'mm':'ss'Z'`),\r\n \"U\": date => {\r\n return formatAspDate(date.universalDateTime, `F`);\r\n },\r\n};\r\n\r\n/**\r\n * Formats the Date object using custom format specifiers.\r\n *\r\n * @param date The date object to be formatted.\r\n * @param format The custom format string.\r\n * @returns A string that represents the date in the specified format.\r\n */\r\nfunction formatAspCustomDate(date: RockDateTime, format: string): string {\r\n let result = \"\";\r\n\r\n for (let i = 0; i < format.length;) {\r\n let matchFound = false;\r\n\r\n for (const k of dateFormatterKeys) {\r\n if (format.substr(i, k.length) === k) {\r\n result += dateFormatters[k](date);\r\n matchFound = true;\r\n i += k.length;\r\n break;\r\n }\r\n }\r\n\r\n if (matchFound) {\r\n continue;\r\n }\r\n\r\n if (format[i] === \"\\\\\") {\r\n i++;\r\n if (i < format.length) {\r\n result += format[i++];\r\n }\r\n }\r\n else if (format[i] === \"'\") {\r\n i++;\r\n for (; i < format.length && format[i] !== \"'\"; i++) {\r\n result += format[i];\r\n }\r\n i++;\r\n }\r\n else if (format[i] === '\"') {\r\n i++;\r\n for (; i < format.length && format[i] !== '\"'; i++) {\r\n result += format[i];\r\n }\r\n i++;\r\n }\r\n else {\r\n result += format[i++];\r\n }\r\n }\r\n\r\n return result;\r\n}\r\n\r\n/**\r\n * Formats the Date object using a standard format string.\r\n *\r\n * @param date The date object to be formatted.\r\n * @param format The standard format specifier.\r\n * @returns A string that represents the date in the specified format.\r\n */\r\nfunction formatAspStandardDate(date: RockDateTime, format: string): string {\r\n if (standardDateFormats[format] !== undefined) {\r\n return standardDateFormats[format](date);\r\n }\r\n\r\n return format;\r\n}\r\n\r\n/**\r\n * Formats the given Date object using nearly the same rules as the ASP C#\r\n * format methods.\r\n *\r\n * @param date The date object to be formatted.\r\n * @param format The format string to use.\r\n */\r\nexport function formatAspDate(date: RockDateTime, format: string): string {\r\n if (format.length === 1) {\r\n return formatAspStandardDate(date, format);\r\n }\r\n else if (format.length === 2 && format[0] === \"%\") {\r\n return formatAspCustomDate(date, format[1]);\r\n }\r\n else {\r\n return formatAspCustomDate(date, format);\r\n }\r\n}\r\n","import { DateTime, FixedOffsetZone, Zone } from \"luxon\";\r\nimport { formatAspDate } from \"./aspDateFormat\";\r\nimport { DayOfWeek } from \"@Obsidian/Enums/Controls/dayOfWeek\";\r\n\r\n/**\r\n * The days of the week that are used by RockDateTime.\r\n */\r\nexport { DayOfWeek } from \"@Obsidian/Enums/Controls/dayOfWeek\";\r\n\r\n/**\r\n * The various date and time formats supported by the formatting methods.\r\n */\r\nexport const DateTimeFormat: Record = {\r\n DateFull: {\r\n year: \"numeric\",\r\n month: \"long\",\r\n day: \"numeric\"\r\n },\r\n\r\n DateMedium: {\r\n year: \"numeric\",\r\n month: \"short\",\r\n day: \"numeric\"\r\n },\r\n\r\n DateShort: {\r\n year: \"numeric\",\r\n month: \"numeric\",\r\n day: \"numeric\"\r\n },\r\n\r\n TimeShort: {\r\n hour: \"numeric\",\r\n minute: \"numeric\",\r\n },\r\n\r\n TimeWithSeconds: {\r\n hour: \"numeric\",\r\n minute: \"numeric\",\r\n second: \"numeric\"\r\n },\r\n\r\n DateTimeShort: {\r\n year: \"numeric\",\r\n month: \"numeric\",\r\n day: \"numeric\",\r\n hour: \"numeric\",\r\n minute: \"numeric\"\r\n },\r\n\r\n DateTimeShortWithSeconds: {\r\n year: \"numeric\",\r\n month: \"numeric\",\r\n day: \"numeric\",\r\n hour: \"numeric\",\r\n minute: \"numeric\",\r\n second: \"numeric\"\r\n },\r\n\r\n DateTimeMedium: {\r\n year: \"numeric\",\r\n month: \"short\",\r\n day: \"numeric\",\r\n hour: \"numeric\",\r\n minute: \"numeric\"\r\n },\r\n\r\n DateTimeMediumWithSeconds: {\r\n year: \"numeric\",\r\n month: \"short\",\r\n day: \"numeric\",\r\n hour: \"numeric\",\r\n minute: \"numeric\",\r\n second: \"numeric\"\r\n },\r\n\r\n DateTimeFull: {\r\n year: \"numeric\",\r\n month: \"long\",\r\n day: \"numeric\",\r\n hour: \"numeric\",\r\n minute: \"numeric\"\r\n },\r\n\r\n DateTimeFullWithSeconds: {\r\n year: \"numeric\",\r\n month: \"long\",\r\n day: \"numeric\",\r\n hour: \"numeric\",\r\n minute: \"numeric\",\r\n second: \"numeric\"\r\n }\r\n};\r\n\r\n/**\r\n * A date and time object that handles time zones and formatting. This class is\r\n * immutable and cannot be modified. All modifications are performed by returning\r\n * a new RockDateTime instance.\r\n */\r\nexport class RockDateTime {\r\n /** The internal DateTime object that holds our date information. */\r\n private dateTime: DateTime;\r\n\r\n // #region Constructors\r\n\r\n /**\r\n * Creates a new instance of RockDateTime.\r\n *\r\n * @param dateTime The Luxon DateTime object that is used to track the internal state.\r\n */\r\n private constructor(dateTime: DateTime) {\r\n this.dateTime = dateTime;\r\n }\r\n\r\n /**\r\n * Creates a new instance of RockDateTime from the given date and time parts.\r\n *\r\n * @param year The year of the new date.\r\n * @param month The month of the new date (1-12).\r\n * @param day The day of month of the new date.\r\n * @param hour The hour of the day.\r\n * @param minute The minute of the hour.\r\n * @param second The second of the minute.\r\n * @param millisecond The millisecond of the second.\r\n * @param zone The time zone offset to construct the date in.\r\n *\r\n * @returns A RockDateTime instance or null if the requested date was not valid.\r\n */\r\n public static fromParts(year: number, month: number, day: number, hour?: number, minute?: number, second?: number, millisecond?: number, zone?: number | string): RockDateTime | null {\r\n let luxonZone: Zone | string | undefined;\r\n\r\n if (zone !== undefined) {\r\n if (typeof zone === \"number\") {\r\n luxonZone = FixedOffsetZone.instance(zone);\r\n }\r\n else {\r\n luxonZone = zone;\r\n }\r\n }\r\n\r\n const dateTime = DateTime.fromObject({\r\n year,\r\n month,\r\n day,\r\n hour,\r\n minute,\r\n second,\r\n millisecond\r\n }, {\r\n zone: luxonZone\r\n });\r\n\r\n if (!dateTime.isValid) {\r\n return null;\r\n }\r\n\r\n return new RockDateTime(dateTime);\r\n }\r\n\r\n /**\r\n * Creates a new instance of RockDateTime that represents the time specified\r\n * as the Javascript milliseconds value. The time zone is set to the browser\r\n * time zone.\r\n *\r\n * @param milliseconds The time in milliseconds since the epoch.\r\n *\r\n * @returns A new RockDateTime instance or null if the specified date was not valid.\r\n */\r\n public static fromMilliseconds(milliseconds: number): RockDateTime | null {\r\n const dateTime = DateTime.fromMillis(milliseconds);\r\n\r\n if (!dateTime.isValid) {\r\n return null;\r\n }\r\n\r\n return new RockDateTime(dateTime);\r\n }\r\n\r\n /**\r\n * Construct a new RockDateTime instance from a Javascript Date object.\r\n *\r\n * @param date The Javascript date object that contains the date information.\r\n *\r\n * @returns A RockDateTime instance or null if the date was not valid.\r\n */\r\n public static fromJSDate(date: Date): RockDateTime | null {\r\n const dateTime = DateTime.fromJSDate(date);\r\n\r\n if (!dateTime.isValid) {\r\n return null;\r\n }\r\n\r\n return new RockDateTime(dateTime);\r\n }\r\n\r\n /**\r\n * Constructs a new RockDateTime instance by parsing the given string from\r\n * ISO 8601 format.\r\n *\r\n * @param dateString The string that contains the ISO 8601 formatted text.\r\n *\r\n * @returns A new RockDateTime instance or null if the date was not valid.\r\n */\r\n public static parseISO(dateString: string): RockDateTime | null {\r\n const dateTime = DateTime.fromISO(dateString, { setZone: true });\r\n\r\n if (!dateTime.isValid) {\r\n return null;\r\n }\r\n\r\n return new RockDateTime(dateTime);\r\n }\r\n\r\n /**\r\n * Constructs a new RockDateTime instance by parsing the given string from\r\n * RFC 1123 format. This is common in HTTP headers.\r\n *\r\n * @param dateString The string that contains the RFC 1123 formatted text.\r\n *\r\n * @returns A new RockDateTime instance or null if the date was not valid.\r\n */\r\n public static parseHTTP(dateString: string): RockDateTime | null {\r\n const dateTime = DateTime.fromHTTP(dateString, { setZone: true });\r\n\r\n if (!dateTime.isValid) {\r\n return null;\r\n }\r\n\r\n return new RockDateTime(dateTime);\r\n }\r\n\r\n /**\r\n * Creates a new RockDateTime instance that represents the current date and time.\r\n *\r\n * @returns A RockDateTime instance.\r\n */\r\n public static now(): RockDateTime {\r\n return new RockDateTime(DateTime.now());\r\n }\r\n\r\n /**\r\n * Creates a new RockDateTime instance that represents the current time in UTC.\r\n *\r\n * @returns A new RockDateTime instance in the UTC time zone.\r\n */\r\n public static utcNow(): RockDateTime {\r\n return new RockDateTime(DateTime.now().toUTC());\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Properties\r\n\r\n /**\r\n * The Date portion of this RockDateTime instance. All time properties of\r\n * the returned instance will be set to 0.\r\n */\r\n public get date(): RockDateTime {\r\n const date = RockDateTime.fromParts(this.year, this.month, this.day, 0, 0, 0, 0, this.offset);\r\n\r\n if (date === null) {\r\n throw \"Could not convert to date instance.\";\r\n }\r\n\r\n return date;\r\n }\r\n\r\n /**\r\n * The raw date with no offset applied to it. Use this method when you only\r\n * care about comparing explicit dates without the time zone, as we do within\r\n * the grid's date column filter.\r\n *\r\n * This API is internal to Rock, and is not subject to the same compatibility\r\n * standards as public APIs. It may be changed or removed without notice in any\r\n * release. You should not use this API directly in any plug-ins. Doing so can\r\n * result in application failures when updating to a new Rock release.\r\n */\r\n public get rawDate(): RockDateTime {\r\n const date = RockDateTime.fromParts(this.year, this.month, this.day, 0, 0, 0, 0);\r\n\r\n if (date === null) {\r\n throw \"Could not convert to date instance.\";\r\n }\r\n\r\n return date;\r\n }\r\n\r\n /**\r\n * The day of the month represented by this instance.\r\n */\r\n public get day(): number {\r\n return this.dateTime.day;\r\n }\r\n\r\n /**\r\n * The day of the week represented by this instance.\r\n */\r\n public get dayOfWeek(): DayOfWeek {\r\n switch (this.dateTime.weekday) {\r\n case 1:\r\n return DayOfWeek.Monday;\r\n\r\n case 2:\r\n return DayOfWeek.Tuesday;\r\n\r\n case 3:\r\n return DayOfWeek.Wednesday;\r\n\r\n case 4:\r\n return DayOfWeek.Thursday;\r\n\r\n case 5:\r\n return DayOfWeek.Friday;\r\n\r\n case 6:\r\n return DayOfWeek.Saturday;\r\n\r\n case 7:\r\n return DayOfWeek.Sunday;\r\n }\r\n\r\n throw \"Could not determine day of week.\";\r\n }\r\n\r\n /**\r\n * The day of the year represented by this instance.\r\n */\r\n public get dayOfYear(): number {\r\n return this.dateTime.ordinal;\r\n }\r\n\r\n /**\r\n * The hour of the day represented by this instance.\r\n */\r\n public get hour(): number {\r\n return this.dateTime.hour;\r\n }\r\n\r\n /**\r\n * The millisecond of the second represented by this instance.\r\n */\r\n public get millisecond(): number {\r\n return this.dateTime.millisecond;\r\n }\r\n\r\n /**\r\n * The minute of the hour represented by this instance.\r\n */\r\n public get minute(): number {\r\n return this.dateTime.minute;\r\n }\r\n\r\n /**\r\n * The month of the year represented by this instance (1-12).\r\n */\r\n public get month(): number {\r\n return this.dateTime.month;\r\n }\r\n\r\n /**\r\n * The offset from UTC represented by this instance. If the timezone of this\r\n * instance is UTC-7 then the value returned is -420.\r\n */\r\n public get offset(): number {\r\n return this.dateTime.offset;\r\n }\r\n\r\n /**\r\n * The second of the minute represented by this instance.\r\n */\r\n public get second(): number {\r\n return this.dateTime.second;\r\n }\r\n\r\n /**\r\n * The year represented by this instance.\r\n */\r\n public get year(): number {\r\n return this.dateTime.year;\r\n }\r\n\r\n /**\r\n * Creates a new RockDateTime instance that represents the same point in\r\n * time represented in the local browser time zone.\r\n */\r\n public get localDateTime(): RockDateTime {\r\n return new RockDateTime(this.dateTime.toLocal());\r\n }\r\n\r\n /**\r\n * Creates a new RockDateTime instance that represents the same point in\r\n * time represented in the organization time zone.\r\n */\r\n public get organizationDateTime(): RockDateTime {\r\n throw \"Not Implemented\";\r\n }\r\n\r\n /**\r\n * Creates a new RockDateTime instance that represents the same point in\r\n * time represented in UTC.\r\n */\r\n public get universalDateTime(): RockDateTime {\r\n return new RockDateTime(this.dateTime.toUTC());\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Methods\r\n\r\n /**\r\n * Creates a new RockDateTime instance that represents the date and time\r\n * after adding the number of days to this instance.\r\n *\r\n * @param days The number of days to add.\r\n *\r\n * @returns A new instance of RockDateTime that represents the new date and time.\r\n */\r\n public addDays(days: number): RockDateTime {\r\n const dateTime = this.dateTime.plus({ days: days });\r\n\r\n if (!dateTime.isValid) {\r\n throw \"Operation produced an invalid date.\";\r\n }\r\n\r\n return new RockDateTime(dateTime);\r\n }\r\n\r\n /**\r\n * Creates a new RockDateTime instance that represents the last millisecond\r\n * of the end of the month for this instance.\r\n *\r\n * @example\r\n * RockDateTime.fromJSDate(new Date(2014, 3, 3)).endOfMonth().toISOString(); //=> '2014-03-31T23:59:59.999-05:00'\r\n */\r\n public endOfMonth(): RockDateTime {\r\n const dateTime = this.dateTime.endOf(\"month\");\r\n\r\n if (!dateTime.isValid) {\r\n throw \"Operation produced an invalid date.\";\r\n }\r\n\r\n return new RockDateTime(dateTime);\r\n }\r\n\r\n /**\r\n * Creates a new RockDateTime instance that represents the date and time\r\n * after adding the number of hours to this instance.\r\n *\r\n * @param days The number of hours to add.\r\n *\r\n * @returns A new instance of RockDateTime that represents the new date and time.\r\n */\r\n public addHours(hours: number): RockDateTime {\r\n const dateTime = this.dateTime.plus({ hours: hours });\r\n\r\n if (!dateTime.isValid) {\r\n throw \"Operation produced an invalid date.\";\r\n }\r\n\r\n return new RockDateTime(dateTime);\r\n }\r\n\r\n /**\r\n * Creates a new RockDateTime instance that represents the date and time\r\n * after adding the number of milliseconds to this instance.\r\n *\r\n * @param days The number of milliseconds to add.\r\n *\r\n * @returns A new instance of RockDateTime that represents the new date and time.\r\n */\r\n public addMilliseconds(milliseconds: number): RockDateTime {\r\n const dateTime = this.dateTime.plus({ milliseconds: milliseconds });\r\n\r\n if (!dateTime.isValid) {\r\n throw \"Operation produced an invalid date.\";\r\n }\r\n\r\n return new RockDateTime(dateTime);\r\n }\r\n\r\n /**\r\n * Creates a new RockDateTime instance that represents the date and time\r\n * after adding the number of minutes to this instance.\r\n *\r\n * @param days The number of minutes to add.\r\n *\r\n * @returns A new instance of RockDateTime that represents the new date and time.\r\n */\r\n public addMinutes(minutes: number): RockDateTime {\r\n const dateTime = this.dateTime.plus({ minutes: minutes });\r\n\r\n if (!dateTime.isValid) {\r\n throw \"Operation produced an invalid date.\";\r\n }\r\n\r\n return new RockDateTime(dateTime);\r\n }\r\n\r\n /**\r\n * Creates a new RockDateTime instance that represents the date and time\r\n * after adding the number of months to this instance.\r\n *\r\n * @param days The number of months to add.\r\n *\r\n * @returns A new instance of RockDateTime that represents the new date and time.\r\n */\r\n public addMonths(months: number): RockDateTime {\r\n const dateTime = this.dateTime.plus({ months: months });\r\n\r\n if (!dateTime.isValid) {\r\n throw \"Operation produced an invalid date.\";\r\n }\r\n\r\n return new RockDateTime(dateTime);\r\n }\r\n\r\n /**\r\n * Creates a new RockDateTime instance that represents the date and time\r\n * after adding the number of seconds to this instance.\r\n *\r\n * @param days The number of seconds to add.\r\n *\r\n * @returns A new instance of RockDateTime that represents the new date and time.\r\n */\r\n public addSeconds(seconds: number): RockDateTime {\r\n const dateTime = this.dateTime.plus({ seconds: seconds });\r\n\r\n if (!dateTime.isValid) {\r\n throw \"Operation produced an invalid date.\";\r\n }\r\n\r\n return new RockDateTime(dateTime);\r\n }\r\n\r\n /**\r\n * Creates a new RockDateTime instance that represents the date and time\r\n * after adding the number of years to this instance.\r\n *\r\n * @param days The number of years to add.\r\n *\r\n * @returns A new instance of RockDateTime that represents the new date and time.\r\n */\r\n public addYears(years: number): RockDateTime {\r\n const dateTime = this.dateTime.plus({ years: years });\r\n\r\n if (!dateTime.isValid) {\r\n throw \"Operation produced an invalid date.\";\r\n }\r\n\r\n return new RockDateTime(dateTime);\r\n }\r\n\r\n /**\r\n * Converts the date time representation into the number of milliseconds\r\n * that have elapsed since the epoch (1970-01-01T00:00:00Z).\r\n *\r\n * @returns The number of milliseconds since the epoch.\r\n */\r\n public toMilliseconds(): number {\r\n return this.dateTime.toMillis();\r\n }\r\n\r\n /**\r\n * Creates a new instance of RockDateTime that represents the same point\r\n * in time as represented by the specified time zone offset.\r\n *\r\n * @param zone The time zone offset as a number or string such as \"UTC+4\".\r\n *\r\n * @returns A new RockDateTime instance that represents the specified time zone.\r\n */\r\n public toOffset(zone: number | string): RockDateTime {\r\n let dateTime: DateTime;\r\n\r\n if (typeof zone === \"number\") {\r\n dateTime = this.dateTime.setZone(FixedOffsetZone.instance(zone));\r\n }\r\n else {\r\n dateTime = this.dateTime.setZone(zone);\r\n }\r\n\r\n if (!dateTime.isValid) {\r\n throw \"Invalid time zone specified.\";\r\n }\r\n\r\n return new RockDateTime(dateTime);\r\n }\r\n\r\n /**\r\n * Formats this instance according to C# formatting rules.\r\n *\r\n * @param format The string that specifies the format to use.\r\n *\r\n * @returns A string representing this instance in the given format.\r\n */\r\n public toASPString(format: string): string {\r\n return formatAspDate(this, format);\r\n }\r\n\r\n /**\r\n * Creates a string representation of this instance in ISO8601 format.\r\n *\r\n * @returns An ISO8601 formatted string.\r\n */\r\n public toISOString(): string {\r\n return this.dateTime.toISO();\r\n }\r\n\r\n /**\r\n * Formats this instance using standard locale formatting rules to display\r\n * a date and time in the browsers specified locale.\r\n *\r\n * @param format The format to use when generating the string.\r\n *\r\n * @returns A string that represents the date and time in then specified format.\r\n */\r\n public toLocaleString(format: Intl.DateTimeFormatOptions): string {\r\n return this.dateTime.toLocaleString(format);\r\n }\r\n\r\n /**\r\n * Transforms the date into a human friendly elapsed time string.\r\n *\r\n * @example\r\n * // Returns \"21yrs\"\r\n * RockDateTime.fromParts(2000, 3, 4).toElapsedString();\r\n *\r\n * @returns A string that represents the amount of time that has elapsed.\r\n */\r\n public toElapsedString(currentDateTime?: RockDateTime): string {\r\n const msPerSecond = 1000;\r\n const msPerMinute= 1000 * 60;\r\n const msPerHour = 1000 * 60 * 60;\r\n const hoursPerDay = 24;\r\n const daysPerYear = 365;\r\n\r\n let start = new RockDateTime(this.dateTime);\r\n let end = currentDateTime ?? RockDateTime.now();\r\n let direction = \"Ago\";\r\n let totalMs = end.toMilliseconds() - start.toMilliseconds();\r\n\r\n if (totalMs < 0) {\r\n direction = \"From Now\";\r\n totalMs = Math.abs(totalMs);\r\n start = end;\r\n end = new RockDateTime(this.dateTime);\r\n }\r\n\r\n const totalSeconds = totalMs / msPerSecond;\r\n const totalMinutes = totalMs / msPerMinute;\r\n const totalHours = totalMs / msPerHour;\r\n const totalDays = totalHours / hoursPerDay;\r\n\r\n if (totalHours < 24) {\r\n if (totalSeconds < 2) {\r\n return `1 Second ${direction}`;\r\n }\r\n\r\n if (totalSeconds < 60) {\r\n return `${Math.floor(totalSeconds)} Seconds ${direction}`;\r\n }\r\n\r\n if (totalMinutes < 2) {\r\n return `1 Minute ${direction}`;\r\n }\r\n\r\n if (totalMinutes < 60) {\r\n return `${Math.floor(totalMinutes)} Minutes ${direction}`;\r\n }\r\n\r\n if (totalHours < 2) {\r\n return `1 Hour ${direction}`;\r\n }\r\n\r\n if (totalHours < 60) {\r\n return `${Math.floor(totalHours)} Hours ${direction}`;\r\n }\r\n }\r\n\r\n if (totalDays < 2) {\r\n return `1 Day ${direction}`;\r\n }\r\n\r\n if (totalDays < 31) {\r\n return `${Math.floor(totalDays)} Days ${direction}`;\r\n }\r\n\r\n const totalMonths = end.totalMonths(start);\r\n\r\n if (totalMonths <= 1) {\r\n return `1 Month ${direction}`;\r\n }\r\n\r\n if (totalMonths <= 18) {\r\n return `${Math.round(totalMonths)} Months ${direction}`;\r\n }\r\n\r\n const totalYears = Math.floor(totalDays / daysPerYear);\r\n\r\n if (totalYears <= 1) {\r\n return `1 Year ${direction}`;\r\n }\r\n\r\n return `${Math.round(totalYears)} Years ${direction}`;\r\n }\r\n\r\n /**\r\n * Formats this instance as a string that can be used in HTTP headers and\r\n * cookies.\r\n *\r\n * @returns A new string that conforms to RFC 1123\r\n */\r\n public toHTTPString(): string {\r\n return this.dateTime.toHTTP();\r\n }\r\n\r\n /**\r\n * Get the value of the date and time in a format that can be used in\r\n * comparisons.\r\n *\r\n * @returns A number that represents the date and time.\r\n */\r\n public valueOf(): number {\r\n return this.dateTime.valueOf();\r\n }\r\n\r\n /**\r\n * Creates a standard string representation of the date and time.\r\n *\r\n * @returns A string representation of the date and time.\r\n */\r\n public toString(): string {\r\n return this.toLocaleString(DateTimeFormat.DateTimeFull);\r\n }\r\n\r\n /**\r\n * Checks if this instance is equal to another RockDateTime instance. This\r\n * will return true if the two instances represent the same point in time,\r\n * even if they have been associated with different time zones. In other\r\n * words \"2021-09-08 12:00:00 Z\" == \"2021-09-08 14:00:00 UTC+2\".\r\n *\r\n * @param otherDateTime The other RockDateTime to be compared against.\r\n *\r\n * @returns True if the two instances represent the same point in time.\r\n */\r\n public isEqualTo(otherDateTime: RockDateTime): boolean {\r\n return this.dateTime.toMillis() === otherDateTime.dateTime.toMillis();\r\n }\r\n\r\n /**\r\n * Checks if this instance is later than another RockDateTime instance.\r\n *\r\n * @param otherDateTime The other RockDateTime to be compared against.\r\n *\r\n * @returns True if this instance represents a point in time that occurred after another point in time, regardless of time zone.\r\n */\r\n public isLaterThan(otherDateTime: RockDateTime): boolean {\r\n return this.dateTime.toMillis() > otherDateTime.dateTime.toMillis();\r\n }\r\n\r\n /**\r\n * Checks if this instance is earlier than another RockDateTime instance.\r\n *\r\n * @param otherDateTime The other RockDateTime to be compared against.\r\n *\r\n * @returns True if this instance represents a point in time that occurred before another point in time, regardless of time zone.\r\n */\r\n public isEarlierThan(otherDateTime: RockDateTime): boolean {\r\n return this.dateTime.toMillis() < otherDateTime.dateTime.toMillis();\r\n }\r\n\r\n /**\r\n * Calculates the elapsed time between this date and the reference date and\r\n * returns that difference in a human friendly way.\r\n *\r\n * @param otherDateTime The reference date and time. If not specified then 'now' is used.\r\n *\r\n * @returns A string that represents the elapsed time.\r\n */\r\n public humanizeElapsed(otherDateTime?: RockDateTime): string {\r\n otherDateTime = otherDateTime ?? RockDateTime.now();\r\n\r\n const totalSeconds = Math.floor((otherDateTime.dateTime.toMillis() - this.dateTime.toMillis()) / 1000);\r\n\r\n if (totalSeconds <= 1) {\r\n return \"right now\";\r\n }\r\n else if (totalSeconds < 60) { // 1 minute\r\n return `${totalSeconds} seconds ago`;\r\n }\r\n else if (totalSeconds < 3600) { // 1 hour\r\n return `${Math.floor(totalSeconds / 60)} minutes ago`;\r\n }\r\n else if (totalSeconds < 86400) { // 1 day\r\n return `${Math.floor(totalSeconds / 3600)} hours ago`;\r\n }\r\n else if (totalSeconds < 31536000) { // 1 year\r\n return `${Math.floor(totalSeconds / 86400)} days ago`;\r\n }\r\n else {\r\n return `${Math.floor(totalSeconds / 31536000)} years ago`;\r\n }\r\n }\r\n\r\n /**\r\n * The total number of months between the two dates.\r\n * @param otherDateTime The reference date and time.\r\n * @returns An int that represents the number of months between the two dates.\r\n */\r\n public totalMonths(otherDateTime: RockDateTime): number {\r\n return ((this.year * 12) + this.month) - ((otherDateTime.year * 12) + otherDateTime.month);\r\n }\r\n\r\n // #endregion\r\n}\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n\r\nimport mitt, { Emitter } from \"mitt\";\r\n\r\n// NOTE: Much of the logic for this was taken from VSCode's MIT licensed version:\r\n// https://github.com/microsoft/vscode/blob/342394d1e7d43d3324dc2ede1d634cffd52ba159/src/vs/base/common/cancellation.ts\r\n\r\n/**\r\n * A cancellation token can be used to instruct some operation to run but abort\r\n * if a certain condition is met.\r\n */\r\nexport interface ICancellationToken {\r\n /**\r\n * A flag signalling is cancellation has been requested.\r\n */\r\n readonly isCancellationRequested: boolean;\r\n\r\n /**\r\n * Registers a listener for when cancellation has been requested. This event\r\n * only ever fires `once` as cancellation can only happen once. Listeners\r\n * that are registered after cancellation will be called (next event loop run),\r\n * but also only once.\r\n *\r\n * @param listener The function to be called when the token has been cancelled.\r\n */\r\n onCancellationRequested(listener: () => void): void;\r\n}\r\n\r\nfunction shortcutCancelledEvent(listener: () => void): void {\r\n window.setTimeout(listener, 0);\r\n}\r\n\r\n/**\r\n * Determines if something is a cancellation token.\r\n *\r\n * @param thing The thing to be checked to see if it is a cancellation token.\r\n *\r\n * @returns true if the @{link thing} is a cancellation token, otherwise false.\r\n */\r\nexport function isCancellationToken(thing: unknown): thing is ICancellationToken {\r\n if (thing === CancellationTokenNone || thing === CancellationTokenCancelled) {\r\n return true;\r\n }\r\n if (thing instanceof MutableToken) {\r\n return true;\r\n }\r\n if (!thing || typeof thing !== \"object\") {\r\n return false;\r\n }\r\n return typeof (thing as ICancellationToken).isCancellationRequested === \"boolean\"\r\n && typeof (thing as ICancellationToken).onCancellationRequested === \"function\";\r\n}\r\n\r\n/**\r\n * A cancellation token that will never be in a cancelled state.\r\n */\r\nexport const CancellationTokenNone = Object.freeze({\r\n isCancellationRequested: false,\r\n onCancellationRequested() {\r\n // Intentionally blank.\r\n }\r\n});\r\n\r\n/**\r\n * A cancellation token that is already in a cancelled state.\r\n */\r\nexport const CancellationTokenCancelled = Object.freeze({\r\n isCancellationRequested: true,\r\n onCancellationRequested: shortcutCancelledEvent\r\n});\r\n\r\n/**\r\n * Internal implementation of a cancellation token that starts initially as\r\n * active but can later be switched to a cancelled state.\r\n */\r\nclass MutableToken implements ICancellationToken {\r\n private isCancelled: boolean = false;\r\n private emitter: Emitter> | null = null;\r\n\r\n /**\r\n * Cancels the token and fires any registered event listeners.\r\n */\r\n public cancel(): void {\r\n if (!this.isCancelled) {\r\n this.isCancelled = true;\r\n if (this.emitter) {\r\n this.emitter.emit(\"cancel\", undefined);\r\n this.emitter = null;\r\n }\r\n }\r\n }\r\n\r\n // #region ICancellationToken implementation\r\n\r\n get isCancellationRequested(): boolean {\r\n return this.isCancelled;\r\n }\r\n\r\n onCancellationRequested(listener: () => void): void {\r\n if (this.isCancelled) {\r\n return shortcutCancelledEvent(listener);\r\n }\r\n\r\n if (!this.emitter) {\r\n this.emitter = mitt();\r\n }\r\n\r\n this.emitter.on(\"cancel\", listener);\r\n }\r\n\r\n // #endregion\r\n}\r\n\r\n/**\r\n * Creates a source instance that can be used to trigger a cancellation\r\n * token into the cancelled state.\r\n */\r\nexport class CancellationTokenSource {\r\n /** The token that can be passed to functions. */\r\n private internalToken?: ICancellationToken = undefined;\r\n\r\n /**\r\n * Creates a new instance of {@link CancellationTokenSource}.\r\n *\r\n * @param parent The parent cancellation token that will also cancel this source.\r\n */\r\n constructor(parent?: ICancellationToken) {\r\n if (parent) {\r\n parent.onCancellationRequested(() => this.cancel());\r\n }\r\n }\r\n\r\n /**\r\n * The cancellation token that can be used to determine when the task\r\n * should be cancelled.\r\n */\r\n get token(): ICancellationToken {\r\n if (!this.internalToken) {\r\n // be lazy and create the token only when\r\n // actually needed\r\n this.internalToken = new MutableToken();\r\n }\r\n\r\n return this.internalToken;\r\n }\r\n\r\n /**\r\n * Moves the token into a cancelled state.\r\n */\r\n cancel(): void {\r\n if (!this.internalToken) {\r\n // Save an object creation by returning the default cancelled\r\n // token when cancellation happens before someone asks for the\r\n // token.\r\n this.internalToken = CancellationTokenCancelled;\r\n\r\n }\r\n else if (this.internalToken instanceof MutableToken) {\r\n // Actually cancel the existing token.\r\n this.internalToken.cancel();\r\n }\r\n }\r\n}\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { CancellationTokenSource, ICancellationToken } from \"./cancellation\";\r\n\r\n/**\r\n * Compares two values for equality by performing deep nested comparisons\r\n * if the values are objects or arrays.\r\n *\r\n * @param a The first value to compare.\r\n * @param b The second value to compare.\r\n * @param strict True if strict comparision is required (meaning 1 would not equal \"1\").\r\n *\r\n * @returns True if the two values are equal to each other.\r\n */\r\nexport function deepEqual(a: unknown, b: unknown, strict: boolean): boolean {\r\n // Catches everything but objects.\r\n if (strict && a === b) {\r\n return true;\r\n }\r\n else if (!strict && a == b) {\r\n return true;\r\n }\r\n\r\n // NaN never equals another NaN, but functionally they are the same.\r\n if (typeof a === \"number\" && typeof b === \"number\" && isNaN(a) && isNaN(b)) {\r\n return true;\r\n }\r\n\r\n // Remaining value types must both be of type object\r\n if (a && b && typeof a === \"object\" && typeof b === \"object\") {\r\n // Array status must match.\r\n if (Array.isArray(a) !== Array.isArray(b)) {\r\n return false;\r\n }\r\n\r\n if (Array.isArray(a) && Array.isArray(b)) {\r\n // Array lengths must match.\r\n if (a.length !== b.length) {\r\n return false;\r\n }\r\n\r\n // Each element in the array must match.\r\n for (let i = 0; i < a.length; i++) {\r\n if (!deepEqual(a[i], b[i], strict)) {\r\n return false;\r\n }\r\n }\r\n\r\n return true;\r\n }\r\n else {\r\n // NOTE: There are a few edge cases not accounted for here, but they\r\n // are rare and unusual:\r\n // Map, Set, ArrayBuffer, RegExp\r\n\r\n // The objects must be of the same \"object type\".\r\n if (a.constructor !== b.constructor) {\r\n return false;\r\n }\r\n\r\n // Get all the key/value pairs of each object and sort them so they\r\n // are in the same order as each other.\r\n const aEntries = Object.entries(a).sort((a, b) => a[0] < b[0] ? -1 : (a[0] > b[0] ? 1 : 0));\r\n const bEntries = Object.entries(b).sort((a, b) => a[0] < b[0] ? -1 : (a[0] > b[0] ? 1 : 0));\r\n\r\n // Key/value count must be identical.\r\n if (aEntries.length !== bEntries.length) {\r\n return false;\r\n }\r\n\r\n for (let i = 0; i < aEntries.length; i++) {\r\n const aEntry = aEntries[i];\r\n const bEntry = bEntries[i];\r\n\r\n // Ensure the keys are equal, must always be strict.\r\n if (!deepEqual(aEntry[0], bEntry[0], true)) {\r\n return false;\r\n }\r\n\r\n // Ensure the values are equal.\r\n if (!deepEqual(aEntry[1], bEntry[1], strict)) {\r\n return false;\r\n }\r\n }\r\n\r\n return true;\r\n }\r\n }\r\n\r\n return false;\r\n}\r\n\r\n\r\n/**\r\n * Debounces the function so it will only be called once during the specified\r\n * delay period. The returned function should be called to trigger the original\r\n * function that is to be debounced.\r\n *\r\n * @param fn The function to be called once per delay period.\r\n * @param delay The period in milliseconds. If the returned function is called\r\n * more than once during this period then fn will only be executed once for\r\n * the period. If not specified then it defaults to 250ms.\r\n * @param eager If true then the fn function will be called immediately and\r\n * then any subsequent calls will be debounced.\r\n *\r\n * @returns A function to be called when fn should be executed.\r\n */\r\nexport function debounce(fn: (() => void), delay: number = 250, eager: boolean = false): (() => void) {\r\n let timeout: NodeJS.Timeout | null = null;\r\n\r\n return (): void => {\r\n if (timeout) {\r\n clearTimeout(timeout);\r\n }\r\n else if (eager) {\r\n // If there was no previous timeout and we are configured for\r\n // eager calls, then execute now.\r\n fn();\r\n\r\n // An eager call should not result in a final debounce call.\r\n timeout = setTimeout(() => timeout = null, delay);\r\n\r\n return;\r\n }\r\n\r\n // If we had a previous timeout or we are not set for eager calls\r\n // then set a timeout to initiate the function after the delay.\r\n timeout = setTimeout(() => {\r\n timeout = null;\r\n fn();\r\n }, delay);\r\n };\r\n}\r\n\r\n/**\r\n * Options for debounceAsync function\r\n */\r\ntype DebounceAsyncOptions = {\r\n /**\r\n * The period in milliseconds. If the returned function is called more than\r\n * once during this period, then `fn` will only be executed once for the\r\n * period.\r\n * @default 250\r\n */\r\n delay?: number;\r\n\r\n /**\r\n * If `true`, then the `fn` function will be called immediately on the first\r\n * call, and any subsequent calls will be debounced.\r\n * @default false\r\n */\r\n eager?: boolean;\r\n};\r\n\r\n/**\r\n * Debounces the function so it will only be called once during the specified\r\n * delay period. The returned function should be called to trigger the original\r\n * function that is to be debounced.\r\n *\r\n * **Note:** Due to the asynchronous nature of JavaScript and how promises work,\r\n * `fn` may be invoked multiple times before previous invocations have completed.\r\n * To ensure that only the latest invocation proceeds and to prevent stale data,\r\n * you should check `cancellationToken.isCancellationRequested` at appropriate\r\n * points within your `fn` implementation—ideally after you `await` data from the\r\n * server. If cancellation is requested, `fn` should promptly abort execution.\r\n *\r\n * @param fn The function to be called once per delay period.\r\n * @param options An optional object specifying debounce options.\r\n *\r\n * @returns A function to be called when `fn` should be executed. This function\r\n * accepts an optional `parentCancellationToken` that, when canceled, will also\r\n * cancel the execution of `fn`.\r\n */\r\nexport function debounceAsync(\r\n fn: ((cancellationToken?: ICancellationToken) => PromiseLike),\r\n options?: DebounceAsyncOptions\r\n): ((parentCancellationToken?: ICancellationToken) => Promise) {\r\n const delay = options?.delay ?? 250;\r\n const eager = options?.eager ?? false;\r\n\r\n let timeout: NodeJS.Timeout | null = null;\r\n let source: CancellationTokenSource | null = null;\r\n let isEagerExecutionInProgress = false;\r\n\r\n return async (parentCancellationToken?: ICancellationToken): Promise => {\r\n // Always cancel any ongoing execution of fn.\r\n source?.cancel();\r\n\r\n if (timeout) {\r\n clearTimeout(timeout);\r\n timeout = null;\r\n }\r\n else if (eager && !isEagerExecutionInProgress) {\r\n // Execute immediately on the first call.\r\n isEagerExecutionInProgress = true;\r\n source = new CancellationTokenSource(parentCancellationToken);\r\n\r\n // Set the timeout before awaiting fn.\r\n timeout = setTimeout(() => {\r\n timeout = null;\r\n isEagerExecutionInProgress = false;\r\n }, delay);\r\n\r\n try {\r\n await fn(source.token);\r\n }\r\n catch (e) {\r\n console.error(e || \"Unknown error while debouncing async function call.\");\r\n throw e;\r\n }\r\n\r\n return;\r\n }\r\n\r\n // Schedule the function to run after the delay.\r\n source = new CancellationTokenSource(parentCancellationToken);\r\n const cts = source;\r\n timeout = setTimeout(async () => {\r\n try {\r\n await fn(cts.token);\r\n }\r\n catch (e) {\r\n console.error(e || \"Unknown error while debouncing async function call.\");\r\n throw e;\r\n }\r\n\r\n timeout = null;\r\n isEagerExecutionInProgress = false;\r\n }, delay);\r\n };\r\n}\r\n","import { Guid } from \"@Obsidian/Types\";\r\nimport { BlockBeginEditData, BlockEndEditData, BrowserBusCallback, BrowserBusOptions, Message, QueryStringChangedData } from \"@Obsidian/Types/Utility/browserBus\";\r\nimport { areEqual } from \"./guid\";\r\n\r\n/*\r\n * READ THIS BEFORE MAKING ANY CHANGES TO THE BUS.\r\n *\r\n * OVERVIEW\r\n *\r\n * The browser bus is a basic pubsub interface within a single page. If you\r\n * publish a message to one instance of the bus it will be available to any\r\n * other instance on the same page. This uses document.addEventListener()\r\n * and document.dispatchEvent() with a single custom event name of `rockMessage`.\r\n *\r\n * The browser bus will not communicate with other browsers on the same page or\r\n * even other tabs within the same browser.\r\n *\r\n * For full documentation, see the gitbook developer documentation.\r\n *\r\n * FRAMEWORK MESSAGES\r\n *\r\n * All \"framework\" messages should have a type defined in\r\n * @Obsidian/Types/Utility/browserBus that specify the data type expected. If\r\n * no data type is expected than `void` can be used as the type. Message data\r\n * should always be an object rather than a primitive. This allows us to add\r\n * additional values without it being a breaking change to existing code.\r\n *\r\n * Additionally, all framework messages should have their name defined in either\r\n * the PageMessages object or BlockMessages object. This is for uniformity so it\r\n * is easier for core code and plugins to subscribe to these messages and know\r\n * they got the right message name.\r\n *\r\n * SUBSCRIBE OVERLOADS\r\n *\r\n * When adding new framework messages, be sure to add overloads to the\r\n * subscribe, subscribeToBlock and subscribeToBlockType functions for that\r\n * message name and data type. This compiles away to nothing but provides a\r\n * much better TypeScript experience.\r\n */\r\n\r\n\r\n/**\r\n * Framework messages that will be sent for pages.\r\n */\r\nexport const PageMessages = {\r\n /**\r\n * Sent when the query string is changed outside the context of a page load.\r\n */\r\n QueryStringChanged: \"page.core.queryStringChanged\"\r\n} as const;\r\n\r\n/**\r\n * Framework messages that will be sent for blocks.\r\n */\r\nexport const BlockMessages = {\r\n /**\r\n * Sent just before a block switches into edit mode.\r\n */\r\n BeginEdit: \"block.core.beginEdit\",\r\n\r\n /**\r\n * Sent just after a block switches out of edit mode.\r\n */\r\n EndEdit: \"block.core.endEdit\",\r\n} as const;\r\n\r\n/**\r\n * Gets an object that will provide access to the browser bus. This bus will\r\n * allow different code on the page to send and receive messages betwen each\r\n * other as well as plain JavaScript. This bus does not cross page boundaries.\r\n *\r\n * Meaning, if you publish a message in one tab it will not show up in another\r\n * tab in the same (or a different) browser. Neither will messages magically\r\n * persist across page loads.\r\n *\r\n * If you call this method you are responsible for calling the {@link BrowserBus.dispose}\r\n * function when you are done with the bus. If you do not then your component\r\n * will probably never be garbage collected and your subscribed event handlers\r\n * will continue to be called.\r\n *\r\n * @param options Custom options to construct the {@link BrowserBus} object with. This should normally not be needed.\r\n *\r\n * @returns The object that provides access to the browser bus.\r\n */\r\nexport function useBrowserBus(options?: BrowserBusOptions): BrowserBus {\r\n return new BrowserBus(options ?? {});\r\n}\r\n\r\n// #region Internal Types\r\n\r\n/**\r\n * Internal message handler state that includes the filters used to decide\r\n * if the callback is valid for the message.\r\n */\r\ntype MessageHandler = {\r\n /** If not nullish messages must match this message name. */\r\n name?: string;\r\n\r\n /** If not nullish then messages must be from this block type. */\r\n blockType?: Guid;\r\n\r\n /** If not nullish them messages must be from this block instance. */\r\n block?: Guid;\r\n\r\n /** The callback that will be called. */\r\n callback: BrowserBusCallback;\r\n};\r\n\r\n// #endregion\r\n\r\n// #region Internal Implementation\r\n\r\n/** This is the JavaScript event name we use with dispatchEvent(). */\r\nconst customDomEventName = \"rockMessage\";\r\n\r\n/**\r\n * The main browser bus implementation. This uses a shared method to publish\r\n * and subscribe to messages such that if you create two BrowserBus instances on\r\n * the same page they will still be able to talk to each other.\r\n *\r\n * However, they will not be able to talk to instances on other pages such as\r\n * in other browser tabs.\r\n */\r\nexport class BrowserBus {\r\n /** The registered handlers that will potentially be invoked. */\r\n private handlers: MessageHandler[] = [];\r\n\r\n /** The options we were created with. */\r\n private options: BrowserBusOptions;\r\n\r\n /** The event listener. Used so we can remove the listener later. */\r\n private eventListener: (e: Event) => void;\r\n\r\n /**\r\n * Creates a new instance of the bus and prepares it to receive messages.\r\n *\r\n * This should be considered an internal constructor and not used by plugins.\r\n *\r\n * @param options The options that describe how this instance should operate.\r\n */\r\n constructor(options: BrowserBusOptions) {\r\n this.options = { ...options };\r\n\r\n this.eventListener = e => this.onEvent(e);\r\n document.addEventListener(customDomEventName, this.eventListener);\r\n }\r\n\r\n // #region Private Functions\r\n\r\n /**\r\n * Called when an event is received from the document listener.\r\n *\r\n * @param event The low level JavaScript even that was received.\r\n */\r\n private onEvent(event: Event): void {\r\n if (!(event instanceof CustomEvent)) {\r\n return;\r\n }\r\n\r\n let message = event.detail as Message;\r\n\r\n // Discard the message if it is not valid.\r\n if (!message.name) {\r\n return;\r\n }\r\n\r\n // If we got a message without a timestamp, it probably came from\r\n // plain JavaScript, so set it to 0.\r\n if (typeof message.timestamp === \"undefined\") {\r\n message = { ...message, timestamp: 0 };\r\n }\r\n\r\n this.onMessage(message);\r\n }\r\n\r\n /**\r\n * Called when a browser bus message is received from the bus.\r\n *\r\n * @param message The message that was received.\r\n */\r\n private onMessage(message: Message): void {\r\n // Make a copy of the handlers in case our list of handlers if modified\r\n // inside a handler.\r\n const handlers = [...this.handlers];\r\n\r\n for (const handler of handlers) {\r\n try {\r\n // Perform all the filtering. We could do this all in one\r\n // line but this is easier to read and understand.\r\n if (handler.name && handler.name !== message.name) {\r\n continue;\r\n }\r\n\r\n if (handler.blockType && !areEqual(handler.blockType, message.blockType)) {\r\n continue;\r\n }\r\n\r\n if (handler.block && !areEqual(handler.block, message.block)) {\r\n continue;\r\n }\r\n\r\n // All filters passed, execute the callback.\r\n handler.callback(message);\r\n }\r\n catch (e) {\r\n // Catch the error and display it so other handlers will still\r\n // be checked and called.\r\n console.error(e);\r\n }\r\n }\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Public Functions\r\n\r\n /**\r\n * Frees up any resources used by this browser bus instance.\r\n */\r\n public dispose(): void {\r\n document.removeEventListener(customDomEventName, this.eventListener);\r\n this.handlers.splice(0, this.handlers.length);\r\n }\r\n\r\n /**\r\n * Publishes a named message without any data.\r\n *\r\n * @param messageName The name of the message to publish.\r\n */\r\n public publish(messageName: string): void;\r\n\r\n /**\r\n * Publishes a named message with some custom data.\r\n *\r\n * @param messageName The name of the message to publish.\r\n * @param data The custom data to include with the message.\r\n */\r\n public publish(messageName: string, data: unknown): void;\r\n\r\n /**\r\n * Publishes a named message with some custom data.\r\n *\r\n * @param messageName The name of the message to publish.\r\n * @param data The custom data to include with the message.\r\n */\r\n public publish(messageName: string, data?: unknown): void {\r\n this.publishMessage({\r\n name: messageName,\r\n timestamp: Date.now(),\r\n blockType: this.options.blockType,\r\n block: this.options.block,\r\n data\r\n });\r\n }\r\n\r\n /**\r\n * Publishes a message to the browser bus. No changes are made to the\r\n * message object.\r\n *\r\n * Do not use this message to publish a block message unless you have\r\n * manually filled in the {@link Message.blockType} and\r\n * {@link Message.block} properties.\r\n *\r\n * @param message The message to publish.\r\n */\r\n public publishMessage(message: Message): void {\r\n const event = new CustomEvent(customDomEventName, {\r\n detail: message\r\n });\r\n\r\n document.dispatchEvent(event);\r\n }\r\n\r\n // #endregion\r\n\r\n // #region subscribe()\r\n\r\n /**\r\n * Subscribes to the named message from any source.\r\n *\r\n * @param messageName The name of the message to subscribe to.\r\n * @param callback The callback to invoke when the message is received.\r\n */\r\n public subscribe(messageName: string, callback: BrowserBusCallback): void;\r\n\r\n /**\r\n * Subscribes to the named message from any source.\r\n *\r\n * @param messageName The name of the message to subscribe to.\r\n * @param callback The callback to invoke when the message is received.\r\n */\r\n public subscribe(messageName: \"page.core.queryStringChanged\", callback: BrowserBusCallback): void;\r\n\r\n /**\r\n * Subscribes to the named message from any source.\r\n *\r\n * @param messageName The name of the message to subscribe to.\r\n * @param callback The callback to invoke when the message is received.\r\n */\r\n public subscribe(messageName: \"block.core.beginEdit\", callback: BrowserBusCallback): void;\r\n\r\n /**\r\n * Subscribes to the named message from any source.\r\n *\r\n * @param messageName The name of the message to subscribe to.\r\n * @param callback The callback to invoke when the message is received.\r\n */\r\n public subscribe(messageName: \"block.core.endEdit\", callback: BrowserBusCallback): void;\r\n\r\n /**\r\n * Subscribes to any message that is sent.\r\n *\r\n * @param callback The callback to invoke when the message is received.\r\n */\r\n public subscribe(callback: BrowserBusCallback): void;\r\n\r\n /**\r\n * Subscribes to messages from any source.\r\n *\r\n * @param messageNameOrCallback The name of the message to subscribe to or the callback.\r\n * @param callback The callback to invoke when the message is received.\r\n */\r\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\r\n public subscribe(messageNameOrCallback: string | BrowserBusCallback, callback?: BrowserBusCallback): void {\r\n let name: string | undefined;\r\n\r\n if (typeof messageNameOrCallback === \"string\") {\r\n name = messageNameOrCallback;\r\n }\r\n else {\r\n name = undefined;\r\n callback = messageNameOrCallback;\r\n }\r\n\r\n if (!callback) {\r\n return;\r\n }\r\n\r\n this.handlers.push({\r\n name,\r\n callback\r\n });\r\n }\r\n\r\n // #endregion\r\n\r\n // #region subscribeToBlockType()\r\n\r\n /**\r\n * Subscribes to the named message from any block instance with a matching\r\n * block type identifier.\r\n *\r\n * @param messageName The name of the message to subscribe to.\r\n * @param blockType The identifier of the block type.\r\n * @param callback The callback to invoke when the message is received.\r\n */\r\n public subscribeToBlockType(messageName: string, blockType: Guid, callback: BrowserBusCallback): void;\r\n\r\n /**\r\n * Subscribes to the named message from any block instance with a matching\r\n * block type identifier.\r\n *\r\n * @param messageName The name of the message to subscribe to.\r\n * @param blockType The identifier of the block type.\r\n * @param callback The callback to invoke when the message is received.\r\n */\r\n public subscribeToBlockType(messageName: \"block.core.beginEdit\", blockType: Guid, callback: BrowserBusCallback): void;\r\n\r\n /**\r\n * Subscribes to the named message from any block instance with a matching\r\n * block type identifier.\r\n *\r\n * @param messageName The name of the message to subscribe to.\r\n * @param blockType The identifier of the block type.\r\n * @param callback The callback to invoke when the message is received.\r\n */\r\n public subscribeToBlockType(messageName: \"block.core.endEdit\", blockType: Guid, callback: BrowserBusCallback): void;\r\n\r\n /**\r\n * Subscribes to any message that is sent from any block instance with a\r\n * matching block type identifier.\r\n *\r\n * @param blockType The identifier of the block type.\r\n * @param callback The callback to invoke when the message is received.\r\n */\r\n public subscribeToBlockType(blockType: Guid, callback: BrowserBusCallback): void;\r\n\r\n /**\r\n * Subscribes to messages from any block instance with a matching block\r\n * type identifier.\r\n *\r\n * @param messageNameOrBlockType The name of the message to subscribe to or the block type.\r\n * @param blockTypeOrCallback The block type or the callback function.\r\n * @param callback The callback to invoke when the message is received.\r\n */\r\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\r\n public subscribeToBlockType(messageNameOrBlockType: string | Guid, blockTypeOrCallback: Guid | BrowserBusCallback, callback?: BrowserBusCallback): void {\r\n let name: string | undefined;\r\n let blockType: Guid;\r\n\r\n if (typeof blockTypeOrCallback === \"string\") {\r\n name = messageNameOrBlockType;\r\n blockType = blockTypeOrCallback;\r\n }\r\n else {\r\n blockType = messageNameOrBlockType;\r\n callback = blockTypeOrCallback;\r\n }\r\n\r\n if (!blockType || !callback) {\r\n return;\r\n }\r\n\r\n this.handlers.push({\r\n name,\r\n blockType,\r\n callback\r\n });\r\n }\r\n\r\n // #endregion\r\n\r\n // #region subscribeToBlock()\r\n\r\n /**\r\n * Subscribes to the named message from a single block instance.\r\n *\r\n * @param messageName The name of the message to subscribe to.\r\n * @param block The identifier of the block.\r\n * @param callback The callback to invoke when the message is received.\r\n */\r\n public subscribeToBlock(messageName: string, block: Guid, callback: BrowserBusCallback): void;\r\n\r\n /**\r\n * Subscribes to the named message from a single block instance.\r\n *\r\n * @param messageName The name of the message to subscribe to.\r\n * @param block The identifier of the block.\r\n * @param callback The callback to invoke when the message is received.\r\n */\r\n public subscribeToBlock(messageName: \"block.core.beginEdit\", block: Guid, callback: BrowserBusCallback): void;\r\n\r\n /**\r\n * Subscribes to the named message from a single block instance.\r\n *\r\n * @param messageName The name of the message to subscribe to.\r\n * @param block The identifier of the block.\r\n * @param callback The callback to invoke when the message is received.\r\n */\r\n public subscribeToBlock(messageName: \"block.core.endEdit\", block: Guid, callback: BrowserBusCallback): void;\r\n\r\n /**\r\n * Subscribes to any message that is sent from a single block instance.\r\n *\r\n * @param block The identifier of the block.\r\n * @param callback The callback to invoke when the message is received.\r\n */\r\n public subscribeToBlock(block: Guid, callback: BrowserBusCallback): void;\r\n\r\n /**\r\n * Subscribes to messages from a single block instance.\r\n *\r\n * @param messageNameOrBlock The name of the message to subscribe to or the block.\r\n * @param blockOrCallback The block or the callback function.\r\n * @param callback The callback to invoke when the message is received.\r\n */\r\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\r\n public subscribeToBlock(messageNameOrBlock: string | Guid, blockOrCallback: Guid | BrowserBusCallback, callback?: BrowserBusCallback): void {\r\n let name: string | undefined;\r\n let block: Guid;\r\n\r\n if (typeof blockOrCallback === \"string\") {\r\n name = messageNameOrBlock;\r\n block = blockOrCallback;\r\n }\r\n else {\r\n block = messageNameOrBlock;\r\n callback = blockOrCallback;\r\n }\r\n\r\n if (!block || !callback) {\r\n return;\r\n }\r\n\r\n this.handlers.push({\r\n name,\r\n block,\r\n callback\r\n });\r\n }\r\n\r\n // #endregion\r\n}\r\n\r\n// #endregion\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { BlockEvent, InvokeBlockActionFunc, SecurityGrant } from \"@Obsidian/Types/Utility/block\";\r\nimport { IBlockPersonPreferencesProvider, IPersonPreferenceCollection } from \"@Obsidian/Types/Core/personPreferences\";\r\nimport { ExtendedRef } from \"@Obsidian/Types/Utility/component\";\r\nimport { DetailBlockBox } from \"@Obsidian/ViewModels/Blocks/detailBlockBox\";\r\nimport { inject, provide, Ref, ref, watch } from \"vue\";\r\nimport { RockDateTime } from \"./rockDateTime\";\r\nimport { Guid } from \"@Obsidian/Types\";\r\nimport { HttpBodyData, HttpPostFunc, HttpResult } from \"@Obsidian/Types/Utility/http\";\r\nimport { BlockActionContextBag } from \"@Obsidian/ViewModels/Blocks/blockActionContextBag\";\r\nimport { ValidPropertiesBox } from \"@Obsidian/ViewModels/Utility/validPropertiesBox\";\r\nimport { IEntity } from \"@Obsidian/ViewModels/entity\";\r\nimport { debounce } from \"./util\";\r\nimport { BrowserBus, useBrowserBus } from \"./browserBus\";\r\n\r\nconst blockReloadSymbol = Symbol();\r\nconst configurationValuesChangedSymbol = Symbol();\r\nconst staticContentSymbol = Symbol(\"static-content\");\r\nconst blockBrowserBusSymbol = Symbol(\"block-browser-bus\");\r\n\r\n// TODO: Change these to use symbols\r\n\r\n/**\r\n * Maps the block configuration values to the expected type.\r\n *\r\n * @returns The configuration values for the block.\r\n */\r\nexport function useConfigurationValues(): T {\r\n const result = inject>(\"configurationValues\");\r\n\r\n if (result === undefined) {\r\n throw \"Attempted to access block configuration outside of a RockBlock.\";\r\n }\r\n\r\n return result.value;\r\n}\r\n\r\n/**\r\n * Gets the function that will be used to invoke block actions.\r\n *\r\n * @returns An instance of @see {@link InvokeBlockActionFunc}.\r\n */\r\nexport function useInvokeBlockAction(): InvokeBlockActionFunc {\r\n const result = inject(\"invokeBlockAction\");\r\n\r\n if (result === undefined) {\r\n throw \"Attempted to access block action invocation outside of a RockBlock.\";\r\n }\r\n\r\n return result;\r\n}\r\n\r\n/**\r\n * Gets the function that will return the URL for a block action.\r\n *\r\n * @returns A function that can be called to determine the URL for a block action.\r\n */\r\nexport function useBlockActionUrl(): (actionName: string) => string {\r\n const result = inject<(actionName: string) => string>(\"blockActionUrl\");\r\n\r\n if (result === undefined) {\r\n throw \"Attempted to access block action URL outside of a RockBlock.\";\r\n }\r\n\r\n return result;\r\n}\r\n\r\n/**\r\n * Creates a function that can be provided to the block that allows calling\r\n * block actions.\r\n *\r\n * @private This should not be used by plugins.\r\n *\r\n * @param post The function to handle the post operation.\r\n * @param pageGuid The unique identifier of the page.\r\n * @param blockGuid The unique identifier of the block.\r\n * @param pageParameters The parameters to include with the block action calls.\r\n *\r\n * @returns A function that can be used to provide the invoke block action.\r\n */\r\nexport function createInvokeBlockAction(post: HttpPostFunc, pageGuid: Guid, blockGuid: Guid, pageParameters: Record, interactionGuid: Guid): InvokeBlockActionFunc {\r\n async function invokeBlockAction(actionName: string, data: HttpBodyData | undefined = undefined, actionContext: BlockActionContextBag | undefined = undefined): Promise> {\r\n let context: BlockActionContextBag = {};\r\n\r\n if (actionContext) {\r\n context = { ...actionContext };\r\n }\r\n\r\n context.pageParameters = pageParameters;\r\n context.interactionGuid = interactionGuid;\r\n\r\n return await post(`/api/v2/BlockActions/${pageGuid}/${blockGuid}/${actionName}`, undefined, {\r\n __context: context,\r\n ...data\r\n });\r\n }\r\n\r\n return invokeBlockAction;\r\n}\r\n\r\n/**\r\n * Provides the reload block callback function for a block. This is an internal\r\n * method and should not be used by plugins.\r\n *\r\n * @param callback The callback that will be called when a block wants to reload itself.\r\n */\r\nexport function provideReloadBlock(callback: () => void): void {\r\n provide(blockReloadSymbol, callback);\r\n}\r\n\r\n/**\r\n * Gets a function that can be called when a block wants to reload itself.\r\n *\r\n * @returns A function that will cause the block component to be reloaded.\r\n */\r\nexport function useReloadBlock(): () => void {\r\n return inject<() => void>(blockReloadSymbol, () => {\r\n // Intentionally blank, do nothing by default.\r\n });\r\n}\r\n\r\n/**\r\n * Provides the data for a block to be notified when its configuration values\r\n * have changed. This is an internal method and should not be used by plugins.\r\n *\r\n * @returns An object with an invoke and reset function.\r\n */\r\nexport function provideConfigurationValuesChanged(): { invoke: () => void, reset: () => void } {\r\n const callbacks: (() => void)[] = [];\r\n\r\n provide(configurationValuesChangedSymbol, callbacks);\r\n\r\n return {\r\n invoke: (): void => {\r\n for (const c of callbacks) {\r\n c();\r\n }\r\n },\r\n\r\n reset: (): void => {\r\n callbacks.splice(0, callbacks.length);\r\n }\r\n };\r\n}\r\n\r\n/**\r\n * Registered a function to be called when the block configuration values have\r\n * changed.\r\n *\r\n * @param callback The function to be called when the configuration values have changed.\r\n */\r\nexport function onConfigurationValuesChanged(callback: () => void): void {\r\n const callbacks = inject<(() => void)[]>(configurationValuesChangedSymbol);\r\n\r\n if (callbacks !== undefined) {\r\n callbacks.push(callback);\r\n }\r\n}\r\n\r\n/**\r\n * Provides the static content that the block provided on the server.\r\n *\r\n * @param content The static content from the server.\r\n */\r\nexport function provideStaticContent(content: Ref): void {\r\n provide(staticContentSymbol, content);\r\n}\r\n\r\n/**\r\n * Gets the static content that was provided by the block on the server.\r\n *\r\n * @returns A string of HTML content or undefined.\r\n */\r\nexport function useStaticContent(): Node[] {\r\n const content = inject>(staticContentSymbol);\r\n\r\n if (!content) {\r\n return [];\r\n }\r\n\r\n return content.value;\r\n}\r\n\r\n/**\r\n * Provides the browser bus configured to publish messages for the current\r\n * block.\r\n *\r\n * @param bus The browser bus.\r\n */\r\nexport function provideBlockBrowserBus(bus: BrowserBus): void {\r\n provide(blockBrowserBusSymbol, bus);\r\n}\r\n\r\n/**\r\n * Gets the browser bus configured for use by the current block. If available\r\n * this will be properly configured to publish messages with the correct block\r\n * and block type. If this is called outside the context of a block then a\r\n * generic use {@link BrowserBus} will be returned.\r\n *\r\n * @returns An instance of {@link BrowserBus}.\r\n */\r\nexport function useBlockBrowserBus(): BrowserBus {\r\n return inject(blockBrowserBusSymbol, () => useBrowserBus(), true);\r\n}\r\n\r\n\r\n/**\r\n * A type that returns the keys of a child property.\r\n */\r\ntype ChildKeys, PropertyName extends string> = keyof NonNullable & string;\r\n\r\n/**\r\n * A valid properties box that uses the specified name for the content bag.\r\n */\r\ntype ValidPropertiesSettingsBox = {\r\n validProperties?: string[] | null;\r\n} & {\r\n settings?: Record | null;\r\n};\r\n\r\n/**\r\n * Sets the a value for a custom settings box. This will set the value and then\r\n * add the property name to the list of valid properties.\r\n *\r\n * @param box The box whose custom setting value will be set.\r\n * @param propertyName The name of the custom setting property to set.\r\n * @param value The new value of the custom setting.\r\n */\r\nexport function setCustomSettingsBoxValue, K extends ChildKeys>(box: T, propertyName: K, value: S[K]): void {\r\n if (!box.settings) {\r\n box.settings = {} as Record;\r\n }\r\n\r\n box.settings[propertyName] = value;\r\n\r\n if (!box.validProperties) {\r\n box.validProperties = [];\r\n }\r\n\r\n if (!box.validProperties.includes(propertyName)) {\r\n box.validProperties.push(propertyName);\r\n }\r\n}\r\n\r\n/**\r\n * Sets the a value for a property box. This will set the value and then\r\n * add the property name to the list of valid properties.\r\n *\r\n * @param box The box whose property value will be set.\r\n * @param propertyName The name of the property on the bag to set.\r\n * @param value The new value of the property.\r\n */\r\nexport function setPropertiesBoxValue, K extends keyof T & string>(box: ValidPropertiesBox, propertyName: K, value: T[K]): void {\r\n if (!box.bag) {\r\n box.bag = {} as Record as T;\r\n }\r\n\r\n box.bag[propertyName] = value;\r\n\r\n if (!box.validProperties) {\r\n box.validProperties = [];\r\n }\r\n\r\n if (!box.validProperties.some(p => p.toLowerCase() === propertyName.toLowerCase())) {\r\n box.validProperties.push(propertyName);\r\n }\r\n}\r\n\r\n/**\r\n * Dispatches a block event to the document.\r\n *\r\n * @deprecated Do not use this function anymore, it will be removed in the future.\r\n * Use the BrowserBus instead.\r\n *\r\n * @param eventName The name of the event to be dispatched.\r\n * @param eventData The custom data to be attached to the event.\r\n *\r\n * @returns true if preventDefault() was called on the event, otherwise false.\r\n */\r\nexport function dispatchBlockEvent(eventName: string, blockGuid: Guid, eventData?: unknown): boolean {\r\n const ev = new CustomEvent(eventName, {\r\n cancelable: true,\r\n detail: {\r\n guid: blockGuid,\r\n data: eventData\r\n }\r\n });\r\n\r\n return document.dispatchEvent(ev);\r\n}\r\n\r\n/**\r\n * Tests if the given event is a custom block event. This does not ensure\r\n * that the event data is the correct type, only the event itself.\r\n *\r\n * @param event The event to be tested.\r\n *\r\n * @returns true if the event is a block event.\r\n */\r\nexport function isBlockEvent(event: Event): event is CustomEvent> {\r\n return \"guid\" in event && \"data\" in event;\r\n}\r\n\r\n// #region Entity Detail Blocks\r\n\r\nconst entityTypeNameSymbol = Symbol(\"EntityTypeName\");\r\nconst entityTypeGuidSymbol = Symbol(\"EntityTypeGuid\");\r\n\r\ntype UseEntityDetailBlockOptions = {\r\n /** The block configuration. */\r\n blockConfig: Record;\r\n\r\n /**\r\n * The entity that will be used by the block, this will cause the\r\n * onPropertyChanged logic to be generated.\r\n */\r\n entity?: Ref>;\r\n};\r\n\r\ntype UseEntityDetailBlockResult = {\r\n /** The onPropertyChanged handler for the edit panel. */\r\n onPropertyChanged?(propertyName: string): void;\r\n};\r\n\r\n/**\r\n * Performs any framework-level initialization of an entity detail block.\r\n *\r\n * @param options The options to use when initializing the detail block logic.\r\n *\r\n * @returns An object that contains information which can be used by the block.\r\n */\r\nexport function useEntityDetailBlock(options: UseEntityDetailBlockOptions): UseEntityDetailBlockResult {\r\n const securityGrant = getSecurityGrant(options.blockConfig.securityGrantToken as string);\r\n\r\n provideSecurityGrant(securityGrant);\r\n\r\n if (options.blockConfig.entityTypeName) {\r\n provideEntityTypeName(options.blockConfig.entityTypeName as string);\r\n }\r\n\r\n if (options.blockConfig.entityTypeGuid) {\r\n provideEntityTypeGuid(options.blockConfig.entityTypeGuid as Guid);\r\n }\r\n\r\n const entity = options.entity;\r\n\r\n const result: Record = {};\r\n\r\n if (entity) {\r\n const invokeBlockAction = useInvokeBlockAction();\r\n const refreshAttributesDebounce = debounce(() => refreshEntityDetailAttributes(entity, invokeBlockAction), undefined, true);\r\n\r\n result.onPropertyChanged = (propertyName: string): void => {\r\n // If we don't have any qualified attribute properties or this property\r\n // is not one of them then do nothing.\r\n if (!options.blockConfig.qualifiedAttributeProperties || !(options.blockConfig.qualifiedAttributeProperties as string[]).some(n => n.toLowerCase() === propertyName.toLowerCase())) {\r\n return;\r\n }\r\n\r\n refreshAttributesDebounce();\r\n };\r\n }\r\n\r\n return result;\r\n}\r\n\r\n/**\r\n * Provides the entity type name to child components.\r\n *\r\n * @param name The entity type name in PascalCase, such as `GroupMember`.\r\n */\r\nexport function provideEntityTypeName(name: string): void {\r\n provide(entityTypeNameSymbol, name);\r\n}\r\n\r\n/**\r\n * Gets the entity type name provided from a parent component.\r\n *\r\n * @returns The entity type name in PascalCase, such as `GroupMember` or undefined.\r\n */\r\nexport function useEntityTypeName(): string | undefined {\r\n return inject(entityTypeNameSymbol, undefined);\r\n}\r\n\r\n/**\r\n * Provides the entity type unique identifier to child components.\r\n *\r\n * @param guid The entity type unique identifier.\r\n */\r\nexport function provideEntityTypeGuid(guid: Guid): void {\r\n provide(entityTypeGuidSymbol, guid);\r\n}\r\n\r\n/**\r\n * Gets the entity type unique identifier provided from a parent component.\r\n *\r\n * @returns The entity type unique identifier or undefined.\r\n */\r\nexport function useEntityTypeGuid(): Guid | undefined {\r\n return inject(entityTypeGuidSymbol, undefined);\r\n}\r\n\r\n// #endregion\r\n\r\n// #region Security Grants\r\n\r\nconst securityGrantSymbol = Symbol();\r\n\r\n/**\r\n * Use a security grant token value provided by the server. This returns a reference\r\n * to the actual value and will automatically handle renewing the token and updating\r\n * the value. This function is meant to be used by blocks. Controls should use the\r\n * useSecurityGrant() function instead.\r\n *\r\n * @param token The token provided by the server.\r\n *\r\n * @returns A reference to the security grant that will be updated automatically when it has been renewed.\r\n */\r\nexport function getSecurityGrant(token: string | null | undefined): SecurityGrant {\r\n // Use || so that an empty string gets converted to null.\r\n const tokenRef = ref(token || null);\r\n const invokeBlockAction = useInvokeBlockAction();\r\n let renewalTimeout: NodeJS.Timeout | null = null;\r\n\r\n // Internal function to renew the token and re-schedule renewal.\r\n const renewToken = async (): Promise => {\r\n const result = await invokeBlockAction(\"RenewSecurityGrantToken\");\r\n\r\n if (result.isSuccess && result.data) {\r\n tokenRef.value = result.data;\r\n\r\n scheduleRenewal();\r\n }\r\n };\r\n\r\n // Internal function to schedule renewal based on the expiration date in\r\n // the existing token. Renewal happens 15 minutes before expiration.\r\n const scheduleRenewal = (): void => {\r\n // Cancel any existing renewal timer.\r\n if (renewalTimeout !== null) {\r\n clearTimeout(renewalTimeout);\r\n renewalTimeout = null;\r\n }\r\n\r\n // No token, nothing to do.\r\n if (tokenRef.value === null) {\r\n return;\r\n }\r\n\r\n const segments = tokenRef.value?.split(\";\");\r\n\r\n // Token not in expected format.\r\n if (segments.length !== 3 || segments[0] !== \"1\") {\r\n return;\r\n }\r\n\r\n const expiresDateTime = RockDateTime.parseISO(segments[1]);\r\n\r\n // Could not parse expiration date and time.\r\n if (expiresDateTime === null) {\r\n return;\r\n }\r\n\r\n const renewTimeout = expiresDateTime.addMinutes(-15).toMilliseconds() - RockDateTime.now().toMilliseconds();\r\n\r\n // Renewal request would be in the past, ignore.\r\n if (renewTimeout < 0) {\r\n return;\r\n }\r\n\r\n // Schedule the renewal task to happen 15 minutes before expiration.\r\n renewalTimeout = setTimeout(renewToken, renewTimeout);\r\n };\r\n\r\n scheduleRenewal();\r\n\r\n return {\r\n token: tokenRef,\r\n updateToken(newToken) {\r\n tokenRef.value = newToken || null;\r\n scheduleRenewal();\r\n }\r\n };\r\n}\r\n\r\n/**\r\n * Provides the security grant to child components to use in their API calls.\r\n *\r\n * @param grant The grant ot provide to child components.\r\n */\r\nexport function provideSecurityGrant(grant: SecurityGrant): void {\r\n provide(securityGrantSymbol, grant);\r\n}\r\n\r\n/**\r\n * Uses a previously provided security grant token by a parent component.\r\n * This function is meant to be used by controls that need to obtain a security\r\n * grant from a parent component.\r\n *\r\n * @returns A string reference that contains the security grant token.\r\n */\r\nexport function useSecurityGrantToken(): Ref {\r\n const grant = inject(securityGrantSymbol);\r\n\r\n return grant ? grant.token : ref(null);\r\n}\r\n\r\n// #endregion\r\n\r\n// #region Extended References\r\n\r\n/** An emit object that conforms to having a propertyChanged event. */\r\n// eslint-disable-next-line @typescript-eslint/no-explicit-any\r\nexport type PropertyChangedEmitFn = E extends Array ? (event: EE, ...args: any[]) => void : (event: E, ...args: any[]) => void;\r\n\r\n/**\r\n * Watches for changes to the given Ref objects and emits a special event to\r\n * indicate that a given property has changed.\r\n *\r\n * @param propertyRefs The ExtendedRef objects to watch for changes.\r\n * @param emit The emit function for the component.\r\n */\r\nexport function watchPropertyChanges(propertyRefs: ExtendedRef[], emit: PropertyChangedEmitFn): void {\r\n for (const propRef of propertyRefs) {\r\n watch(propRef, () => {\r\n if (propRef.context.propertyName) {\r\n emit(\"propertyChanged\", propRef.context.propertyName);\r\n }\r\n });\r\n }\r\n}\r\n\r\n/**\r\n * Requests an updated attribute list from the server based on the\r\n * current UI selections made.\r\n *\r\n * @param box The valid properties box that will be used to determine current\r\n * property values and then updated with the new attributes and values.\r\n * @param invokeBlockAction The function to use when calling the block action.\r\n */\r\nasync function refreshEntityDetailAttributes(box: Ref>, invokeBlockAction: InvokeBlockActionFunc): Promise {\r\n const result = await invokeBlockAction>(\"RefreshAttributes\", {\r\n box: box.value\r\n });\r\n\r\n if (result.isSuccess) {\r\n if (result.statusCode === 200 && result.data && box.value) {\r\n const newBox: ValidPropertiesBox = {\r\n ...box.value,\r\n bag: {\r\n ...box.value.bag as TEntityBag,\r\n attributes: result.data.bag?.attributes,\r\n attributeValues: result.data.bag?.attributeValues\r\n }\r\n };\r\n\r\n box.value = newBox;\r\n }\r\n }\r\n}\r\n\r\n/**\r\n * Requests an updated attribute list from the server based on the\r\n * current UI selections made.\r\n *\r\n * @param bag The entity bag that will be used to determine current property values\r\n * and then updated with the new attributes and values.\r\n * @param validProperties The properties that are considered valid on the bag when\r\n * the server will read the bag.\r\n * @param invokeBlockAction The function to use when calling the block action.\r\n */\r\nexport async function refreshDetailAttributes(bag: Ref, validProperties: string[], invokeBlockAction: InvokeBlockActionFunc): Promise {\r\n const data: DetailBlockBox = {\r\n entity: bag.value,\r\n isEditable: true,\r\n validProperties: validProperties\r\n };\r\n\r\n const result = await invokeBlockAction, unknown>>(\"RefreshAttributes\", {\r\n box: data\r\n });\r\n\r\n if (result.isSuccess) {\r\n if (result.statusCode === 200 && result.data && bag.value) {\r\n const newBag: TEntityBag = {\r\n ...bag.value,\r\n attributes: result.data.entity?.attributes,\r\n attributeValues: result.data.entity?.attributeValues\r\n };\r\n\r\n bag.value = newBag;\r\n }\r\n }\r\n}\r\n\r\n// #endregion Extended Refs\r\n\r\n// #region Block and BlockType Guid\r\n\r\nconst blockGuidSymbol = Symbol(\"block-guid\");\r\nconst blockTypeGuidSymbol = Symbol(\"block-type-guid\");\r\n\r\n/**\r\n * Provides the block unique identifier to all child components.\r\n * This is an internal method and should not be used by plugins.\r\n *\r\n * @param blockGuid The unique identifier of the block.\r\n */\r\nexport function provideBlockGuid(blockGuid: string): void {\r\n provide(blockGuidSymbol, blockGuid);\r\n}\r\n\r\n/**\r\n * Gets the unique identifier of the current block in this component chain.\r\n *\r\n * @returns The unique identifier of the block.\r\n */\r\nexport function useBlockGuid(): Guid | undefined {\r\n return inject(blockGuidSymbol);\r\n}\r\n\r\n/**\r\n * Provides the block type unique identifier to all child components.\r\n * This is an internal method and should not be used by plugins.\r\n *\r\n * @param blockTypeGuid The unique identifier of the block type.\r\n */\r\nexport function provideBlockTypeGuid(blockTypeGuid: string): void {\r\n provide(blockTypeGuidSymbol, blockTypeGuid);\r\n}\r\n\r\n/**\r\n * Gets the block type unique identifier of the current block in this component\r\n * chain.\r\n *\r\n * @returns The unique identifier of the block type.\r\n */\r\nexport function useBlockTypeGuid(): Guid | undefined {\r\n return inject(blockTypeGuidSymbol);\r\n}\r\n\r\n// #endregion\r\n\r\n// #region Person Preferences\r\n\r\nconst blockPreferenceProviderSymbol = Symbol();\r\n\r\n/** An no-op implementation of {@link IPersonPreferenceCollection}. */\r\nconst emptyPreferences: IPersonPreferenceCollection = {\r\n getValue(): string {\r\n return \"\";\r\n },\r\n setValue(): void {\r\n // Intentionally empty.\r\n },\r\n getKeys(): string[] {\r\n return [];\r\n },\r\n containsKey(): boolean {\r\n return false;\r\n },\r\n save(): Promise {\r\n return Promise.resolve();\r\n },\r\n withPrefix(): IPersonPreferenceCollection {\r\n return emptyPreferences;\r\n },\r\n on(): void {\r\n // Intentionally empty.\r\n },\r\n off(): void {\r\n // Intentionally empty.\r\n }\r\n};\r\n\r\nconst emptyPreferenceProvider: IBlockPersonPreferencesProvider = {\r\n blockPreferences: emptyPreferences,\r\n getGlobalPreferences() {\r\n return Promise.resolve(emptyPreferences);\r\n },\r\n getEntityPreferences() {\r\n return Promise.resolve(emptyPreferences);\r\n }\r\n};\r\n\r\n/**\r\n * Provides the person preferences provider that will be used by components\r\n * to access the person preferences associated with their block.\r\n *\r\n * @private This is an internal method and should not be used by plugins.\r\n *\r\n * @param blockGuid The unique identifier of the block.\r\n */\r\nexport function providePersonPreferences(provider: IBlockPersonPreferencesProvider): void {\r\n provide(blockPreferenceProviderSymbol, provider);\r\n}\r\n\r\n/**\r\n * Gets the person preference provider that can be used to access block\r\n * preferences as well as other preferences.\r\n *\r\n * @returns An object that implements {@link IBlockPersonPreferencesProvider}.\r\n */\r\nexport function usePersonPreferences(): IBlockPersonPreferencesProvider {\r\n return inject(blockPreferenceProviderSymbol)\r\n ?? emptyPreferenceProvider;\r\n}\r\n\r\n// #endregion\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\n/**\r\n * Transform the value into true, false, or null\r\n * @param val\r\n */\r\nexport function asBooleanOrNull(val: unknown): boolean | null {\r\n if (val === undefined || val === null) {\r\n return null;\r\n }\r\n\r\n if (typeof val === \"boolean\") {\r\n return val;\r\n }\r\n\r\n if (typeof val === \"string\") {\r\n const asString = (val || \"\").trim().toLowerCase();\r\n\r\n if (!asString) {\r\n return null;\r\n }\r\n\r\n return [\"true\", \"yes\", \"t\", \"y\", \"1\"].indexOf(asString) !== -1;\r\n }\r\n\r\n if (typeof val === \"number\") {\r\n return !!val;\r\n }\r\n\r\n return null;\r\n}\r\n\r\n/**\r\n * Transform the value into true or false\r\n * @param val\r\n */\r\nexport function asBoolean(val: unknown): boolean {\r\n return !!asBooleanOrNull(val);\r\n}\r\n\r\n/** Transform the value into the strings \"Yes\", \"No\", or null */\r\nexport function asYesNoOrNull(val: unknown): \"Yes\" | \"No\" | null {\r\n const boolOrNull = asBooleanOrNull(val);\r\n\r\n if (boolOrNull === null) {\r\n return null;\r\n }\r\n\r\n return boolOrNull ? \"Yes\" : \"No\";\r\n}\r\n\r\n/** Transform the value into the strings \"True\", \"False\", or null */\r\nexport function asTrueFalseOrNull(val: unknown): \"True\" | \"False\" | null {\r\n const boolOrNull = asBooleanOrNull(val);\r\n\r\n if (boolOrNull === null) {\r\n return null;\r\n }\r\n\r\n return boolOrNull ? \"True\" : \"False\";\r\n}\r\n\r\n/** Transform the value into the strings \"True\" if truthy or \"False\" if falsey */\r\nexport function asTrueOrFalseString(val: unknown): \"True\" | \"False\" {\r\n const boolOrNull = asBooleanOrNull(val);\r\n\r\n return boolOrNull ? \"True\" : \"False\";\r\n}\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n\r\nimport { RockDateTime } from \"./rockDateTime\";\r\n\r\n//\r\ntype CacheEntry = {\r\n value: T;\r\n expiration: number;\r\n};\r\n\r\n/**\r\n* Stores the value using the given key. The cache will expire at the expiration or in\r\n* 1 minute if none is provided\r\n* @param key\r\n* @param value\r\n* @param expiration\r\n*/\r\nfunction set(key: string, value: T, expirationDT: RockDateTime | null = null): void {\r\n let expiration: number;\r\n\r\n if (expirationDT) {\r\n expiration = expirationDT.toMilliseconds();\r\n }\r\n else {\r\n // Default to one minute\r\n expiration = RockDateTime.now().addMinutes(1).toMilliseconds();\r\n }\r\n\r\n const cache: CacheEntry = { expiration, value };\r\n const cacheJson = JSON.stringify(cache);\r\n sessionStorage.setItem(key, cacheJson);\r\n}\r\n\r\n/**\r\n * Gets a stored cache value if there is one that has not yet expired.\r\n * @param key\r\n */\r\nfunction get(key: string): T | null {\r\n const cacheJson = sessionStorage.getItem(key);\r\n\r\n if (!cacheJson) {\r\n return null;\r\n }\r\n\r\n const cache = JSON.parse(cacheJson) as CacheEntry;\r\n\r\n if (!cache || !cache.expiration) {\r\n return null;\r\n }\r\n\r\n if (cache.expiration < RockDateTime.now().toMilliseconds()) {\r\n return null;\r\n }\r\n\r\n return cache.value;\r\n}\r\n\r\nconst promiseCache: Record | undefined> = {};\r\n\r\n/**\r\n * Since Promises can't be cached, we need to store them in memory until we get the result back. This wraps\r\n * a function in another function that returns a promise and...\r\n * - If there's a cached result, return it\r\n * - Otherwise if there's a cached Promise, return it\r\n * - Otherwise call the given function and cache it's promise and return it. Once the the Promise resolves, cache its result\r\n *\r\n * @param key Key for identifying the cached values\r\n * @param fn Function that returns a Promise that we want to cache the value of\r\n *\r\n */\r\nfunction cachePromiseFactory(key: string, fn: () => Promise, expiration: RockDateTime | null = null): () => Promise {\r\n return async function (): Promise {\r\n // If it's cached, grab it\r\n const cachedResult = get(key);\r\n if (cachedResult) {\r\n return cachedResult;\r\n }\r\n\r\n // If it's not cached yet but we've already started fetching it\r\n // (it's not cached until we receive the results), return the existing Promise\r\n if (promiseCache[key]) {\r\n return promiseCache[key] as Promise;\r\n }\r\n\r\n // Not stored anywhere, so fetch it and save it on the stored Promise for the next call\r\n promiseCache[key] = fn();\r\n\r\n // Once it's resolved, cache the result\r\n promiseCache[key]?.then((result) => {\r\n set(key, result, expiration);\r\n delete promiseCache[key];\r\n return result;\r\n }).catch((e: Error) => {\r\n // Something's wrong, let's get rid of the stored promise, so we can try again.\r\n delete promiseCache[key];\r\n throw e;\r\n });\r\n\r\n return promiseCache[key] as Promise;\r\n };\r\n}\r\n\r\n\r\nexport default {\r\n set,\r\n get,\r\n cachePromiseFactory: cachePromiseFactory\r\n};\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { Guid } from \"@Obsidian/Types\";\r\nimport { newGuid } from \"./guid\";\r\nimport { inject, nextTick, provide } from \"vue\";\r\n\r\nconst suspenseSymbol = Symbol(\"RockSuspense\");\r\n\r\n/**\r\n * Defines the interface for a provider of suspense monitoring. These are used\r\n * to track asynchronous operations that components may be performing so the\r\n * watching component can perform an operation once all pending operations\r\n * have completed.\r\n */\r\nexport interface ISuspenseProvider {\r\n /**\r\n * Adds a new operation identified by the promise. When the promise\r\n * either resolves or fails the operation is considered completed.\r\n *\r\n * @param operation The promise that represents the operation.\r\n */\r\n addOperation(operation: Promise): void;\r\n\r\n /**\r\n * Notes that an asynchronous operation has started on a child component.\r\n *\r\n * @param key The key that identifies the operation.\r\n */\r\n startAsyncOperation(key: Guid): void;\r\n\r\n /**\r\n * Notes that an asynchrounous operation has completed on a child component.\r\n *\r\n * @param key The key that was previously passed to startAsyncOperation.\r\n */\r\n completeAsyncOperation(key: Guid): void;\r\n}\r\n\r\n/**\r\n * A basic provider that handles the guts of a suspense provider. This can be\r\n * used by components that need to know when child components have completed\r\n * their work.\r\n */\r\nexport class BasicSuspenseProvider implements ISuspenseProvider {\r\n private readonly operationKey: Guid;\r\n\r\n private readonly parentProvider: ISuspenseProvider | undefined;\r\n\r\n private readonly pendingOperations: Guid[];\r\n\r\n private finishedHandlers: (() => void)[];\r\n\r\n /**\r\n * Creates a new suspense provider.\r\n *\r\n * @param parentProvider The parent suspense provider that will be notified of pending operations.\r\n */\r\n constructor(parentProvider: ISuspenseProvider | undefined) {\r\n this.operationKey = newGuid();\r\n this.parentProvider = parentProvider;\r\n this.pendingOperations = [];\r\n this.finishedHandlers = [];\r\n }\r\n\r\n /**\r\n * Called when all pending operations are complete. Notifies all handlers\r\n * that the pending operations have completed as well as the parent provider.\r\n */\r\n private allOperationsComplete(): void {\r\n // Wait until the next Vue tick in case a new async operation started.\r\n // This can happen, for example, with defineAsyncComponent(). It will\r\n // complete its async operation (loading the JS file) and then the\r\n // component defined in the file might start an async operation. This\r\n // prevents us from completing too soon.\r\n nextTick(() => {\r\n // Verify nothing started a new asynchronous operation while we\r\n // we waiting for the next tick.\r\n if (this.pendingOperations.length !== 0) {\r\n return;\r\n }\r\n\r\n // Notify all pending handlers that all operations completed.\r\n for (const handler of this.finishedHandlers) {\r\n handler();\r\n }\r\n this.finishedHandlers = [];\r\n\r\n // Notify the parent that our own pending operation has completed.\r\n if (this.parentProvider) {\r\n this.parentProvider.completeAsyncOperation(this.operationKey);\r\n }\r\n });\r\n }\r\n\r\n /**\r\n * Adds a new operation identified by the promise. When the promise\r\n * either resolves or fails the operation is considered completed.\r\n *\r\n * @param operation The promise that represents the operation.\r\n */\r\n public addOperation(operation: Promise): void {\r\n const operationKey = newGuid();\r\n\r\n this.startAsyncOperation(operationKey);\r\n\r\n operation.then(() => this.completeAsyncOperation(operationKey))\r\n .catch(() => this.completeAsyncOperation(operationKey));\r\n }\r\n\r\n /**\r\n * Notes that an asynchronous operation has started on a child component.\r\n *\r\n * @param key The key that identifies the operation.\r\n */\r\n public startAsyncOperation(key: Guid): void {\r\n this.pendingOperations.push(key);\r\n\r\n // If this is the first operation we started, notify the parent provider.\r\n if (this.pendingOperations.length === 1 && this.parentProvider) {\r\n this.parentProvider.startAsyncOperation(this.operationKey);\r\n }\r\n }\r\n\r\n /**\r\n * Notes that an asynchrounous operation has completed on a child component.\r\n *\r\n * @param key The key that was previously passed to startAsyncOperation.\r\n */\r\n public completeAsyncOperation(key: Guid): void {\r\n const index = this.pendingOperations.indexOf(key);\r\n\r\n if (index !== -1) {\r\n this.pendingOperations.splice(index, 1);\r\n }\r\n\r\n // If this was the last operation then send notifications.\r\n if (this.pendingOperations.length === 0) {\r\n this.allOperationsComplete();\r\n }\r\n }\r\n\r\n /**\r\n * Checks if this provider has any asynchronous operations that are still\r\n * pending completion.\r\n *\r\n * @returns true if there are pending operations; otherwise false.\r\n */\r\n public hasPendingOperations(): boolean {\r\n return this.pendingOperations.length > 0;\r\n }\r\n\r\n /**\r\n * Adds a new handler that is called when all pending operations have been\r\n * completed. This is a fire-once, meaning the callback will only be called\r\n * when the current pending operations have completed. If new operations\r\n * begin after the callback is executed it will not be called again unless\r\n * it is added with this method again.\r\n *\r\n * @param callback The function to call when all pending operations have completed.\r\n */\r\n public addFinishedHandler(callback: () => void): void {\r\n this.finishedHandlers.push(callback);\r\n }\r\n}\r\n\r\n/**\r\n * Provides a new suspense provider to any child components.\r\n *\r\n * @param provider The provider to make available to child components.\r\n */\r\nexport function provideSuspense(provider: ISuspenseProvider): void {\r\n provide(suspenseSymbol, provider);\r\n}\r\n\r\n/**\r\n * Uses the current suspense provider that was defined by any parent component.\r\n *\r\n * @returns The suspense provider if one was defined; otherwise undefined.\r\n */\r\nexport function useSuspense(): ISuspenseProvider | undefined {\r\n return inject(suspenseSymbol);\r\n}\r\n\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n\r\nimport { CurrencyInfoBag } from \"../ViewModels/Rest/Utilities/currencyInfoBag\";\r\n\r\n// From https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Intl/NumberFormat/NumberFormat\r\n// Number.toLocaleString takes the same options as Intl.NumberFormat\r\n// Most of the options probably won't get used, so just add the ones you need to use to this when needed\r\ntype NumberFormatOptions = {\r\n useGrouping?: boolean // MDN gives other possible values, but TS is complaining that it should only be boolean\r\n};\r\n\r\n/**\r\n * Get a formatted string.\r\n * Ex: 10001.2 => 10,001.2\r\n * @param num\r\n */\r\nexport function asFormattedString(num: number | null, digits?: number, options: NumberFormatOptions = {}): string {\r\n if (num === null) {\r\n return \"\";\r\n }\r\n\r\n return num.toLocaleString(\r\n \"en-US\",\r\n {\r\n minimumFractionDigits: digits,\r\n maximumFractionDigits: digits ?? 9,\r\n ...options\r\n }\r\n );\r\n}\r\n\r\n/**\r\n * Get a number value from a formatted string. If the number cannot be parsed, then zero is returned by default.\r\n * Ex: $1,000.20 => 1000.2\r\n * @param str\r\n */\r\nexport function toNumber(str?: string | number | null): number {\r\n return toNumberOrNull(str) || 0;\r\n}\r\n\r\n/**\r\n * Get a number value from a formatted string. If the number cannot be parsed, then null is returned by default.\r\n * Ex: $1,000.20 => 1000.2\r\n * @param str\r\n */\r\nexport function toNumberOrNull(str?: string | number | null): number | null {\r\n if (str === null || str === undefined || str === \"\") {\r\n return null;\r\n }\r\n\r\n if (typeof str === \"number\") {\r\n return str;\r\n }\r\n\r\n const replaced = str.replace(/[$,]/g, \"\");\r\n const num = Number(replaced);\r\n\r\n return !isNaN(num) ? num : null;\r\n}\r\n\r\n/**\r\n * Get a currency value from a string or number. If the number cannot be parsed, then null is returned by default.\r\n * Ex: 1000.20 => $1,000.20\r\n * @param value The value to be converted to a currency.\r\n */\r\nexport function toCurrencyOrNull(value?: string | number | null, currencyInfo: CurrencyInfoBag | null = null): string | null {\r\n if (typeof value === \"string\") {\r\n value = toNumberOrNull(value);\r\n }\r\n\r\n if (value === null || value === undefined) {\r\n return null;\r\n }\r\n const currencySymbol = currencyInfo?.symbol ?? \"$\";\r\n const currencyDecimalPlaces = currencyInfo?.decimalPlaces ?? 2;\r\n return `${currencySymbol}${asFormattedString(value, currencyDecimalPlaces)}`;\r\n}\r\n\r\n/**\r\n * Adds an ordinal suffix.\r\n * Ex: 1 => 1st\r\n * @param num\r\n */\r\nexport function toOrdinalSuffix(num?: number | null): string {\r\n if (!num) {\r\n return \"\";\r\n }\r\n\r\n const j = num % 10;\r\n const k = num % 100;\r\n\r\n if (j == 1 && k != 11) {\r\n return num + \"st\";\r\n }\r\n if (j == 2 && k != 12) {\r\n return num + \"nd\";\r\n }\r\n if (j == 3 && k != 13) {\r\n return num + \"rd\";\r\n }\r\n return num + \"th\";\r\n}\r\n\r\n/**\r\n * Convert a number to an ordinal.\r\n * Ex: 1 => first, 10 => tenth\r\n *\r\n * Anything larger than 10 will be converted to the number with an ordinal suffix.\r\n * Ex: 123 => 123rd, 1000 => 1000th\r\n * @param num\r\n */\r\nexport function toOrdinal(num?: number | null): string {\r\n if (!num) {\r\n return \"\";\r\n }\r\n\r\n switch (num) {\r\n case 1: return \"first\";\r\n case 2: return \"second\";\r\n case 3: return \"third\";\r\n case 4: return \"fourth\";\r\n case 5: return \"fifth\";\r\n case 6: return \"sixth\";\r\n case 7: return \"seventh\";\r\n case 8: return \"eighth\";\r\n case 9: return \"ninth\";\r\n case 10: return \"tenth\";\r\n default: return toOrdinalSuffix(num);\r\n }\r\n}\r\n\r\n/**\r\n * Convert a number to a word.\r\n * Ex: 1 => \"one\", 10 => \"ten\"\r\n *\r\n * Anything larger than 10 will be returned as a number string instead of a word.\r\n * Ex: 123 => \"123\", 1000 => \"1000\"\r\n * @param num\r\n */\r\nexport function toWord(num?: number | null): string {\r\n if (num === null || num === undefined) {\r\n return \"\";\r\n }\r\n\r\n switch (num) {\r\n case 1: return \"one\";\r\n case 2: return \"two\";\r\n case 3: return \"three\";\r\n case 4: return \"four\";\r\n case 5: return \"five\";\r\n case 6: return \"six\";\r\n case 7: return \"seven\";\r\n case 8: return \"eight\";\r\n case 9: return \"nine\";\r\n case 10: return \"ten\";\r\n default: return `${num}`;\r\n }\r\n}\r\n\r\nexport function zeroPad(num: number, length: number): string {\r\n let str = num.toString();\r\n\r\n while (str.length < length) {\r\n str = \"0\" + str;\r\n }\r\n\r\n return str;\r\n}\r\n\r\nexport function toDecimalPlaces(num: number, decimalPlaces: number): number {\r\n decimalPlaces = Math.floor(decimalPlaces); // ensure it's an integer\r\n\r\n return Math.round(num * 10 ** decimalPlaces) / 10 ** decimalPlaces;\r\n}\r\n\r\n/**\r\n * Returns the string representation of an integer.\r\n * Ex: 1 => \"1\", 123456 => \"one hundred twenty-three thousand four hundred fifty-six\"\r\n *\r\n * Not reliable for numbers in the quadrillions and greater.\r\n *\r\n * @example\r\n * numberToWord(1) // one\r\n * numberToWord(2) // two\r\n * numberToWord(123456) // one hundred twenty-three thousand four hundred fifty-six\r\n * @param numb The number for which to get the string representation.\r\n * @returns \"one\", \"two\", ..., \"one thousand\", ..., (up to the max number allowed for JS).\r\n */\r\nexport function toWordFull(numb: number): string {\r\n const numberWords = {\r\n 0: \"zero\",\r\n 1: \"one\",\r\n 2: \"two\",\r\n 3: \"three\",\r\n 4: \"four\",\r\n 5: \"five\",\r\n 6: \"six\",\r\n 7: \"seven\",\r\n 8: \"eight\",\r\n 9: \"nine\",\r\n 10: \"ten\",\r\n 11: \"eleven\",\r\n 12: \"twelve\",\r\n 13: \"thirteen\",\r\n 14: \"fourteen\",\r\n 15: \"fifteen\",\r\n 16: \"sixteen\",\r\n 17: \"seventeen\",\r\n 18: \"eighteen\",\r\n 19: \"nineteen\",\r\n 20: \"twenty\",\r\n 30: \"thirty\",\r\n 40: \"forty\",\r\n 50: \"fifty\",\r\n 60: \"sixty\",\r\n 70: \"seventy\",\r\n 80: \"eighty\",\r\n 90: \"ninety\",\r\n 100: \"one hundred\",\r\n 1000: \"one thousand\",\r\n 1000000: \"one million\",\r\n 1000000000: \"one billion\",\r\n 1000000000000: \"one trillion\",\r\n 1000000000000000: \"one quadrillion\"\r\n };\r\n\r\n // Store constants for these since it is hard to distinguish between them at larger numbers.\r\n const oneHundred = 100;\r\n const oneThousand = 1000;\r\n const oneMillion = 1000000;\r\n const oneBillion = 1000000000;\r\n const oneTrillion = 1000000000000;\r\n const oneQuadrillion = 1000000000000000;\r\n\r\n if (numberWords[numb]) {\r\n return numberWords[numb];\r\n }\r\n\r\n function quadrillionsToWord(numb: number): string {\r\n const trillions = trillionsToWord(numb);\r\n if (numb >= oneQuadrillion) {\r\n const quadrillions = hundredsToWord(Number(numb.toString().slice(-18, -15)));\r\n if (trillions) {\r\n return `${quadrillions} quadrillion ${trillions}`;\r\n }\r\n else {\r\n return `${quadrillions} quadrillion`;\r\n }\r\n }\r\n else {\r\n return trillions;\r\n }\r\n }\r\n\r\n function trillionsToWord(numb: number): string {\r\n numb = Number(numb.toString().slice(-15));\r\n const billions = billionsToWord(numb);\r\n if (numb >= oneTrillion) {\r\n const trillions = hundredsToWord(Number(numb.toString().slice(-15, -12)));\r\n if (billions) {\r\n return `${trillions} trillion ${billions}`;\r\n }\r\n else {\r\n return `${trillions} trillion`;\r\n }\r\n }\r\n else {\r\n return billions;\r\n }\r\n }\r\n\r\n function billionsToWord(numb: number): string {\r\n numb = Number(numb.toString().slice(-12));\r\n const millions = millionsToWord(numb);\r\n if (numb >= oneBillion) {\r\n const billions = hundredsToWord(Number(numb.toString().slice(-12, -9)));\r\n if (millions) {\r\n return `${billions} billion ${millions}`;\r\n }\r\n else {\r\n return `${billions} billion`;\r\n }\r\n }\r\n else {\r\n return millions;\r\n }\r\n }\r\n\r\n function millionsToWord(numb: number): string {\r\n numb = Number(numb.toString().slice(-9));\r\n const thousands = thousandsToWord(numb);\r\n if (numb >= oneMillion) {\r\n const millions = hundredsToWord(Number(numb.toString().slice(-9, -6)));\r\n if (thousands) {\r\n return `${millions} million ${thousands}`;\r\n }\r\n else {\r\n return `${millions} million`;\r\n }\r\n }\r\n else {\r\n return thousands;\r\n }\r\n }\r\n\r\n function thousandsToWord(numb: number): string {\r\n numb = Number(numb.toString().slice(-6));\r\n const hundreds = hundredsToWord(numb);\r\n if (numb >= oneThousand) {\r\n const thousands = hundredsToWord(Number(numb.toString().slice(-6, -3)));\r\n if (hundreds) {\r\n return `${thousands} thousand ${hundreds}`;\r\n }\r\n else {\r\n return `${thousands} thousandths`;\r\n }\r\n }\r\n else {\r\n return hundreds;\r\n }\r\n }\r\n\r\n function hundredsToWord(numb: number): string {\r\n numb = Number(numb.toString().slice(-3));\r\n\r\n if (numberWords[numb]) {\r\n return numberWords[numb];\r\n }\r\n\r\n const tens = tensToWord(numb);\r\n\r\n if (numb >= oneHundred) {\r\n const hundreds = Number(numb.toString().slice(-3, -2));\r\n if (tens) {\r\n return `${numberWords[hundreds]} hundred ${tens}`;\r\n }\r\n else {\r\n return `${numberWords[hundreds]} hundred`;\r\n }\r\n }\r\n else {\r\n return tens;\r\n }\r\n }\r\n\r\n function tensToWord(numb: number): string {\r\n numb = Number(numb.toString().slice(-2));\r\n\r\n if (numberWords[numb]) {\r\n return numberWords[numb];\r\n }\r\n\r\n const ones = onesToWord(numb);\r\n\r\n if (numb >= 20) {\r\n const tens = Number(numb.toString().slice(-2, -1));\r\n\r\n if (ones) {\r\n return `${numberWords[tens * 10]}-${ones}`;\r\n }\r\n else {\r\n return numberWords[tens * 10];\r\n }\r\n }\r\n else {\r\n return ones;\r\n }\r\n }\r\n\r\n function onesToWord(numb: number): string {\r\n numb = Number(numb.toString().slice(-1));\r\n return numberWords[numb];\r\n }\r\n\r\n return quadrillionsToWord(numb);\r\n}\r\n\r\nexport default {\r\n toOrdinal,\r\n toOrdinalSuffix,\r\n toNumberOrNull,\r\n asFormattedString\r\n};\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n\r\nimport { AsyncComponentLoader, Component, ComponentPublicInstance, defineAsyncComponent as vueDefineAsyncComponent, ExtractPropTypes, PropType, reactive, ref, Ref, VNode, watch, WatchOptions, render, isVNode, createVNode } from \"vue\";\r\nimport { deepEqual } from \"./util\";\r\nimport { useSuspense } from \"./suspense\";\r\nimport { newGuid } from \"./guid\";\r\nimport { ControlLazyMode } from \"@Obsidian/Enums/Controls/controlLazyMode\";\r\nimport { PickerDisplayStyle } from \"@Obsidian/Enums/Controls/pickerDisplayStyle\";\r\nimport { ExtendedRef, ExtendedRefContext } from \"@Obsidian/Types/Utility/component\";\r\nimport type { RulesPropType, ValidationRule } from \"@Obsidian/Types/validationRules\";\r\nimport { toNumberOrNull } from \"./numberUtils\";\r\n\r\ntype Prop = { [key: string]: unknown };\r\ntype PropKey = Extract;\r\n// eslint-disable-next-line @typescript-eslint/no-explicit-any\r\ntype EmitFn = E extends Array ? (event: EE, ...args: any[]) => void : (event: E, ...args: any[]) => void;\r\n\r\n/**\r\n * Utility function for when you are using a component that takes a v-model\r\n * and uses that model as a v-model in that component's template. It creates\r\n * a new ref that keeps itself up-to-date with the given model and fires an\r\n * 'update:MODELNAME' event when it gets changed.\r\n *\r\n * Ensure the related `props` and `emits` are specified to ensure there are\r\n * no type issues.\r\n */\r\nexport function useVModelPassthrough, E extends `update:${K}`>(props: T, modelName: K, emit: EmitFn, options?: WatchOptions): Ref {\r\n const internalValue = ref(props[modelName]) as Ref;\r\n\r\n watch(() => props[modelName], val => updateRefValue(internalValue, val), options);\r\n watch(internalValue, val => {\r\n if (val !== props[modelName]) {\r\n emit(`update:${modelName}`, val);\r\n }\r\n }, options);\r\n\r\n return internalValue;\r\n}\r\n\r\n/**\r\n * Utility function for when you are using a component that takes a v-model\r\n * and uses that model as a v-model in that component's template. It creates\r\n * a new ref that keeps itself up-to-date with the given model and fires an\r\n * 'update:MODELNAME' event when it gets changed. It also gives a means of watching\r\n * the model prop for any changes (verifies that the prop change is different than\r\n * the current value first)\r\n *\r\n * Ensure the related `props` and `emits` are specified to ensure there are\r\n * no type issues.\r\n */\r\nexport function useVModelPassthroughWithPropUpdateCheck, E extends `update:${K}`>(props: T, modelName: K, emit: EmitFn, options?: WatchOptions): [Ref, (fn: () => unknown) => void] {\r\n const internalValue = ref(props[modelName]) as Ref;\r\n const listeners: (() => void)[] = [];\r\n\r\n watch(() => props[modelName], val => {\r\n if (updateRefValue(internalValue, val)) {\r\n onPropUpdate();\r\n }\r\n }, options);\r\n watch(internalValue, val => emit(`update:${modelName}`, val), options);\r\n\r\n function onPropUpdate(): void {\r\n listeners.forEach(fn => fn());\r\n }\r\n\r\n function addPropUpdateListener(fn: () => unknown): void {\r\n listeners.push(fn);\r\n }\r\n\r\n return [internalValue, addPropUpdateListener];\r\n}\r\n\r\n/**\r\n * Updates the Ref value, but only if the new value is actually different than\r\n * the current value. A deep comparison is performed.\r\n *\r\n * @param target The target Ref object to be updated.\r\n * @param value The new value to be assigned to the target.\r\n *\r\n * @returns True if the target was updated, otherwise false.\r\n */\r\nexport function updateRefValue(target: Ref, value: TV): boolean {\r\n if (deepEqual(target.value, value, true)) {\r\n return false;\r\n }\r\n\r\n target.value = value;\r\n\r\n return true;\r\n}\r\n\r\n/**\r\n * Defines a component that will be loaded asynchronously. This contains logic\r\n * to properly work with the RockSuspense control.\r\n *\r\n * @param source The function to call to load the component.\r\n *\r\n * @returns The component that was loaded.\r\n */\r\nexport function defineAsyncComponent(source: AsyncComponentLoader): T {\r\n return vueDefineAsyncComponent(async () => {\r\n const suspense = useSuspense();\r\n const operationKey = newGuid();\r\n\r\n suspense?.startAsyncOperation(operationKey);\r\n const component = await source();\r\n suspense?.completeAsyncOperation(operationKey);\r\n\r\n return component;\r\n });\r\n}\r\n\r\n// #region Standard Form Field\r\n\r\ntype StandardRockFormFieldProps = {\r\n label: {\r\n type: PropType,\r\n default: \"\"\r\n },\r\n\r\n help: {\r\n type: PropType,\r\n default: \"\"\r\n },\r\n\r\n rules: RulesPropType,\r\n\r\n formGroupClasses: {\r\n type: PropType,\r\n default: \"\"\r\n },\r\n\r\n validationTitle: {\r\n type: PropType,\r\n default: \"\"\r\n },\r\n\r\n isRequiredIndicatorHidden: {\r\n type: PropType,\r\n default: false\r\n }\r\n};\r\n\r\n/** The standard component props that should be included when using RockFormField. */\r\nexport const standardRockFormFieldProps: StandardRockFormFieldProps = {\r\n label: {\r\n type: String as PropType,\r\n default: \"\"\r\n },\r\n\r\n help: {\r\n type: String as PropType,\r\n default: \"\"\r\n },\r\n\r\n rules: {\r\n type: [Array, Object, String] as PropType,\r\n default: \"\"\r\n },\r\n\r\n formGroupClasses: {\r\n type: String as PropType,\r\n default: \"\"\r\n },\r\n\r\n validationTitle: {\r\n type: String as PropType,\r\n default: \"\"\r\n },\r\n\r\n isRequiredIndicatorHidden: {\r\n type: Boolean as PropType,\r\n default: false\r\n }\r\n};\r\n\r\n/**\r\n * Copies the known properties for the standard rock form field props from\r\n * the source object to the destination object.\r\n *\r\n * @param source The source object to copy the values from.\r\n * @param destination The destination object to copy the values to.\r\n */\r\nfunction copyStandardRockFormFieldProps(source: ExtractPropTypes, destination: ExtractPropTypes): void {\r\n destination.formGroupClasses = source.formGroupClasses;\r\n destination.help = source.help;\r\n destination.label = source.label;\r\n destination.rules = source.rules;\r\n destination.validationTitle = source.validationTitle;\r\n}\r\n\r\n/**\r\n * Configures the basic properties that should be passed to the RockFormField\r\n * component. The value returned by this function should be used with v-bind on\r\n * the RockFormField in order to pass all the defined prop values to it.\r\n *\r\n * @param props The props of the component that will be using the RockFormField.\r\n *\r\n * @returns An object of prop values that can be used with v-bind.\r\n */\r\nexport function useStandardRockFormFieldProps(props: ExtractPropTypes): ExtractPropTypes {\r\n const propValues = reactive>({\r\n label: props.label,\r\n help: props.help,\r\n rules: props.rules,\r\n formGroupClasses: props.formGroupClasses,\r\n validationTitle: props.validationTitle,\r\n isRequiredIndicatorHidden: props.isRequiredIndicatorHidden\r\n });\r\n\r\n watch([() => props.formGroupClasses, () => props.help, () => props.label, () => props.rules, () => props.validationTitle], () => {\r\n copyStandardRockFormFieldProps(props, propValues);\r\n });\r\n\r\n return propValues;\r\n}\r\n\r\n// #endregion\r\n\r\n// #region Standard Async Pickers\r\n\r\ntype StandardAsyncPickerProps = StandardRockFormFieldProps & {\r\n /** Enhance the picker for dealing with long lists by providing a search mechanism. */\r\n enhanceForLongLists: {\r\n type: PropType,\r\n default: false\r\n },\r\n\r\n /** The method the picker should use to load data. */\r\n lazyMode: {\r\n type: PropType,\r\n default: \"onDemand\"\r\n },\r\n\r\n /** True if the picker should allow multiple items to be selected. */\r\n multiple: {\r\n type: PropType,\r\n default: false\r\n },\r\n\r\n /** True if the picker should allow empty selections. */\r\n showBlankItem: {\r\n type: PropType,\r\n default: false\r\n },\r\n\r\n /** The optional value to show when `showBlankItem` is `true`. */\r\n blankValue: {\r\n type: PropType,\r\n default: \"\"\r\n },\r\n\r\n /** The visual style to use when displaying the picker. */\r\n displayStyle: {\r\n type: PropType,\r\n default: \"auto\"\r\n },\r\n\r\n /** The number of columns to use when displaying the items in a list. */\r\n columnCount: {\r\n type: PropType,\r\n default: 0\r\n }\r\n};\r\n\r\n/** The standard component props that should be included when using BaseAsyncPicker. */\r\nexport const standardAsyncPickerProps: StandardAsyncPickerProps = {\r\n ...standardRockFormFieldProps,\r\n\r\n enhanceForLongLists: {\r\n type: Boolean as PropType,\r\n default: false\r\n },\r\n\r\n lazyMode: {\r\n type: String as PropType,\r\n default: ControlLazyMode.OnDemand\r\n },\r\n\r\n multiple: {\r\n type: Boolean as PropType,\r\n default: false\r\n },\r\n\r\n showBlankItem: {\r\n type: Boolean as PropType,\r\n default: false\r\n },\r\n\r\n blankValue: {\r\n type: String as PropType,\r\n default: \"\"\r\n },\r\n\r\n displayStyle: {\r\n type: String as PropType,\r\n default: PickerDisplayStyle.Auto\r\n },\r\n\r\n columnCount: {\r\n type: Number as PropType,\r\n default: 0\r\n }\r\n};\r\n\r\n/**\r\n * Copies the known properties for the standard async picker props from\r\n * the source object to the destination object.\r\n *\r\n * @param source The source object to copy the values from.\r\n * @param destination The destination object to copy the values to.\r\n */\r\nfunction copyStandardAsyncPickerProps(source: ExtractPropTypes, destination: ExtractPropTypes): void {\r\n copyStandardRockFormFieldProps(source, destination);\r\n\r\n destination.enhanceForLongLists = source.enhanceForLongLists;\r\n destination.lazyMode = source.lazyMode;\r\n destination.multiple = source.multiple;\r\n destination.showBlankItem = source.showBlankItem;\r\n destination.blankValue = source.blankValue;\r\n destination.displayStyle = source.displayStyle;\r\n destination.columnCount = source.columnCount;\r\n}\r\n\r\n/**\r\n * Configures the basic properties that should be passed to the BaseAsyncPicker\r\n * component. The value returned by this function should be used with v-bind on\r\n * the BaseAsyncPicker in order to pass all the defined prop values to it.\r\n *\r\n * @param props The props of the component that will be using the BaseAsyncPicker.\r\n *\r\n * @returns An object of prop values that can be used with v-bind.\r\n */\r\nexport function useStandardAsyncPickerProps(props: ExtractPropTypes): ExtractPropTypes {\r\n const standardFieldProps = useStandardRockFormFieldProps(props);\r\n\r\n const propValues = reactive>({\r\n ...standardFieldProps,\r\n enhanceForLongLists: props.enhanceForLongLists,\r\n lazyMode: props.lazyMode,\r\n multiple: props.multiple,\r\n showBlankItem: props.showBlankItem,\r\n blankValue: props.blankValue,\r\n displayStyle: props.displayStyle,\r\n columnCount: props.columnCount\r\n });\r\n\r\n // Watch for changes in any of the standard props. Use deep for this so we\r\n // don't need to know which prop keys it actually contains.\r\n watch(() => standardFieldProps, () => {\r\n copyStandardRockFormFieldProps(props, propValues);\r\n }, {\r\n deep: true\r\n });\r\n\r\n // Watch for changes in our known list of props that might change.\r\n watch([() => props.enhanceForLongLists, () => props.lazyMode, () => props.multiple, () => props.showBlankItem, () => props.displayStyle, () => props.columnCount], () => {\r\n copyStandardAsyncPickerProps(props, propValues);\r\n });\r\n\r\n return propValues;\r\n}\r\n\r\n// #endregion\r\n\r\n// #region Extended References\r\n\r\n/**\r\n * Creates a Ref that contains extended data to better identify this ref\r\n * when you have multiple refs to work with.\r\n *\r\n * @param value The initial value of the Ref.\r\n * @param extendedData The additional context data to put on the Ref.\r\n *\r\n * @returns An ExtendedRef object that can be used like a regular Ref object.\r\n */\r\nexport function extendedRef(value: T, context: ExtendedRefContext): ExtendedRef {\r\n const refValue = ref(value) as ExtendedRef;\r\n\r\n refValue.context = context;\r\n\r\n return refValue;\r\n}\r\n\r\n/**\r\n * Creates an extended Ref with the specified property name in the context.\r\n *\r\n * @param value The initial value of the Ref.\r\n * @param propertyName The property name to use for the context.\r\n *\r\n * @returns An ExtendedRef object that can be used like a regular Ref object.\r\n */\r\nexport function propertyRef(value: T, propertyName: string): ExtendedRef {\r\n return extendedRef(value, {\r\n propertyName\r\n });\r\n}\r\n\r\n// #endregion Extended Refs\r\n\r\n// #region VNode Helpers\r\n\r\n/**\r\n * Retrieves a single prop value from a VNode object. If the prop is explicitely\r\n * specified in the DOM then it will be returned. Otherwise the component's\r\n * prop default values are checked. If there is a default value it will be\r\n * returned.\r\n *\r\n * @param node The node whose property value is being requested.\r\n * @param propName The name of the property whose value is being requested.\r\n *\r\n * @returns The value of the property or `undefined` if it was not set.\r\n */\r\nexport function getVNodeProp(node: VNode, propName: string): T | undefined {\r\n // Check if the prop was specified in the DOM declaration.\r\n if (node.props && node.props[propName] !== undefined) {\r\n return node.props[propName] as T;\r\n }\r\n\r\n // Now look to see if the backing component has defined a prop with that\r\n // name and provided a default value.\r\n if (typeof node.type === \"object\" && typeof node.type[\"props\"] === \"object\") {\r\n const defaultProps = node.type[\"props\"] as Record;\r\n const defaultProp = defaultProps[propName];\r\n\r\n if (defaultProp && typeof defaultProp === \"object\" && defaultProp[\"default\"] !== undefined) {\r\n return defaultProp[\"default\"] as T;\r\n }\r\n }\r\n\r\n return undefined;\r\n}\r\n\r\n/**\r\n * Retrieves all prop values from a VNode object. First all default values\r\n * from the component are retrieved. Then any specified on the DOM will be used\r\n * to override those default values.\r\n *\r\n * @param node The node whose property values are being requested.\r\n *\r\n * @returns An object that contains all props and values for the node.\r\n */\r\nexport function getVNodeProps(node: VNode): Record {\r\n const props: Record = {};\r\n\r\n // Get all default values from the backing component's defined props.\r\n if (typeof node.type === \"object\" && typeof node.type[\"props\"] === \"object\") {\r\n const defaultProps = node.type[\"props\"] as Record;\r\n\r\n for (const p in defaultProps) {\r\n const defaultProp = defaultProps[p];\r\n\r\n if (defaultProp && typeof defaultProp === \"object\" && defaultProp[\"default\"] !== undefined) {\r\n props[p] = defaultProp[\"default\"];\r\n }\r\n }\r\n }\r\n\r\n // Override with any values specified on the DOM declaration.\r\n if (node.props) {\r\n for (const p in node.props) {\r\n if (typeof node.type === \"object\" && typeof node.type[\"props\"] === \"object\") {\r\n const propType = node.type[\"props\"][p]?.type;\r\n\r\n if (propType === Boolean) {\r\n props[p] = node.props[p] === true || node.props[p] === \"\";\r\n }\r\n else if (propType === Number) {\r\n props[p] = toNumberOrNull(node.props[p]) ?? undefined;\r\n }\r\n else {\r\n props[p] = node.props[p];\r\n }\r\n }\r\n else {\r\n props[p] = node.props[p];\r\n }\r\n }\r\n }\r\n\r\n return props;\r\n}\r\n\r\n/**\r\n * Renders the node into an off-screen div and then extracts the text content\r\n * by way of the innerText property of the div.\r\n *\r\n * @param node The node or component to be rendered.\r\n * @param props The properties to be passed to the component when it is mounted.\r\n *\r\n * @returns The text content of the node after it has rendered.\r\n */\r\nexport function extractText(node: VNode | Component, props?: Record): string {\r\n const el = document.createElement(\"div\");\r\n\r\n // Create a new virtual node with the specified properties.\r\n const vnode = createVNode(node, props);\r\n\r\n // Mount the node in our off-screen container.\r\n render(vnode, el);\r\n\r\n const text = el.innerText;\r\n\r\n // Unmount it.\r\n render(null, el);\r\n\r\n return text.trim();\r\n}\r\n\r\n/**\r\n * Renders the node into an off-screen div and then extracts the HTML content\r\n * by way of the innerHTML property of the div.\r\n *\r\n * @param node The node or component to be rendered.\r\n * @param props The properties to be passed to the component when it is mounted.\r\n *\r\n * @returns The HTML content of the node after it has rendered.\r\n */\r\nexport function extractHtml(node: VNode | Component, props?: Record): string {\r\n const el = document.createElement(\"div\");\r\n\r\n // Create a new virtual node with the specified properties.\r\n const vnode = createVNode(node, props);\r\n\r\n // Mount the node in our off-screen container.\r\n render(vnode, el);\r\n\r\n const html = el.innerHTML;\r\n\r\n // Unmount it.\r\n render(null, el);\r\n\r\n return html;\r\n}\r\n\r\n// #endregion\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { toNumberOrNull, zeroPad } from \"./numberUtils\";\r\nconst dateKeyLength = \"YYYYMMDD\".length;\r\nconst dateKeyNoYearLength = \"MMDD\".length;\r\n\r\n/**\r\n * Gets the year value from the date key.\r\n * Ex: 20210228 => 2021\r\n * @param dateKey\r\n */\r\nexport function getYear(dateKey: string | null): number {\r\n const defaultValue = 0;\r\n\r\n if (!dateKey || dateKey.length !== dateKeyLength) {\r\n return defaultValue;\r\n }\r\n\r\n const asString = dateKey.substring(0, 4);\r\n const year = toNumberOrNull(asString) || defaultValue;\r\n return year;\r\n}\r\n\r\n/**\r\n * Gets the month value from the date key.\r\n * Ex: 20210228 => 2\r\n * @param dateKey\r\n */\r\nexport function getMonth(dateKey: string | null): number {\r\n const defaultValue = 0;\r\n\r\n if (!dateKey) {\r\n return defaultValue;\r\n }\r\n\r\n if (dateKey.length === dateKeyLength) {\r\n const asString = dateKey.substring(4, 6);\r\n return toNumberOrNull(asString) || defaultValue;\r\n }\r\n\r\n if (dateKey.length === dateKeyNoYearLength) {\r\n const asString = dateKey.substring(0, 2);\r\n return toNumberOrNull(asString) || defaultValue;\r\n }\r\n\r\n return defaultValue;\r\n}\r\n\r\n/**\r\n * Gets the day value from the date key.\r\n * Ex: 20210228 => 28\r\n * @param dateKey\r\n */\r\nexport function getDay(dateKey: string | null): number {\r\n const defaultValue = 0;\r\n\r\n if (!dateKey) {\r\n return defaultValue;\r\n }\r\n\r\n if (dateKey.length === dateKeyLength) {\r\n const asString = dateKey.substring(6, 8);\r\n return toNumberOrNull(asString) || defaultValue;\r\n }\r\n\r\n if (dateKey.length === dateKeyNoYearLength) {\r\n const asString = dateKey.substring(2, 4);\r\n return toNumberOrNull(asString) || defaultValue;\r\n }\r\n\r\n return defaultValue;\r\n}\r\n\r\n/**\r\n * Gets the datekey constructed from the parts.\r\n * Ex: (2021, 2, 28) => '20210228'\r\n * @param year\r\n * @param month\r\n * @param day\r\n */\r\nexport function toDateKey(year: number | null, month: number | null, day: number | null): string {\r\n if (!year || year > 9999 || year < 0) {\r\n year = 0;\r\n }\r\n\r\n if (!month || month > 12 || month < 0) {\r\n month = 0;\r\n }\r\n\r\n if (!day || day > 31 || day < 0) {\r\n day = 0;\r\n }\r\n\r\n const yearStr = zeroPad(year, 4);\r\n const monthStr = zeroPad(month, 2);\r\n const dayStr = zeroPad(day, 2);\r\n\r\n return `${yearStr}${monthStr}${dayStr}`;\r\n}\r\n\r\n/**\r\n * Gets the datekey constructed from the parts.\r\n * Ex: (2, 28) => '0228'\r\n * @param month\r\n * @param day\r\n */\r\nexport function toNoYearDateKey(month: number | null, day: number | null): string {\r\n if (!month || month > 12 || month < 0) {\r\n month = 0;\r\n }\r\n\r\n if (!day || day > 31 || day < 0) {\r\n day = 0;\r\n }\r\n\r\n const monthStr = zeroPad(month, 2);\r\n const dayStr = zeroPad(day, 2);\r\n\r\n return `${monthStr}${dayStr}`;\r\n}\r\n\r\nexport default {\r\n getYear,\r\n getMonth,\r\n getDay,\r\n toDateKey,\r\n toNoYearDateKey\r\n};\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { Guid } from \"@Obsidian/Types\";\r\nimport { CurrentPersonBag } from \"@Obsidian/ViewModels/Crm/currentPersonBag\";\r\n\r\nexport type PageConfig = {\r\n executionStartTime: number;\r\n pageId: number;\r\n pageGuid: Guid;\r\n pageParameters: Record;\r\n interactionGuid: Guid;\r\n currentPerson: CurrentPersonBag | null;\r\n isAnonymousVisitor: boolean;\r\n loginUrlWithReturnUrl: string;\r\n};\r\n\r\nexport function smoothScrollToTop(): void {\r\n window.scrollTo({ top: 0, behavior: \"smooth\" });\r\n}\r\n\r\nexport default {\r\n smoothScrollToTop\r\n};\r\n\r\n// eslint-disable-next-line @typescript-eslint/naming-convention, @typescript-eslint/no-explicit-any\r\ndeclare const Obsidian: any;\r\n\r\n\r\n/*\r\n * Code to handle working with modals.\r\n */\r\nlet currentModalCount = 0;\r\n\r\n/**\r\n * Track a modal being opened or closed. This is used to adjust the page in response\r\n * to any modals being visible.\r\n *\r\n * @param state true if the modal is now open, false if it is now closed.\r\n */\r\nexport function trackModalState(state: boolean): void {\r\n const body = document.body;\r\n const cssClasses = [\"modal-open\"];\r\n\r\n if (state) {\r\n currentModalCount++;\r\n }\r\n else {\r\n currentModalCount = currentModalCount > 0 ? currentModalCount - 1 : 0;\r\n }\r\n\r\n if (currentModalCount > 0) {\r\n for (const cssClass of cssClasses) {\r\n body.classList.add(cssClass);\r\n }\r\n }\r\n else {\r\n for (const cssClass of cssClasses) {\r\n body.classList.remove(cssClass);\r\n }\r\n }\r\n}\r\n\r\n/**\r\n * Loads a JavaScript file asynchronously into the document and returns a\r\n * Promise that can be used to determine when the script has loaded. The\r\n * promise will return true if the script loaded successfully or false if it\r\n * failed to load.\r\n *\r\n * The function passed in isScriptLoaded will be called before the script is\r\n * inserted into the DOM as well as after to make sure it actually loaded.\r\n *\r\n * @param source The source URL of the script to be loaded.\r\n * @param isScriptLoaded An optional function to call to determine if the script is loaded.\r\n * @param attributes An optional set of attributes to apply to the script tag.\r\n * @param fingerprint If set to false, then a fingerprint will not be added to the source URL. Default is true.\r\n *\r\n * @returns A Promise that indicates if the script was loaded or not.\r\n */\r\nexport async function loadJavaScriptAsync(source: string, isScriptLoaded?: () => boolean, attributes?: Record, fingerprint?: boolean): Promise {\r\n let src = source;\r\n\r\n // Add the cache busting fingerprint if we have one.\r\n if (fingerprint !== false && typeof Obsidian !== \"undefined\" && Obsidian?.options?.fingerprint) {\r\n if (src.indexOf(\"?\") === -1) {\r\n src += `?${Obsidian.options.fingerprint}`;\r\n }\r\n else {\r\n src += `&${Obsidian.options.fingerprint}`;\r\n }\r\n }\r\n\r\n // Check if the script is already loaded. First see if we have a custom\r\n // function that will do the check. Otherwise fall back to looking for any\r\n // script tags that have the same source.\r\n if (isScriptLoaded) {\r\n if (isScriptLoaded()) {\r\n return true;\r\n }\r\n }\r\n\r\n // Make sure the script wasn't already added in some other way.\r\n const scripts = Array.from(document.getElementsByTagName(\"script\"));\r\n const thisScript = scripts.filter(s => s.src === src);\r\n\r\n if (thisScript.length > 0) {\r\n const promise = scriptLoadedPromise(thisScript[0]);\r\n return promise;\r\n }\r\n\r\n // Build the script tag that will be dynamically loaded.\r\n const script = document.createElement(\"script\");\r\n script.type = \"text/javascript\";\r\n script.src = src;\r\n if (attributes) {\r\n for (const key in attributes) {\r\n script.setAttribute(key, attributes[key]);\r\n }\r\n }\r\n\r\n // Load the script.\r\n const promise = scriptLoadedPromise(script);\r\n document.getElementsByTagName(\"head\")[0].appendChild(script);\r\n\r\n return promise;\r\n\r\n async function scriptLoadedPromise(scriptElement: HTMLScriptElement): Promise {\r\n try {\r\n await new Promise((resolve, reject) => {\r\n scriptElement.addEventListener(\"load\", () => resolve());\r\n scriptElement.addEventListener(\"error\", () => {\r\n reject();\r\n });\r\n });\r\n\r\n // If we have a custom function, call it to see if the script loaded correctly.\r\n if (isScriptLoaded) {\r\n return isScriptLoaded();\r\n }\r\n\r\n return true;\r\n }\r\n catch {\r\n return false;\r\n }\r\n }\r\n}\r\n\r\n/**\r\n * Adds a new link to the quick return action menu. The URL in the address bar\r\n * will be used as the destination.\r\n *\r\n * @param title The title of the quick link that identifies the current page.\r\n * @param section The section title to place this link into.\r\n * @param sectionOrder The priority order to give the section if it doesn't already exist.\r\n */\r\nexport function addQuickReturn(title: string, section: string, sectionOrder?: number): void {\r\n interface IRock {\r\n personalLinks: {\r\n addQuickReturn: (type: string, typeOrder: number, itemName: string) => void\r\n }\r\n }\r\n\r\n const rock = window[\"Rock\"] as IRock;\r\n if (rock && rock.personalLinks) {\r\n rock.personalLinks.addQuickReturn(section, sectionOrder ?? 0, title);\r\n }\r\n}\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { Guid } from \"@Obsidian/Types\";\r\nimport { ICancellationToken } from \"./cancellation\";\r\nimport { trackModalState } from \"./page\";\r\n\r\n// eslint-disable-next-line @typescript-eslint/no-explicit-any, @typescript-eslint/naming-convention\r\ndeclare const Rock: any;\r\n\r\n/** The options that describe the dialog. */\r\nexport type DialogOptions = {\r\n /** The text to display inside the dialog. */\r\n message: string;\r\n\r\n /** A list of buttons to display, rendered left to right. */\r\n buttons: ButtonOptions[];\r\n\r\n /**\r\n * An optional container element for the dialog. If not specified then one\r\n * will be chosen automatically.\r\n */\r\n container?: string | Element;\r\n\r\n /**\r\n * An optional cancellation token that will dismiss the dialog automatically\r\n * and return `cancel` as the button clicked.\r\n */\r\n cancellationToken?: ICancellationToken;\r\n};\r\n\r\n/** The options that describe a single button in the dialog. */\r\nexport type ButtonOptions = {\r\n /** The key that uniquely identifies this button. */\r\n key: string;\r\n\r\n /** The text to display in the button. */\r\n label: string;\r\n\r\n /** The CSS classes to assign to the button, such as `btn btn-primary`. */\r\n className: string;\r\n};\r\n\r\n/**\r\n * Creates a dialog to display a message.\r\n *\r\n * @param body The body content to put in the dialog.\r\n * @param footer The footer content to put in the dialog.\r\n *\r\n * @returns An element that should be added to the body.\r\n */\r\nfunction createDialog(body: HTMLElement | HTMLElement[], footer: HTMLElement | HTMLElement[] | undefined): HTMLElement {\r\n // Create the scrollable container that will act as a backdrop for the dialog.\r\n const scrollable = document.createElement(\"div\");\r\n scrollable.classList.add(\"modal-scrollable\");\r\n scrollable.style.zIndex = \"1060\";\r\n\r\n // Create the modal that will act as a container for the outer content.\r\n const modal = document.createElement(\"div\");\r\n scrollable.appendChild(modal);\r\n modal.classList.add(\"modal\", \"fade\");\r\n modal.tabIndex = -1;\r\n modal.setAttribute(\"role\", \"dialog\");\r\n modal.setAttribute(\"aria-hidden\", \"false\");\r\n modal.style.display = \"block\";\r\n\r\n // Create the inner dialog of the modal.\r\n const modalDialog = document.createElement(\"div\");\r\n modal.appendChild(modalDialog);\r\n modalDialog.classList.add(\"modal-dialog\");\r\n\r\n // Create the container for the inner content.\r\n const modalContent = document.createElement(\"div\");\r\n modalDialog.appendChild(modalContent);\r\n modalContent.classList.add(\"modal-content\");\r\n\r\n // Create the container for the body content.\r\n const modalBody = document.createElement(\"div\");\r\n modalContent.appendChild(modalBody);\r\n modalBody.classList.add(\"modal-body\");\r\n\r\n // Add all the body elements to the body.\r\n if (Array.isArray(body)) {\r\n for (const el of body) {\r\n modalBody.appendChild(el);\r\n }\r\n }\r\n else {\r\n modalBody.appendChild(body);\r\n }\r\n\r\n // If we have any footer content then create a footer.\r\n if (footer && (!Array.isArray(footer) || footer.length > 0)) {\r\n const modalFooter = document.createElement(\"div\");\r\n modalContent.appendChild(modalFooter);\r\n modalFooter.classList.add(\"modal-footer\");\r\n\r\n // Add all the footer elements to the footer.\r\n if (Array.isArray(footer)) {\r\n for (const el of footer) {\r\n modalFooter.appendChild(el);\r\n }\r\n }\r\n else {\r\n modalFooter.appendChild(footer);\r\n }\r\n }\r\n\r\n // Add a click handler to the background so the user gets feedback\r\n // that they can't just click away from the dialog.\r\n scrollable.addEventListener(\"click\", () => {\r\n modal.classList.remove(\"animated\", \"shake\");\r\n setTimeout(() => {\r\n modal.classList.add(\"animated\", \"shake\");\r\n }, 0);\r\n });\r\n\r\n return scrollable;\r\n}\r\n\r\n/**\r\n * Construct a standard close button to be placed in the dialog.\r\n *\r\n * @returns A button element.\r\n */\r\nfunction createCloseButton(): HTMLButtonElement {\r\n const closeButton = document.createElement(\"button\");\r\n closeButton.classList.add(\"close\");\r\n closeButton.type = \"button\";\r\n closeButton.style.marginTop = \"-10px\";\r\n closeButton.innerHTML = \"×\";\r\n\r\n return closeButton;\r\n}\r\n\r\n/**\r\n * Creates a standard backdrop element to be placed in the window.\r\n *\r\n * @returns An element to show that the background is not active.\r\n */\r\nfunction createBackdrop(): HTMLElement {\r\n const backdrop = document.createElement(\"div\");\r\n backdrop.classList.add(\"modal-backdrop\");\r\n backdrop.style.zIndex = \"1050\";\r\n\r\n return backdrop;\r\n}\r\n\r\n/**\r\n * Shows a dialog modal. This is meant to look and behave like the standard\r\n * Rock.dialog.* functions, but this handles fullscreen mode whereas the old\r\n * methods do not.\r\n *\r\n * @param options The options that describe the dialog to be shown.\r\n *\r\n * @returns The key of the button that was clicked, or \"cancel\" if the cancel button was clicked.\r\n */\r\nexport function showDialog(options: DialogOptions): Promise {\r\n return new Promise(resolve => {\r\n let timer: NodeJS.Timeout | null = null;\r\n const container = document.fullscreenElement || document.body;\r\n const body = document.createElement(\"div\");\r\n body.innerText = options.message;\r\n\r\n const buttons: HTMLElement[] = [];\r\n\r\n /**\r\n * Internal function to handle clearing the dialog and resolving the\r\n * promise.\r\n *\r\n * @param result The result to return in the promise.\r\n */\r\n function clearDialog(result: string): void {\r\n // This acts as a way to ensure only a single clear request happens.\r\n if (timer !== null) {\r\n return;\r\n }\r\n\r\n // The timout is used as a fallback in case we don't get the\r\n // transition end event.\r\n timer = setTimeout(() => {\r\n backdrop.remove();\r\n dialog.remove();\r\n trackModalState(false);\r\n\r\n resolve(result);\r\n }, 1000);\r\n\r\n modal.addEventListener(\"transitionend\", () => {\r\n if (timer) {\r\n clearTimeout(timer);\r\n }\r\n\r\n backdrop.remove();\r\n dialog.remove();\r\n trackModalState(false);\r\n\r\n resolve(result);\r\n });\r\n\r\n modal.classList.remove(\"in\");\r\n backdrop.classList.remove(\"in\");\r\n }\r\n\r\n // Add in all the buttons specified.\r\n for (const button of options.buttons) {\r\n const btn = document.createElement(\"button\");\r\n btn.classList.value = button.className;\r\n btn.type = \"button\";\r\n btn.innerText = button.label;\r\n btn.addEventListener(\"click\", () => {\r\n clearDialog(button.key);\r\n });\r\n buttons.push(btn);\r\n }\r\n\r\n // Construct the close (cancel) button.\r\n const closeButton = createCloseButton();\r\n closeButton.addEventListener(\"click\", () => {\r\n clearDialog(\"cancel\");\r\n });\r\n\r\n const dialog = createDialog([closeButton, body], buttons);\r\n const backdrop = createBackdrop();\r\n\r\n const modal = dialog.querySelector(\".modal\") as HTMLElement;\r\n\r\n // Do final adjustments to the elements and add to the body.\r\n trackModalState(true);\r\n container.appendChild(dialog);\r\n container.appendChild(backdrop);\r\n modal.style.marginTop = `-${modal.offsetHeight / 2.0}px`;\r\n\r\n // Show the backdrop and the modal.\r\n backdrop.classList.add(\"in\");\r\n modal.classList.add(\"in\");\r\n\r\n // Handle dismissal of the dialog by cancellation token.\r\n options.cancellationToken?.onCancellationRequested(() => {\r\n clearDialog(\"cancel\");\r\n });\r\n });\r\n}\r\n\r\n/**\r\n * Shows an alert message that requires the user to acknowledge.\r\n *\r\n * @param message The message text to be displayed.\r\n *\r\n * @returns A promise that indicates when the dialog has been dismissed.\r\n */\r\nexport async function alert(message: string): Promise {\r\n await showDialog({\r\n message,\r\n buttons: [\r\n {\r\n key: \"ok\",\r\n label: \"OK\",\r\n className: \"btn btn-primary\"\r\n }\r\n ]\r\n });\r\n}\r\n\r\n/**\r\n * Shows a confirmation dialog that consists of OK and Cancel buttons. The\r\n * user will be required to click one of these two buttons.\r\n *\r\n * @param message The message to be displayed inside the dialog.\r\n *\r\n * @returns A promise that indicates when the dialog has been dismissed. The\r\n * value will be true if the OK button was clicked or false otherwise.\r\n */\r\nexport async function confirm(message: string): Promise {\r\n const result = await showDialog({\r\n message,\r\n buttons: [\r\n {\r\n key: \"ok\",\r\n label: \"OK\",\r\n className: \"btn btn-primary\"\r\n },\r\n {\r\n key: \"cancel\",\r\n label: \"Cancel\",\r\n className: \"btn btn-default\"\r\n }\r\n ]\r\n });\r\n\r\n return result === \"ok\";\r\n}\r\n\r\n/**\r\n * Shows a delete confirmation dialog that consists of OK and Cancel buttons.\r\n * The user will be required to click one of these two buttons. The message\r\n * is standardized.\r\n *\r\n * @param nameText The name of type that will be deleted.\r\n *\r\n * @returns A promise that indicates when the dialog has been dismissed. The\r\n * value will be true if the OK button was clicked or false otherwise.\r\n */\r\nexport function confirmDelete(typeName: string, additionalMessage?: string): Promise {\r\n let message = `Are you sure you want to delete this ${typeName}?`;\r\n\r\n if (additionalMessage) {\r\n message += ` ${additionalMessage}`;\r\n }\r\n\r\n return confirm(message);\r\n}\r\n\r\n/**\r\n * Shows the security dialog for the given entity.\r\n *\r\n * @param entityTypeIdKey The identifier of the entity's type.\r\n * @param entityIdKey The identifier of the entity to secure.\r\n * @param entityTitle The title of the entity. This is used to construct the modal title.\r\n */\r\nexport function showSecurity(entityTypeIdKey: Guid | string | number, entityIdKey: Guid | string | number, entityTitle: string = \"Item\"): void {\r\n Rock.controls.modal.show(undefined, `/Secure/${entityTypeIdKey}/${entityIdKey}?t=Secure ${entityTitle}&pb=&sb=Done`);\r\n}\r\n\r\n/**\r\n * Shows the child pages for the given page.\r\n * @param pageId The page identifier\r\n */\r\nexport function showChildPages(pageId: Guid | string | number): void {\r\n Rock.controls.modal.show(undefined, `/pages/${pageId}?t=Child Pages&pb=&sb=Done`);\r\n}","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\n/**\r\n * Is the value a valid email address?\r\n * @param val\r\n */\r\nexport function isEmail(val: unknown): boolean {\r\n if (typeof val === \"string\") {\r\n const re = /^(([^<>()[\\]\\\\.,;:\\s@\"]+(\\.[^<>()[\\]\\\\.,;:\\s@\"]+)*)|(\".+\"))@((\\[[0-9]{1,3}\\.[0-9]{1,3}\\.[0-9]{1,3}\\.[0-9]{1,3}\\])|(([a-zA-Z\\-0-9]+\\.)+[a-zA-Z]{2,}))$/;\r\n return re.test(val.toLowerCase());\r\n }\r\n\r\n return false;\r\n}\r\n","import { ListItemBag } from \"@Obsidian/ViewModels/Utility/listItemBag\";\r\n\r\n/**\r\n * A function to convert the enums to array of ListItemBag in the frontend.\r\n *\r\n * @param description The enum to be converted to an array of listItemBag as a dictionary of value to enum description\r\n *\r\n * @returns An array of ListItemBag.\r\n */\r\nexport function enumToListItemBag (description: Record): ListItemBag[] {\r\n const listItemBagList: ListItemBag[] = [];\r\n for(const property in description) {\r\n listItemBagList.push({\r\n text: description[property].toString(),\r\n value: property.toString()\r\n });\r\n }\r\n return listItemBagList;\r\n}","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { Guid } from \"@Obsidian/Types\";\r\nimport { isValidGuid, normalize } from \"./guid\";\r\nimport { IFieldType } from \"@Obsidian/Types/fieldType\";\r\n\r\nconst fieldTypeTable: Record = {};\r\n\r\n/** Determines how the field type component is being used so it can adapt to different */\r\nexport type DataEntryMode = \"defaultValue\" | undefined;\r\n\r\n/**\r\n * Register a new field type in the system. This must be called for all field\r\n * types a plugin registers.\r\n *\r\n * @param fieldTypeGuid The unique identifier of the field type.\r\n * @param fieldType The class instance that will handle the field type.\r\n */\r\nexport function registerFieldType(fieldTypeGuid: Guid, fieldType: IFieldType): void {\r\n const normalizedGuid = normalize(fieldTypeGuid);\r\n\r\n if (!isValidGuid(fieldTypeGuid) || normalizedGuid === null) {\r\n throw \"Invalid guid specified when registering field type.\";\r\n }\r\n\r\n if (fieldTypeTable[normalizedGuid] !== undefined) {\r\n throw \"Invalid attempt to replace existing field type.\";\r\n }\r\n\r\n fieldTypeTable[normalizedGuid] = fieldType;\r\n}\r\n\r\n/**\r\n * Get the field type handler for a given unique identifier.\r\n *\r\n * @param fieldTypeGuid The unique identifier of the field type.\r\n *\r\n * @returns The field type instance or null if not found.\r\n */\r\nexport function getFieldType(fieldTypeGuid: Guid): IFieldType | null {\r\n const normalizedGuid = normalize(fieldTypeGuid);\r\n\r\n if (normalizedGuid !== null) {\r\n const field = fieldTypeTable[normalizedGuid];\r\n\r\n if (field) {\r\n return field;\r\n }\r\n }\r\n\r\n console.warn(`Field type \"${fieldTypeGuid}\" was not found`);\r\n return null;\r\n}\r\n\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\n/**\r\n * Triggers an automatic download of the data so it can be saved to the\r\n * filesystem.\r\n *\r\n * @param data The data to be downloaded by the browser.\r\n * @param filename The name of the filename to suggest to the browser.\r\n */\r\nexport async function downloadFile(data: Blob, filename: string): Promise {\r\n // Create the URL that contains the file data.\r\n const url = URL.createObjectURL(data);\r\n\r\n // Create a fake hyperlink to simulate an attempt to download a file.\r\n const element = document.createElement(\"a\");\r\n element.innerText = \"Download\";\r\n element.style.position = \"absolute\";\r\n element.style.top = \"-100px\";\r\n element.style.left = \"0\";\r\n element.href = url;\r\n element.download = filename;\r\n document.body.appendChild(element);\r\n element.click();\r\n document.body.removeChild(element);\r\n\r\n setTimeout(() => URL.revokeObjectURL(url), 100);\r\n}\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { inject, provide } from \"vue\";\r\n\r\n/** The unique symbol used when injecting the form state. */\r\nconst formStateSymbol = Symbol();\r\n\r\n/**\r\n * Holds the state of a single form on the page along with any callback methods\r\n * that can be used to interact with the form.\r\n */\r\nexport type FormState = {\r\n /** The number of submissions the form has had. */\r\n submitCount: number;\r\n\r\n /** Sets the current error for the given field name. A blank error means no error. */\r\n setError: (id: string, name: string, error: string) => void;\r\n};\r\n\r\n/**\r\n * Contains the internal form error passed between RockForm and RockValidation.\r\n *\r\n * This is an internal type and subject to change at any time.\r\n */\r\nexport type FormError = {\r\n /** The name of the field. */\r\n name: string;\r\n\r\n /** The current error text. */\r\n text: string;\r\n};\r\n\r\n/**\r\n * Provides the form state for any child components that need access to it.\r\n * \r\n * @param state The state that will be provided to child components.\r\n */\r\nexport function provideFormState(state: FormState): void {\r\n provide(formStateSymbol, state);\r\n}\r\n\r\n/**\r\n * Makes use of the FormState that was previously provided by a parent component.\r\n *\r\n * @returns The form state or undefined if it was not available.\r\n */\r\nexport function useFormState(): FormState | undefined {\r\n return inject(formStateSymbol, undefined);\r\n}\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\n// Define the browser-specific versions of these functions that older browsers\r\n// implemented before using the standard API.\r\ndeclare global {\r\n // eslint-disable-next-line @typescript-eslint/naming-convention\r\n interface Document {\r\n mozCancelFullScreen?: () => Promise;\r\n webkitExitFullscreen?: () => Promise;\r\n mozFullScreenElement?: Element;\r\n webkitFullscreenElement?: Element;\r\n }\r\n\r\n // eslint-disable-next-line @typescript-eslint/naming-convention\r\n interface HTMLElement {\r\n mozRequestFullscreen?: () => Promise;\r\n webkitRequestFullscreen?: () => Promise;\r\n }\r\n}\r\n\r\n/**\r\n * Request that the window enter true fullscreen mode for the given element.\r\n * \r\n * @param element The element that will be the root of the fullscreen view.\r\n * @param exitCallback The function to call when leaving fullscreen mode.\r\n *\r\n * @returns A promise that indicates when the operation has completed.\r\n */\r\nexport async function enterFullscreen(element: HTMLElement, exitCallback?: (() => void)): Promise {\r\n try {\r\n if (element.requestFullscreen) {\r\n await element.requestFullscreen();\r\n }\r\n else if (element.mozRequestFullscreen) {\r\n await element.mozRequestFullscreen();\r\n }\r\n else if (element.webkitRequestFullscreen) {\r\n await element.webkitRequestFullscreen();\r\n }\r\n else {\r\n return false;\r\n }\r\n\r\n element.classList.add(\"is-fullscreen\");\r\n\r\n const onFullscreenChange = (): void => {\r\n element.classList.remove(\"is-fullscreen\");\r\n\r\n document.removeEventListener(\"fullscreenchange\", onFullscreenChange);\r\n document.removeEventListener(\"mozfullscreenchange\", onFullscreenChange);\r\n document.removeEventListener(\"webkitfullscreenchange\", onFullscreenChange);\r\n\r\n if (exitCallback) {\r\n exitCallback();\r\n }\r\n };\r\n\r\n document.addEventListener(\"fullscreenchange\", onFullscreenChange);\r\n document.addEventListener(\"mozfullscreenchange\", onFullscreenChange);\r\n document.addEventListener(\"webkitfullscreenchange\", onFullscreenChange);\r\n\r\n return true;\r\n }\r\n catch (ex) {\r\n console.error(ex);\r\n return false;\r\n }\r\n}\r\n\r\n/**\r\n * Checks if any element is currently in fullscreen mode.\r\n * \r\n * @returns True if an element is currently in fullscreen mode in the window; otherwise false.\r\n */\r\nexport function isFullscreen(): boolean {\r\n return !!document.fullscreenElement || !!document.mozFullScreenElement || !!document.webkitFullscreenElement;\r\n}\r\n\r\n/**\r\n * Manually exits fullscreen mode.\r\n * \r\n * @returns True if fullscreen mode was exited; otherwise false.\r\n */\r\nexport async function exitFullscreen(): Promise {\r\n try {\r\n if (document.exitFullscreen) {\r\n await document.exitFullscreen();\r\n }\r\n else if (document.mozCancelFullScreen) {\r\n await document.mozCancelFullScreen();\r\n }\r\n else if (document.webkitExitFullscreen) {\r\n document.webkitExitFullscreen();\r\n }\r\n else {\r\n return false;\r\n }\r\n\r\n return true;\r\n }\r\n catch (ex) {\r\n console.error(ex);\r\n return false;\r\n }\r\n}\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\n/* global google */\r\n\r\nimport { DrawingMode, Coordinate, ILatLng, ILatLngLiteral } from \"@Obsidian/Types/Controls/geo\";\r\nimport { GeoPickerSettingsBag } from \"@Obsidian/ViewModels/Rest/Controls/geoPickerSettingsBag\";\r\nimport { GeoPickerGetSettingsOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/geoPickerGetSettingsOptionsBag\";\r\nimport { GeoPickerGoogleMapSettingsBag } from \"@Obsidian/ViewModels/Rest/Controls/geoPickerGoogleMapSettingsBag\";\r\nimport { emptyGuid } from \"./guid\";\r\nimport { post } from \"./http\";\r\nimport { loadJavaScriptAsync } from \"./page\";\r\n\r\n/**\r\n * Converts a LatLng object, \"lat,lng\" coordinate string, or WellKnown \"lng lat\" coordinate string to a Coordinate array\r\n * @param coord Either a string in \"lat,lng\" format or a LatLng object from Google Maps\r\n * @param isWellKnown True if is \"lng lat\" format, false if it is \"lat, lng\"\r\n *\r\n * @returns Coordinate: Tuple with a Latitude number and Longitude number as the elements\r\n */\r\nexport function toCoordinate(coord: string | ILatLng, isWellKnown: boolean = false): Coordinate {\r\n if (typeof coord == \"string\") {\r\n // WellKnown string format\r\n if (isWellKnown) {\r\n return coord.split(\" \").reverse().map(val => parseFloat(val)) as Coordinate;\r\n }\r\n // Google Maps URL string format\r\n else {\r\n return coord.split(\",\").map(val => parseFloat(val)) as Coordinate;\r\n }\r\n }\r\n else {\r\n return [coord.lat(), coord.lng()];\r\n }\r\n}\r\n\r\n/**\r\n * Takes a Well Known Text value and converts it into a Coordinate array\r\n */\r\nexport function wellKnownToCoordinates(wellKnownText: string, type: DrawingMode): Coordinate[] {\r\n if (wellKnownText == \"\") {\r\n return [];\r\n }\r\n if (type == \"Point\") {\r\n // From this format: POINT (-112.130946 33.600114)\r\n return [toCoordinate(wellKnownText.replace(/(POINT *\\( *)|( *\\) *)/ig, \"\"), true)];\r\n }\r\n else {\r\n // From this format: POLYGON ((-112.157058 33.598563, -112.092341 33.595132, -112.117061 33.608715, -112.124957 33.609286, -112.157058 33.598563))\r\n return wellKnownText.replace(/(POLYGON *\\(+ *)|( *\\)+ *)/ig, \"\").split(/ *, */).map((coord) => toCoordinate(coord, true));\r\n }\r\n}\r\n\r\n/**\r\n * Takes a Well Known Text value and converts it into a Coordinate array\r\n */\r\nexport function coordinatesToWellKnown(coordinates: Coordinate[], type: DrawingMode): string {\r\n if (coordinates.length == 0) {\r\n return \"\";\r\n }\r\n else if (type == \"Point\") {\r\n return `POINT(${coordinates[0].reverse().join(\" \")})`;\r\n }\r\n else {\r\n // DB doesn't work well with the points of a polygon specified in clockwise order for some reason\r\n if (isClockwisePolygon(coordinates)) {\r\n coordinates.reverse();\r\n }\r\n\r\n const coordinateString = coordinates.map(coords => coords.reverse().join(\" \")).join(\", \");\r\n return `POLYGON((${coordinateString}))`;\r\n }\r\n}\r\n\r\n/**\r\n * Takes a Coordinate and uses Geocoding to get nearest address\r\n */\r\nexport function nearAddressForCoordinate(coordinate: Coordinate): Promise {\r\n return new Promise(resolve => {\r\n // only try if google is loaded\r\n if (window.google) {\r\n const geocoder = new google.maps.Geocoder();\r\n geocoder.geocode({ location: new google.maps.LatLng(...coordinate) }, function (results, status) {\r\n if (status == google.maps.GeocoderStatus.OK && results?.[0]) {\r\n resolve(\"near \" + results[0].formatted_address);\r\n }\r\n else {\r\n console.log(\"Geocoder failed due to: \" + status);\r\n resolve(\"\");\r\n }\r\n });\r\n }\r\n else {\r\n resolve(\"\");\r\n }\r\n });\r\n}\r\n\r\n/**\r\n * Takes a Coordinate array and uses Geocoding to get nearest address for the first point\r\n */\r\nexport function nearAddressForCoordinates(coordinates: Coordinate[]): Promise {\r\n if (!coordinates || coordinates.length == 0) {\r\n return Promise.resolve(\"\");\r\n }\r\n return nearAddressForCoordinate(coordinates[0]);\r\n}\r\n\r\n/**\r\n * Determine whether the polygon's coordinates are drawn in clockwise order\r\n * Thank you dominoc!\r\n * http://dominoc925.blogspot.com/2012/03/c-code-to-determine-if-polygon-vertices.html\r\n */\r\nexport function isClockwisePolygon(polygon: number[][]): boolean {\r\n let sum = 0;\r\n\r\n for (let i = 0; i < polygon.length - 1; i++) {\r\n sum += (Math.abs(polygon[i + 1][0]) - Math.abs(polygon[i][0])) * (Math.abs(polygon[i + 1][1]) + Math.abs(polygon[i][1]));\r\n }\r\n\r\n return sum > 0;\r\n}\r\n\r\n/**\r\n * Download the necessary resources to run the maps and return the map settings from the API\r\n *\r\n * @param options Options for which data to get from the API\r\n *\r\n * @return Promise with the map settings retrieved from the API\r\n */\r\nexport async function loadMapResources(options: GeoPickerGetSettingsOptionsBag = { mapStyleValueGuid: emptyGuid }): Promise {\r\n const response = await post(\"/api/v2/Controls/GeoPickerGetGoogleMapSettings\", undefined, options);\r\n const googleMapSettings = response.data ?? {};\r\n\r\n let keyParam = \"\";\r\n\r\n if (googleMapSettings.googleApiKey) {\r\n keyParam = `key=${googleMapSettings.googleApiKey}&`;\r\n }\r\n\r\n await loadJavaScriptAsync(`https://maps.googleapis.com/maps/api/js?${keyParam}libraries=drawing,visualization,geometry`, () => typeof (google) != \"undefined\" && typeof (google.maps) != \"undefined\", {}, false);\r\n\r\n return googleMapSettings;\r\n}\r\n\r\n/**\r\n * Creates a ILatLng object\r\n */\r\nexport function createLatLng(latOrLatLngOrLatLngLiteral: number | ILatLngLiteral | ILatLng, lngOrNoClampNoWrap?: number | boolean | null, noClampNoWrap?: boolean): ILatLng {\r\n return new google.maps.LatLng(latOrLatLngOrLatLngLiteral as number, lngOrNoClampNoWrap, noClampNoWrap);\r\n}","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { DayOfWeek, RockDateTime } from \"./rockDateTime\";\r\nimport { newGuid } from \"./guid\";\r\nimport { toNumberOrNull } from \"./numberUtils\";\r\nimport { pluralConditional } from \"./stringUtils\";\r\n\r\ntype Frequency = \"DAILY\" | \"WEEKLY\" | \"MONTHLY\";\r\n\r\n/**\r\n * The day of the week and an interval number for that particular day.\r\n */\r\nexport type WeekdayNumber = {\r\n /** The interval number for this day. */\r\n value: number;\r\n\r\n /** The day of the week. */\r\n day: DayOfWeek;\r\n};\r\n\r\n// Abbreviate nth lookup table.\r\nconst nthNamesAbbreviated: [number, string][] = [\r\n [1, \"1st\"],\r\n [2, \"2nd\"],\r\n [3, \"3rd\"],\r\n [4, \"4th\"],\r\n [-1, \"last\"]\r\n];\r\n\r\n// #region Internal Functions\r\n\r\n/**\r\n * Converts the number to a string and pads the left with zeros to make up\r\n * the minimum required length.\r\n *\r\n * @param value The value to be converted to a string.\r\n * @param length The minimum required length of the final string.\r\n *\r\n * @returns A string that represents the value.\r\n */\r\nfunction padZeroLeft(value: number, length: number): string {\r\n const str = value.toString();\r\n\r\n return \"0\".repeat(length - str.length) + str;\r\n}\r\n\r\n/**\r\n * Get a date-only string that can be used in the iCal format.\r\n *\r\n * @param date The date object to be converted to a string.\r\n *\r\n * @returns A string that represents only the date portion of the parameter.\r\n */\r\nfunction getDateString(date: RockDateTime): string {\r\n const year = date.year;\r\n const month = date.month;\r\n const day = date.day;\r\n\r\n return `${year}${padZeroLeft(month, 2)}${padZeroLeft(day, 2)}`;\r\n}\r\n\r\n/**\r\n * Gets a time-only string that can be used in the iCal format.\r\n *\r\n * @param date The date object to be converted to a string.\r\n *\r\n * @returns A string that represents only the time portion of the parameter.\r\n */\r\nfunction getTimeString(date: RockDateTime): string {\r\n const hour = date.hour;\r\n const minute = date.minute;\r\n const second = date.second;\r\n\r\n return `${padZeroLeft(hour, 2)}${padZeroLeft(minute, 2)}${padZeroLeft(second, 2)}`;\r\n}\r\n\r\n/**\r\n * Gets a date and time string that can be used in the iCal format.\r\n *\r\n * @param date The date object to be converted to a string.\r\n *\r\n * @returns A string that represents only the date and time of the parameter.\r\n */\r\nfunction getDateTimeString(date: RockDateTime): string {\r\n return `${getDateString(date)}T${getTimeString(date)}`;\r\n}\r\n\r\n/**\r\n * Gets all the date objects from a range or period string value. This converts\r\n * from an iCal format into a set of date objects.\r\n *\r\n * @param value The string value in iCal format.\r\n *\r\n * @returns An array of date objects that represents the range or period value.\r\n */\r\nfunction getDatesFromRangeOrPeriod(value: string): RockDateTime[] {\r\n const segments = value.split(\"/\");\r\n\r\n if (segments.length === 0) {\r\n return [];\r\n }\r\n\r\n const startDate = getDateFromString(segments[0]);\r\n if (!startDate) {\r\n return [];\r\n }\r\n\r\n if (segments.length !== 2) {\r\n return [startDate];\r\n }\r\n\r\n const dates: RockDateTime[] = [];\r\n\r\n if (segments[1].startsWith(\"P\")) {\r\n // Value is a period so we have a start date and then a period marker\r\n // to tell us how long that date extends.\r\n const days = getPeriodDurationInDays(segments[1]);\r\n\r\n for (let day = 0; day < days; day++) {\r\n const date = startDate.addDays(day);\r\n if (date) {\r\n dates.push(date);\r\n }\r\n }\r\n }\r\n else {\r\n // Value is a date range so we have a start date and then an end date\r\n // and we need to fill in the dates in between.\r\n const endDate = getDateFromString(segments[1]);\r\n\r\n if (endDate !== null) {\r\n let date = startDate;\r\n\r\n while (date <= endDate) {\r\n dates.push(date);\r\n date = date.addDays(1);\r\n }\r\n }\r\n }\r\n\r\n return dates;\r\n}\r\n\r\n/**\r\n * Get a date object that only has the date portion filled in from the iCal\r\n * date string. The time will be set to midnight.\r\n *\r\n * @param value An iCal date value.\r\n *\r\n * @returns A date object that represents the iCal date value.\r\n */\r\nfunction getDateFromString(value: string): RockDateTime | null {\r\n if (value.length < 8) {\r\n return null;\r\n }\r\n\r\n const year = parseInt(value.substring(0, 4));\r\n const month = parseInt(value.substring(4, 6));\r\n const day = parseInt(value.substring(6, 8));\r\n\r\n return RockDateTime.fromParts(year, month, day);\r\n}\r\n\r\n/**\r\n * Get a date object that has both the date and time filled in from the iCal\r\n * date string.\r\n *\r\n * @param value An iCal date value.\r\n *\r\n * @returns A date object that represents the iCal date value.\r\n */\r\nfunction getDateTimeFromString(value: string): RockDateTime | null {\r\n if (value.length < 15 || value[8] !== \"T\") {\r\n return null;\r\n }\r\n\r\n const year = parseInt(value.substring(0, 4));\r\n const month = parseInt(value.substring(4, 6));\r\n const day = parseInt(value.substring(6, 8));\r\n const hour = parseInt(value.substring(9, 11));\r\n const minute = parseInt(value.substring(11, 13));\r\n const second = parseInt(value.substring(13, 15));\r\n\r\n return RockDateTime.fromParts(year, month, day, hour, minute, second);\r\n}\r\n\r\n/**\r\n * Gets an iCal period duration in the number of days.\r\n *\r\n * @param period The iCal period definition.\r\n *\r\n * @returns The number of days found in the definition.\r\n */\r\nfunction getPeriodDurationInDays(period: string): number {\r\n // These are in a format like P1D, P2W, etc.\r\n if (!period.startsWith(\"P\")) {\r\n return 0;\r\n }\r\n\r\n if (period.endsWith(\"D\")) {\r\n return parseInt(period.substring(1, period.length - 1));\r\n }\r\n else if (period.endsWith(\"W\")) {\r\n return parseInt(period.substring(1, period.length - 1)) * 7;\r\n }\r\n\r\n return 0;\r\n}\r\n\r\n/**\r\n * Gets the specific recurrence dates from a RDATE iCal value string.\r\n *\r\n * @param attributes The attributes that were defined on the RDATE property.\r\n * @param value The value of the RDATE property.\r\n *\r\n * @returns An array of date objects found in the RDATE value.\r\n */\r\nfunction getRecurrenceDates(attributes: Record, value: string): RockDateTime[] {\r\n const recurrenceDates: RockDateTime[] = [];\r\n const valueParts = value.split(\",\");\r\n let valueType = attributes[\"VALUE\"];\r\n\r\n for (const valuePart of valueParts) {\r\n if(!valueType) {\r\n // The value type is unspecified and it could be a PERIOD, DATE-TIME or a DATE.\r\n // Determine it based on the length and the contents of the valuePart string.\r\n\r\n const length = valuePart.length;\r\n\r\n if (length === 8) { // Eg: 20240117\r\n valueType = \"DATE\";\r\n }\r\n else if ((length === 15 || length === 16) && valuePart[8] === \"T\") { // Eg: 19980119T020000, 19970714T173000Z\r\n valueType = \"DATE-TIME\";\r\n }\r\n else { // Eg: 20240201/20240202, 20240118/P1D\r\n valueType = \"PERIOD\";\r\n }\r\n }\r\n\r\n\r\n if (valueType === \"PERIOD\") {\r\n // Values are stored in period format, such as \"20221005/P1D\".\r\n recurrenceDates.push(...getDatesFromRangeOrPeriod(valuePart));\r\n }\r\n else if (valueType === \"DATE\") {\r\n // Values are date-only values.\r\n const date = getDateFromString(valuePart);\r\n if (date) {\r\n recurrenceDates.push(date);\r\n }\r\n }\r\n else if (valueType === \"DATE-TIME\") {\r\n // Values are date and time values.\r\n const date = getDateTimeFromString(valuePart);\r\n if (date) {\r\n recurrenceDates.push(date);\r\n }\r\n }\r\n }\r\n\r\n return recurrenceDates;\r\n}\r\n\r\n/**\r\n * Gets the name of the weekday from the iCal abbreviation.\r\n *\r\n * @param day The iCal day abbreviation.\r\n *\r\n * @returns A string that represents the day name.\r\n */\r\nfunction getWeekdayName(day: DayOfWeek): \"Sunday\" | \"Monday\" | \"Tuesday\" | \"Wednesday\" | \"Thursday\" | \"Friday\" | \"Saturday\" | \"Unknown\" {\r\n if (day === DayOfWeek.Sunday) {\r\n return \"Sunday\";\r\n }\r\n else if (day === DayOfWeek.Monday) {\r\n return \"Monday\";\r\n }\r\n else if (day === DayOfWeek.Tuesday) {\r\n return \"Tuesday\";\r\n }\r\n else if (day === DayOfWeek.Wednesday) {\r\n return \"Wednesday\";\r\n }\r\n else if (day === DayOfWeek.Thursday) {\r\n return \"Thursday\";\r\n }\r\n else if (day === DayOfWeek.Friday) {\r\n return \"Friday\";\r\n }\r\n else if (day === DayOfWeek.Saturday) {\r\n return \"Saturday\";\r\n }\r\n else {\r\n return \"Unknown\";\r\n }\r\n}\r\n\r\n/**\r\n * Checks if the date matches one of the weekday options.\r\n *\r\n * @param rockDate The date that must match one of the weekday options.\r\n * @param days The array of weekdays that the date must match.\r\n *\r\n * @returns True if the date matches; otherwise false.\r\n */\r\nfunction dateMatchesDays(rockDate: RockDateTime, days: DayOfWeek[]): boolean {\r\n for (const day of days) {\r\n if (rockDate.dayOfWeek === day) {\r\n return true;\r\n }\r\n }\r\n\r\n return false;\r\n}\r\n\r\n/**\r\n * Checks if the date matches the specifie day of week and also the offset into\r\n * the month for that day.\r\n *\r\n * @param rockDate The date object to be checked.\r\n * @param dayOfWeek The day of week the date must be on.\r\n * @param offsets The offset in week, such as 2 meaning the second 'dayOfWeek' or -1 meaning the last 'dayOfWeek'.\r\n *\r\n * @returns True if the date matches the options; otherwise false.\r\n */\r\nfunction dateMatchesOffsetDayOfWeeks(rockDate: RockDateTime, dayOfWeek: DayOfWeek, offsets: number[]): boolean {\r\n if (!dateMatchesDays(rockDate, [dayOfWeek])) {\r\n return false;\r\n }\r\n\r\n const dayOfMonth = rockDate.day;\r\n\r\n for (const offset of offsets) {\r\n if (offset === 1 && dayOfMonth >= 1 && dayOfMonth <= 7) {\r\n return true;\r\n }\r\n else if (offset === 2 && dayOfMonth >= 8 && dayOfMonth <= 14) {\r\n return true;\r\n }\r\n else if (offset === 3 && dayOfMonth >= 15 && dayOfMonth <= 21) {\r\n return true;\r\n }\r\n else if (offset === 4 && dayOfMonth >= 22 && dayOfMonth <= 28) {\r\n return true;\r\n }\r\n else if (offset === -1) {\r\n const lastDayOfMonth = rockDate.addDays(-(rockDate.day - 1)).addMonths(1).addDays(-1).day;\r\n\r\n if (dayOfMonth >= (lastDayOfMonth - 7) && dayOfMonth <= lastDayOfMonth) {\r\n return true;\r\n }\r\n }\r\n }\r\n\r\n return false;\r\n}\r\n\r\n/**\r\n * Gets the DayOfWeek value that corresponds to the iCal formatted weekday.\r\n *\r\n * @param day The day of the week to be parsed.\r\n *\r\n * @returns A DayOfWeek value that represents the day.\r\n */\r\nfunction getDayOfWeekFromIcalDay(day: \"SU\" | \"MO\" | \"TU\" | \"WE\" | \"TH\" | \"FR\" | \"SA\"): DayOfWeek {\r\n switch (day) {\r\n case \"SU\":\r\n return DayOfWeek.Sunday;\r\n\r\n case \"MO\":\r\n return DayOfWeek.Monday;\r\n case \"TU\":\r\n return DayOfWeek.Tuesday;\r\n\r\n case \"WE\":\r\n return DayOfWeek.Wednesday;\r\n\r\n case \"TH\":\r\n return DayOfWeek.Thursday;\r\n\r\n case \"FR\":\r\n return DayOfWeek.Friday;\r\n\r\n case \"SA\":\r\n return DayOfWeek.Saturday;\r\n }\r\n}\r\n\r\n/**\r\n * Gets the iCal abbreviation for the day of the week.\r\n *\r\n * @param day The day of the week to be converted to iCal format.\r\n *\r\n * @returns An iCal representation of the day of week.\r\n */\r\nfunction getiCalDay(day: DayOfWeek): \"SU\" | \"MO\" | \"TU\" | \"WE\" | \"TH\" | \"FR\" | \"SA\" {\r\n switch (day) {\r\n case DayOfWeek.Sunday:\r\n return \"SU\";\r\n\r\n case DayOfWeek.Monday:\r\n return \"MO\";\r\n\r\n case DayOfWeek.Tuesday:\r\n return \"TU\";\r\n\r\n case DayOfWeek.Wednesday:\r\n return \"WE\";\r\n\r\n case DayOfWeek.Thursday:\r\n return \"TH\";\r\n\r\n case DayOfWeek.Friday:\r\n return \"FR\";\r\n\r\n case DayOfWeek.Saturday:\r\n return \"SA\";\r\n }\r\n}\r\n\r\n/**\r\n * Normalizes line length so that none of the individual lines exceed the\r\n * maximum length of 75 charactes from the RFC.\r\n *\r\n * @param lines The array of lines to be normalized.\r\n *\r\n * @returns A new array with the lines normalized for length.\r\n */\r\nfunction normalizeLineLength(lines: string[]): string[] {\r\n const newLines: string[] = [...lines];\r\n\r\n for (let lineNumber = 0; lineNumber < newLines.length; lineNumber++) {\r\n // Spec does not allow lines longer than 75 characters.\r\n if (newLines[lineNumber].length > 75) {\r\n const currentLine = newLines[lineNumber].substring(0, 75);\r\n const newLine = \" \" + newLines[lineNumber].substring(75);\r\n\r\n newLines.splice(lineNumber, 1, currentLine, newLine);\r\n }\r\n }\r\n\r\n return newLines;\r\n}\r\n\r\n/**\r\n * Denormalizes line length so that any continuation lines are appending\r\n * to the previous line for proper parsing.\r\n *\r\n * @param lines The array of lines to be denormalized.\r\n *\r\n * @returns A new array with the lines denormalized.\r\n */\r\nfunction denormalizeLineLength(lines: string[]): string[] {\r\n const newLines: string[] = [...lines];\r\n\r\n for (let lineNumber = 1; lineNumber < newLines.length;) {\r\n if (newLines[lineNumber][0] === \" \") {\r\n newLines[lineNumber - 1] += newLines[lineNumber].substring(1);\r\n newLines.splice(lineNumber, 1);\r\n }\r\n else {\r\n lineNumber++;\r\n }\r\n }\r\n\r\n return newLines;\r\n}\r\n\r\n// #endregion\r\n\r\n/**\r\n * Helper utility to feed lines into ICS parsers.\r\n */\r\nclass LineFeeder {\r\n // #region Properties\r\n\r\n /**\r\n * The denormalzied lines that represent the ICS data.\r\n */\r\n private lines: string[];\r\n\r\n // #endregion\r\n\r\n // #region Constructors\r\n\r\n /**\r\n * Creates a new LineFeeder with the given content.\r\n *\r\n * @param content A string that represents raw ICS data.\r\n */\r\n constructor(content: string) {\r\n const lines = content.split(/\\r\\n|\\n|\\r/);\r\n\r\n this.lines = denormalizeLineLength(lines);\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Functions\r\n\r\n /**\r\n * Peek at the next line to be read from the feeder.\r\n *\r\n * @returns The next line to be read or null if no more lines remain.\r\n */\r\n public peek(): string | null {\r\n if (this.lines.length === 0) {\r\n return null;\r\n }\r\n\r\n return this.lines[0];\r\n }\r\n\r\n /**\r\n * Pops the next line from the feeder, removing it.\r\n *\r\n * @returns The line that was removed from the feeder or null if no lines remain.\r\n */\r\n public pop(): string | null {\r\n if (this.lines.length === 0) {\r\n return null;\r\n }\r\n\r\n return this.lines.splice(0, 1)[0];\r\n }\r\n\r\n // #endregion\r\n}\r\n\r\n/**\r\n * Logic and structure for a rule that defines when an even recurs on\r\n * different dates.\r\n */\r\nexport class RecurrenceRule {\r\n // #region Properties\r\n\r\n /**\r\n * The frequency of this recurrence. Only Daily, Weekly and Monthly\r\n * are supported.\r\n */\r\n public frequency?: Frequency;\r\n\r\n /**\r\n * The date at which no more event dates will be generated. This is\r\n * an exclusive date, meaning if an event date lands on this date\r\n * then it will not be included in the list of dates.\r\n */\r\n public endDate?: RockDateTime;\r\n\r\n /**\r\n * The maximum number of dates, including the original date, that\r\n * should be generated.\r\n */\r\n public count?: number;\r\n\r\n /**\r\n * The interval between dates based on the frequency. If this value is\r\n * 2 and frequency is Weekly, then you are asking for \"every other week\".\r\n */\r\n public interval: number = 1;\r\n\r\n /**\r\n * The days of the month the event should recur on. Only a single value\r\n * is supported currently.\r\n */\r\n public byMonthDay: number[] = [];\r\n\r\n /**\r\n * The days of the week the event shoudl recur on.\r\n */\r\n public byDay: WeekdayNumber[] = [];\r\n\r\n // #endregion\r\n\r\n // #region Constructors\r\n\r\n /**\r\n * Creates a new recurrence rule that can be used to define or adjust the\r\n * recurrence pattern of an event.\r\n *\r\n * @param rule An existing RRULE string from an iCal file.\r\n *\r\n * @returns A new instance that can be used to adjust or define the rule.\r\n */\r\n public constructor(rule: string | undefined = undefined) {\r\n if (!rule) {\r\n return;\r\n }\r\n\r\n // Rule has a format like \"FREQ=DAILY;COUNT=5\" so we split by semicolon\r\n // first and then sub-split by equals character and then stuff everything\r\n // into this values object.\r\n const values: Record = {};\r\n\r\n for (const attr of rule.split(\";\")) {\r\n const attrParts = attr.split(\"=\");\r\n if (attrParts.length === 2) {\r\n values[attrParts[0]] = attrParts[1];\r\n }\r\n }\r\n\r\n // Make sure the values we have are valid.\r\n if (values[\"UNTIL\"] !== undefined && values[\"COUNT\"] !== undefined) {\r\n throw new Error(`Recurrence rule '${rule}' cannot specify both UNTIL and COUNT.`);\r\n }\r\n\r\n if (values[\"FREQ\"] !== \"DAILY\" && values[\"FREQ\"] !== \"WEEKLY\" && values[\"FREQ\"] !== \"MONTHLY\") {\r\n throw new Error(`Invalid frequence for recurrence rule '${rule}'.`);\r\n }\r\n\r\n this.frequency = values[\"FREQ\"];\r\n\r\n if (values[\"UNTIL\"]?.length === 8) {\r\n this.endDate = getDateFromString(values[\"UNTIL\"]) ?? undefined;\r\n }\r\n else if (values[\"UNTIL\"]?.length >= 15) {\r\n this.endDate = getDateTimeFromString(values[\"UNTIL\"]) ?? undefined;\r\n }\r\n\r\n if (values[\"COUNT\"] !== undefined) {\r\n this.count = toNumberOrNull(values[\"COUNT\"]) ?? undefined;\r\n }\r\n\r\n if (values[\"INTERVAL\"] !== undefined) {\r\n this.interval = toNumberOrNull(values[\"INTERVAL\"]) ?? 1;\r\n }\r\n\r\n if (values[\"BYMONTHDAY\"] !== undefined && values[\"BYMONTHDAY\"].length > 0) {\r\n this.byMonthDay = [];\r\n\r\n for (const v of values[\"BYMONTHDAY\"].split(\",\")) {\r\n const num = toNumberOrNull(v);\r\n if (num !== null) {\r\n this.byMonthDay.push(num);\r\n }\r\n }\r\n }\r\n\r\n if (values[\"BYDAY\"] !== undefined && values[\"BYDAY\"].length > 0) {\r\n this.byDay = [];\r\n\r\n for (const v of values[\"BYDAY\"].split(\",\")) {\r\n if (v.length < 2) {\r\n continue;\r\n }\r\n\r\n const num = v.length > 2 ? toNumberOrNull(v.substring(0, v.length - 2)) : 1;\r\n const day = v.substring(v.length - 2);\r\n\r\n if (num === null) {\r\n continue;\r\n }\r\n\r\n if (day === \"SU\" || day === \"MO\" || day === \"TU\" || day == \"WE\" || day == \"TH\" || day == \"FR\" || day == \"SA\") {\r\n this.byDay.push({\r\n value: num,\r\n day: getDayOfWeekFromIcalDay(day)\r\n });\r\n }\r\n }\r\n }\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Functions\r\n\r\n /**\r\n * Builds and returns the RRULE value for an iCal file export.\r\n *\r\n * @returns A RRULE value that represents the recurrence rule.\r\n */\r\n public build(): string {\r\n const attributes: string[] = [];\r\n\r\n attributes.push(`FREQ=${this.frequency}`);\r\n\r\n if (this.count !== undefined) {\r\n attributes.push(`COUNT=${this.count}`);\r\n }\r\n else if (this.endDate) {\r\n attributes.push(`UNTIL=${getDateTimeString(this.endDate)}`);\r\n }\r\n\r\n if (this.interval > 1) {\r\n attributes.push(`INTERVAL=${this.interval}`);\r\n }\r\n\r\n if (this.byMonthDay.length > 0) {\r\n const monthDayValues = this.byMonthDay.map(md => md.toString()).join(\",\");\r\n attributes.push(`BYMONTHDAY=${monthDayValues}`);\r\n }\r\n\r\n if (this.frequency === \"MONTHLY\" && this.byDay.length > 0) {\r\n const dayValues = this.byDay.map(d => `${d.value}${getiCalDay(d.day)}`);\r\n attributes.push(`BYDAY=${dayValues}`);\r\n }\r\n else if (this.byDay.length > 0) {\r\n const dayValues = this.byDay.map(d => d.value !== 1 ? `${d.value}${getiCalDay(d.day)}` : getiCalDay(d.day));\r\n attributes.push(`BYDAY=${dayValues}`);\r\n }\r\n\r\n return attributes.join(\";\");\r\n }\r\n\r\n /**\r\n * Gets all the dates within the range that match the recurrence rule. A\r\n * maximum of 100,000 dates will be returned by this function.\r\n *\r\n * @param eventStartDateTime The start date and time of the primary event this rule is for.\r\n * @param startDateTime The inclusive starting date and time that events should be returned for.\r\n * @param endDateTime The exclusive ending date and time that events should be returned for.\r\n *\r\n * @returns An array of date objects that represent the additional dates and times for the event.\r\n */\r\n public getDates(eventStartDateTime: RockDateTime, startDateTime: RockDateTime, endDateTime: RockDateTime): RockDateTime[] {\r\n const dates: RockDateTime[] = [];\r\n let rockDate = eventStartDateTime;\r\n let dateCount = 0;\r\n\r\n if (!rockDate) {\r\n return [];\r\n }\r\n\r\n if (this.endDate && this.endDate < endDateTime) {\r\n endDateTime = this.endDate;\r\n }\r\n\r\n while (rockDate < endDateTime && dateCount < 100_000) {\r\n if (this.count && dateCount >= this.count) {\r\n break;\r\n }\r\n\r\n dateCount++;\r\n\r\n if (rockDate >= startDateTime) {\r\n dates.push(rockDate);\r\n }\r\n\r\n const nextDate = this.nextDateAfter(rockDate);\r\n\r\n if (nextDate === null) {\r\n break;\r\n }\r\n else {\r\n rockDate = nextDate;\r\n }\r\n }\r\n\r\n return dates;\r\n }\r\n\r\n /**\r\n * Gets the next valid date after the specified date based on our recurrence\r\n * rules.\r\n *\r\n * @param rockDate The reference date that should be used when calculation the next date.\r\n *\r\n * @returns The next date after the reference date or null if one cannot be determined.\r\n */\r\n private nextDateAfter(rockDate: RockDateTime): RockDateTime | null {\r\n if (this.frequency === \"DAILY\") {\r\n return rockDate.addDays(this.interval);\r\n }\r\n else if (this.frequency === \"WEEKLY\" && this.byDay.length > 0) {\r\n let nextDate = rockDate;\r\n\r\n if (nextDate.dayOfWeek === DayOfWeek.Saturday) {\r\n // On saturday process any skip intervals to move past the next n weeks.\r\n nextDate = nextDate.addDays(1 + ((this.interval - 1) * 7));\r\n }\r\n else {\r\n nextDate = nextDate.addDays(1);\r\n }\r\n\r\n while (!dateMatchesDays(nextDate, this.byDay.map(d => d.day))) {\r\n if (nextDate.dayOfWeek === DayOfWeek.Saturday) {\r\n // On saturday process any skip intervals to move past the next n weeks.\r\n nextDate = nextDate.addDays(1 + ((this.interval - 1) * 7));\r\n }\r\n else {\r\n nextDate = nextDate.addDays(1);\r\n }\r\n }\r\n\r\n return nextDate;\r\n }\r\n else if (this.frequency === \"MONTHLY\") {\r\n if (this.byMonthDay.length > 0) {\r\n let nextDate = rockDate.addDays(-(rockDate.day - 1));\r\n\r\n if (rockDate.day >= this.byMonthDay[0]) {\r\n nextDate = nextDate.addMonths(this.interval);\r\n }\r\n\r\n let lastDayOfMonth = nextDate.addMonths(1).addDays(-1).day;\r\n let loopCount = 0;\r\n\r\n // Skip any months that don't have this day number.\r\n while (lastDayOfMonth < this.byMonthDay[0]) {\r\n nextDate = nextDate.addMonths(this.interval);\r\n\r\n lastDayOfMonth = nextDate.addMonths(1).addDays(-1).day;\r\n\r\n // Fail-safe check so we don't get stuck looping forever\r\n // if the rule is one that can't be determined. Such as a\r\n // rule for the 30th day of the month every 12 months\r\n // starting in February.\r\n if (loopCount++ >= 100) {\r\n return null;\r\n }\r\n }\r\n\r\n nextDate = nextDate.addDays(this.byMonthDay[0] - 1);\r\n\r\n return nextDate;\r\n }\r\n else if (this.byDay.length > 0) {\r\n const dayOfWeek = this.byDay[0].day;\r\n const offsets = this.byDay.map(d => d.value);\r\n\r\n let nextDate = rockDate.addDays(1);\r\n\r\n while (!dateMatchesOffsetDayOfWeeks(nextDate, dayOfWeek, offsets)) {\r\n nextDate = nextDate.addDays(1);\r\n }\r\n\r\n return nextDate;\r\n }\r\n }\r\n\r\n return null;\r\n }\r\n\r\n // #endregion\r\n}\r\n\r\n/**\r\n * A single event inside a calendar.\r\n */\r\nexport class Event {\r\n // #region Properties\r\n\r\n /**\r\n * The unique identifier for this schedule used in the scheduled event.\r\n */\r\n public uid?: string;\r\n\r\n /**\r\n * The first date and time that the event occurs on. This must be provided\r\n * before the schedule can be built.\r\n */\r\n public startDateTime?: RockDateTime;\r\n\r\n /**\r\n * The end date and time for the event. This must be provided before\r\n * this schedule can be built.\r\n */\r\n public endDateTime?: RockDateTime;\r\n\r\n /**\r\n * An array of dates to be excluded from the recurrence rules.\r\n */\r\n public excludedDates: RockDateTime[] = [];\r\n\r\n /**\r\n * An array of specific dates that this schedule will recur on. This is\r\n * only valid if recurrenceRules contains no rules.\r\n */\r\n public recurrenceDates: RockDateTime[] = [];\r\n\r\n /**\r\n * The rules that define when this schedule recurs on for additional dates.\r\n * Only the first rule is currently supported.\r\n */\r\n public recurrenceRules: RecurrenceRule[] = [];\r\n\r\n // #endregion\r\n\r\n // #region Constructors\r\n\r\n /**\r\n * Creates a new internet calendar event.\r\n *\r\n * @param icsContent The content from the ICS file that represents this single event.\r\n *\r\n * @returns A new Event instance.\r\n */\r\n public constructor(icsContent: string | LineFeeder | undefined = undefined) {\r\n if (icsContent === undefined) {\r\n this.uid = newGuid();\r\n return;\r\n }\r\n\r\n let feeder: LineFeeder;\r\n\r\n if (typeof icsContent === \"string\") {\r\n feeder = new LineFeeder(icsContent);\r\n }\r\n else {\r\n feeder = icsContent;\r\n }\r\n\r\n this.parse(feeder);\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Functions\r\n\r\n /**\r\n * Build the event as a list of individual lines that make up the event in\r\n * the ICS file format.\r\n *\r\n * @returns An array of lines to be inserted into an ICS file.\r\n */\r\n public buildLines(): string[] {\r\n if (!this.startDateTime || !this.endDateTime) {\r\n return [];\r\n }\r\n\r\n const lines: string[] = [];\r\n\r\n lines.push(\"BEGIN:VEVENT\");\r\n lines.push(`DTEND:${getDateTimeString(this.endDateTime)}`);\r\n lines.push(`DTSTAMP:${getDateTimeString(RockDateTime.now())}`);\r\n lines.push(`DTSTART:${getDateTimeString(this.startDateTime)}`);\r\n\r\n if (this.excludedDates.length > 0) {\r\n lines.push(`EXDATE:${this.excludedDates.map(d => getDateString(d) + \"/P1D\").join(\",\")}`);\r\n }\r\n\r\n if (this.recurrenceDates.length > 0) {\r\n const recurrenceDates: string[] = [];\r\n for (const date of this.recurrenceDates) {\r\n const rDate = RockDateTime.fromParts(date.year, date.month, date.day, this.startDateTime.hour, this.startDateTime.minute, this.startDateTime.second);\r\n if (rDate) {\r\n recurrenceDates.push(getDateTimeString(rDate));\r\n }\r\n }\r\n\r\n lines.push(`RDATE:${recurrenceDates.join(\",\")}`);\r\n }\r\n else if (this.recurrenceRules.length > 0) {\r\n for (const rrule of this.recurrenceRules) {\r\n lines.push(`RRULE:${rrule.build()}`);\r\n }\r\n }\r\n\r\n lines.push(\"SEQUENCE:0\");\r\n lines.push(`UID:${this.uid}`);\r\n lines.push(\"END:VEVENT\");\r\n\r\n return lines;\r\n }\r\n\r\n /**\r\n * Builds the event into a string that conforms to ICS format.\r\n *\r\n * @returns An ICS formatted string that represents the event data.\r\n */\r\n public build(): string | null {\r\n const lines = this.buildLines();\r\n\r\n if (lines.length === 0) {\r\n return null;\r\n }\r\n\r\n return normalizeLineLength(lines).join(\"\\r\\n\");\r\n }\r\n\r\n /**\r\n * Parse data from an existing event and store it on this instance.\r\n *\r\n * @param feeder The feeder that will provide the line data for parsing.\r\n */\r\n private parse(feeder: LineFeeder): void {\r\n let duration: string | null = null;\r\n let line: string | null;\r\n\r\n // Verify this is an event.\r\n if (feeder.peek() !== \"BEGIN:VEVENT\") {\r\n throw new Error(\"Invalid event.\");\r\n }\r\n\r\n feeder.pop();\r\n\r\n // Parse the line until we run out of lines or see an END line.\r\n while ((line = feeder.pop()) !== null) {\r\n if (line === \"END:VEVENT\") {\r\n break;\r\n }\r\n\r\n const splitAt = line.indexOf(\":\");\r\n if (splitAt < 0) {\r\n continue;\r\n }\r\n\r\n let key = line.substring(0, splitAt);\r\n const value = line.substring(splitAt + 1);\r\n\r\n const keyAttributes: Record = {};\r\n const keySegments = key.split(\";\");\r\n if (keySegments.length > 1) {\r\n key = keySegments[0];\r\n keySegments.splice(0, 1);\r\n\r\n for (const attr of keySegments) {\r\n const attrSegments = attr.split(\"=\");\r\n if (attr.length === 2) {\r\n keyAttributes[attrSegments[0]] = attrSegments[1];\r\n }\r\n }\r\n }\r\n\r\n if (key === \"DTSTART\") {\r\n this.startDateTime = getDateTimeFromString(value) ?? undefined;\r\n }\r\n else if (key === \"DTEND\") {\r\n this.endDateTime = getDateTimeFromString(value) ?? undefined;\r\n }\r\n else if (key === \"RRULE\") {\r\n this.recurrenceRules.push(new RecurrenceRule(value));\r\n }\r\n else if (key === \"RDATE\") {\r\n this.recurrenceDates = getRecurrenceDates(keyAttributes, value);\r\n }\r\n else if (key === \"UID\") {\r\n this.uid = value;\r\n }\r\n else if (key === \"DURATION\") {\r\n duration = value;\r\n }\r\n else if (key === \"EXDATE\") {\r\n const dateValues = value.split(\",\");\r\n for (const dateValue of dateValues) {\r\n const dates = getDatesFromRangeOrPeriod(dateValue);\r\n this.excludedDates.push(...dates);\r\n }\r\n }\r\n }\r\n\r\n if (duration !== null) {\r\n // TODO: Calculate number of seconds and add to startDate.\r\n }\r\n }\r\n\r\n /**\r\n * Determines if the date is listed in one of the excluded dates. This\r\n * currently only checks the excludedDates but in the future might also\r\n * check the excluded rules.\r\n *\r\n * @param rockDate The date to be checked to see if it is excluded.\r\n *\r\n * @returns True if the date is excluded; otherwise false.\r\n */\r\n private isDateExcluded(rockDate: RockDateTime): boolean {\r\n const rockDateOnly = rockDate.date;\r\n\r\n for (const excludedDate of this.excludedDates) {\r\n if (excludedDate.date.isEqualTo(rockDateOnly)) {\r\n return true;\r\n }\r\n }\r\n\r\n return false;\r\n }\r\n\r\n /**\r\n * Get all the dates for this event that fall within the specified date range.\r\n *\r\n * @param startDateTime The inclusive starting date to use when filtering event dates.\r\n * @param endDateTime The exclusive endign date to use when filtering event dates.\r\n *\r\n * @returns An array of dates that fall between startDateTime and endDateTime.\r\n */\r\n public getDates(startDateTime: RockDateTime, endDateTime: RockDateTime): RockDateTime[] {\r\n if (!this.startDateTime) {\r\n return [];\r\n }\r\n\r\n // If the schedule has a startDateTime that is later than the requested\r\n // startDateTime then use ours instead.\r\n if (this.startDateTime > startDateTime) {\r\n startDateTime = this.startDateTime;\r\n }\r\n\r\n if (this.recurrenceDates.length > 0) {\r\n const dates: RockDateTime[] = [];\r\n const recurrenceDates: RockDateTime[] = [this.startDateTime, ...this.recurrenceDates];\r\n\r\n for (const date of recurrenceDates) {\r\n if (date >= startDateTime && date < endDateTime) {\r\n dates.push(date);\r\n }\r\n }\r\n\r\n return dates;\r\n }\r\n else if (this.recurrenceRules.length > 0) {\r\n const rrule = this.recurrenceRules[0];\r\n\r\n return rrule.getDates(this.startDateTime, startDateTime, endDateTime)\r\n .filter(d => !this.isDateExcluded(d));\r\n }\r\n else {\r\n if (this.startDateTime >= startDateTime && this.startDateTime < endDateTime) {\r\n return [this.startDateTime];\r\n }\r\n\r\n return [];\r\n }\r\n }\r\n\r\n /**\r\n * Get the friendly text string that represents this event. This will be a\r\n * plain text string with no formatting applied.\r\n *\r\n * @returns A string that represents the event in a human friendly manner.\r\n */\r\n public toFriendlyText(): string {\r\n return this.toFriendlyString(false);\r\n }\r\n\r\n /**\r\n * Get the friendly HTML string that represents this event. This will be\r\n * formatted with HTML to make the information easier to read.\r\n *\r\n * @returns A string that represents the event in a human friendly manner.\r\n */\r\n public toFriendlyHtml(): string {\r\n return this.toFriendlyString(true);\r\n }\r\n\r\n /**\r\n * Get the friendly string that can be easily understood by a human.\r\n *\r\n * @param html If true then the string can contain HTML content to make things easier to read.\r\n *\r\n * @returns A string that represents the event in a human friendly manner.\r\n */\r\n private toFriendlyString(html: boolean): string {\r\n if (!this.startDateTime) {\r\n return \"\";\r\n }\r\n\r\n const startTimeText = this.startDateTime.toLocaleString({ hour: \"numeric\", minute: \"2-digit\", hour12: true });\r\n\r\n if (this.recurrenceRules.length > 0) {\r\n const rrule = this.recurrenceRules[0];\r\n\r\n if (rrule.frequency === \"DAILY\") {\r\n let result = \"Daily\";\r\n\r\n if (rrule.interval > 1) {\r\n result += ` every ${rrule.interval} ${pluralConditional(rrule.interval, \"day\", \"days\")}`;\r\n }\r\n\r\n result += ` at ${startTimeText}`;\r\n\r\n return result;\r\n }\r\n else if (rrule.frequency === \"WEEKLY\") {\r\n if (rrule.byDay.length === 0) {\r\n return \"No Scheduled Days\";\r\n }\r\n\r\n let result = rrule.byDay.map(d => getWeekdayName(d.day) + \"s\").join(\",\");\r\n\r\n if (rrule.interval > 1) {\r\n result = `Every ${rrule.interval} weeks: ${result}`;\r\n }\r\n else {\r\n result = `Weekly: ${result}`;\r\n }\r\n\r\n return `${result} at ${startTimeText}`;\r\n }\r\n else if (rrule.frequency === \"MONTHLY\") {\r\n if (rrule.byMonthDay.length > 0) {\r\n let result = `Day ${rrule.byMonthDay[0]} of every `;\r\n\r\n if (rrule.interval > 1) {\r\n result += `${rrule.interval} months`;\r\n }\r\n else {\r\n result += \"month\";\r\n }\r\n\r\n return `${result} at ${startTimeText}`;\r\n }\r\n else if (rrule.byDay.length > 0) {\r\n const byDay = rrule.byDay[0];\r\n const offsetNames = nthNamesAbbreviated.filter(n => rrule.byDay.some(d => d.value == n[0])).map(n => n[1]);\r\n let result = \"\";\r\n\r\n if (offsetNames.length > 0) {\r\n let nameText: string;\r\n\r\n if (offsetNames.length > 2) {\r\n nameText = `${offsetNames.slice(0, offsetNames.length - 1).join(\", \")} and ${offsetNames[offsetNames.length - 1]}`;\r\n }\r\n else {\r\n nameText = offsetNames.join(\" and \");\r\n }\r\n result = `The ${nameText} ${getWeekdayName(byDay.day)} of every month`;\r\n }\r\n else {\r\n return \"\";\r\n }\r\n\r\n return `${result} at ${startTimeText}`;\r\n }\r\n else {\r\n return \"\";\r\n }\r\n }\r\n else {\r\n return \"\";\r\n }\r\n }\r\n else {\r\n const dates: RockDateTime[] = [this.startDateTime, ...this.recurrenceDates];\r\n\r\n if (dates.length === 1) {\r\n return `Once at ${this.startDateTime.toASPString(\"g\")}`;\r\n }\r\n else if (!html || dates.length > 99) {\r\n const firstDate = dates[0];\r\n const lastDate = dates[dates.length - 1];\r\n\r\n if (firstDate && lastDate) {\r\n return `Multiple dates between ${firstDate.toASPString(\"g\")} and ${lastDate.toASPString(\"g\")}`;\r\n }\r\n else {\r\n return \"\";\r\n }\r\n }\r\n else if (dates.length > 1) {\r\n let listHtml = `
    `;\r\n\r\n for (const date of dates) {\r\n listHtml += `
  • ${date.toASPString(\"g\")}
  • `;\r\n }\r\n\r\n listHtml += \"\";\r\n\r\n return listHtml;\r\n }\r\n else {\r\n return \"No Schedule\";\r\n }\r\n }\r\n }\r\n\r\n // #endregion\r\n}\r\n\r\n/**\r\n * A recurring schedule allows schedules to be built and customized from the iCal\r\n * format used in ics files.\r\n */\r\nexport class Calendar {\r\n // #region Properties\r\n\r\n /**\r\n * The events that exist for this calendar.\r\n */\r\n public events: Event[] = [];\r\n\r\n // #endregion\r\n\r\n // #region Constructors\r\n\r\n /**\r\n * Creates a new Calendar instance.\r\n *\r\n * @param icsContent The content from an ICS file to initialize the calendar with.\r\n *\r\n * @returns A new Calendar instance.\r\n */\r\n public constructor(icsContent: string | undefined = undefined) {\r\n if (icsContent === undefined) {\r\n return;\r\n }\r\n\r\n const feeder = new LineFeeder(icsContent);\r\n\r\n this.parse(feeder);\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Functions\r\n\r\n /**\r\n * Builds the calendar into a string that conforms to ICS format.\r\n *\r\n * @returns An ICS formatted string that represents the calendar data.\r\n */\r\n public build(): string | null {\r\n const lines: string[] = [];\r\n\r\n lines.push(\"BEGIN:VCALENDAR\");\r\n lines.push(\"PRODID:-//github.com/SparkDevNetwork/Rock//NONSGML Rock//EN\");\r\n lines.push(\"VERSION:2.0\");\r\n\r\n for (const event of this.events) {\r\n lines.push(...event.buildLines());\r\n }\r\n\r\n lines.push(\"END:VCALENDAR\");\r\n\r\n return denormalizeLineLength(lines).join(\"\\r\\n\");\r\n }\r\n\r\n /**\r\n * Parses the ICS data from a line feeder and constructs the calendar\r\n * from that data.\r\n *\r\n * @param feeder The feeder that provides the individual lines.\r\n */\r\n private parse(feeder: LineFeeder): void {\r\n let line: string | null;\r\n\r\n // Parse the line data.\r\n while ((line = feeder.peek()) !== null) {\r\n if (line === \"BEGIN:VEVENT\") {\r\n const event = new Event(feeder);\r\n\r\n this.events.push(event);\r\n }\r\n else {\r\n feeder.pop();\r\n }\r\n }\r\n }\r\n\r\n // #endregion\r\n}\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { Liquid } from \"@Obsidian/Libs/liquidjs\";\r\n\r\nconst engine = new Liquid({\r\n cache: true\r\n});\r\n\r\nexport function resolveMergeFields(template: string, mergeFields: Record): string {\r\n const tpl = engine.parse(template);\r\n\r\n return engine.renderSync(tpl, mergeFields);\r\n}\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { ListItemBag } from \"@Obsidian/ViewModels/Utility/listItemBag\";\r\n\r\nexport function asListItemBagOrNull(bagJson: string): ListItemBag | null {\r\n try {\r\n const val = JSON.parse(bagJson);\r\n\r\n if (\"value\" in val || \"text\" in val) {\r\n return val;\r\n }\r\n\r\n return null;\r\n }\r\n catch (e) {\r\n return null;\r\n }\r\n}","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { MergeFieldPickerFormatSelectedValueOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/mergeFieldPickerFormatSelectedValueOptionsBag\";\r\nimport { useHttp } from \"./http\";\r\n\r\n/**\r\n * Take a given mergeFieldPicker value and format it for Lava\r\n *\r\n * @param value The merge field to be formatted\r\n *\r\n * @returns The formatted string in a Promise\r\n */\r\nexport async function formatValue(value: string): Promise {\r\n const http = useHttp();\r\n\r\n const options: MergeFieldPickerFormatSelectedValueOptionsBag = {\r\n selectedValue: value\r\n };\r\n\r\n const response = await http.post(\"/api/v2/Controls/MergeFieldPickerFormatSelectedValue\", {}, options);\r\n\r\n if (response.isSuccess && response.data) {\r\n return response.data;\r\n }\r\n else {\r\n console.error(\"Error\", response.errorMessage || `Error formatting '${value}'.`);\r\n return \"\";\r\n }\r\n}","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n\r\nexport function fromEntries(entries: Iterable<[PropertyKey, string]>): Record {\r\n const res = {};\r\n for (const entry of entries) {\r\n res[entry[0]] = entry[1];\r\n }\r\n return res;\r\n}\r\n\r\n/**\r\n * Gets the value at the specified path within the object.\r\n *\r\n * @example\r\n * const object = {\r\n * person: {\r\n * name: \"Ted Decker\"\r\n * }\r\n * };\r\n *\r\n * const value = getValueFromPath(object, \"person.name\"); // returns \"Ted Decker\"\r\n *\r\n * @param object The object containing the desired value.\r\n * @param path The dot-separated path name to the desired value.\r\n * @returns The value at the specified path within the object, or `undefined`\r\n * if no such path exists.\r\n */\r\nexport function getValueFromPath(object: Record, path: string): unknown {\r\n if (!object || !path) {\r\n return;\r\n }\r\n\r\n const pathNames = path.split(\".\");\r\n\r\n for (let i = 0; i < pathNames.length; i++) {\r\n const pathName = pathNames[i].trim();\r\n\r\n // If the object doesn't have the specified path name as its own\r\n // property, return `undefined`.\r\n if (!pathName || !Object.prototype.hasOwnProperty.call(object, pathName)) {\r\n return;\r\n }\r\n\r\n const value = object[pathName];\r\n\r\n // If this is the last path name specified, return the current value.\r\n if (i === pathNames.length - 1) {\r\n return value;\r\n }\r\n\r\n // If the current value is not an object, but there are still\r\n // more path names to traverse, return `undefined`.\r\n if (typeof value !== \"object\") {\r\n return;\r\n }\r\n\r\n // Reassign `object` to the current value. This type assertion might\r\n // be incorrect, but will be caught on the next iteration if so,\r\n // in which case `undefined` will be returned.\r\n object = value as Record;\r\n }\r\n\r\n // If we somehow got here, return `undefined`.\r\n return;\r\n}\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n\r\nimport Cache from \"./cache\";\r\nimport { useHttp } from \"./http\";\r\nimport { PhoneNumberBoxGetConfigurationResultsBag } from \"@Obsidian/ViewModels/Rest/Controls/phoneNumberBoxGetConfigurationResultsBag\";\r\nimport { PhoneNumberCountryCodeRulesConfigurationBag } from \"@Obsidian/ViewModels/Rest/Controls/phoneNumberCountryCodeRulesConfigurationBag\";\r\nimport { PhoneNumberBoxGetConfigurationOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/phoneNumberBoxGetConfigurationOptionsBag\";\r\n\r\nconst http = useHttp();\r\n\r\n/**\r\n * Fetch the configuration for phone numbers and their possible formats for different countries\r\n */\r\nasync function fetchPhoneNumberConfiguration(): Promise {\r\n const result = await http.post(\"/api/v2/Controls/PhoneNumberBoxGetConfiguration\", undefined, null);\r\n\r\n if (result.isSuccess && result.data) {\r\n return result.data;\r\n }\r\n\r\n throw new Error(result.errorMessage ?? \"Error fetching phone number configuration\");\r\n}\r\n\r\n/**\r\n * Fetch the configuration for phone numbers, SMS option, and possible phone number formats for different countries\r\n */\r\nasync function fetchPhoneNumberAndSmsConfiguration(): Promise {\r\n const options: PhoneNumberBoxGetConfigurationOptionsBag = {\r\n showSmsOptIn: true\r\n };\r\n const result = await http.post(\"/api/v2/Controls/PhoneNumberBoxGetConfiguration\", undefined, options);\r\n\r\n if (result.isSuccess && result.data) {\r\n return result.data;\r\n }\r\n\r\n throw new Error(result.errorMessage ?? \"Error fetching phone number configuration\");\r\n}\r\n\r\n/**\r\n * Fetch the configuration for phone numbers and their possible formats for different countries.\r\n * Cacheable version of fetchPhoneNumberConfiguration cacheable\r\n */\r\nexport const getPhoneNumberConfiguration = Cache.cachePromiseFactory(\"phoneNumberConfiguration\", fetchPhoneNumberConfiguration);\r\n\r\nexport const getPhoneNumberAndSmsConfiguration = Cache.cachePromiseFactory(\"phoneNumberAndSmsConfiguration\", fetchPhoneNumberAndSmsConfiguration);\r\n\r\nconst defaultRulesConfig = [\r\n {\r\n \"match\": \"^(\\\\d{3})(\\\\d{4})$\",\r\n \"format\": \"$1-$2\"\r\n },\r\n {\r\n \"match\": \"^(\\\\d{3})(\\\\d{3})(\\\\d{4})$\",\r\n \"format\": \"($1) $2-$3\"\r\n },\r\n {\r\n \"match\": \"^1(\\\\d{3})(\\\\d{3})(\\\\d{4})$\",\r\n \"format\": \"($1) $2-$3\"\r\n }\r\n];\r\n\r\n/**\r\n * Format a phone number according to a given configuration\r\n *\r\n * e.g. from the default configuration:\r\n * 3214567 => 321-4567\r\n * 3214567890 => (321) 456-7890\r\n */\r\nexport function formatPhoneNumber(value: string, rules: PhoneNumberCountryCodeRulesConfigurationBag[] = defaultRulesConfig): string {\r\n value = stripPhoneNumber(value);\r\n\r\n if (!value || rules.length == 0) {\r\n return value;\r\n }\r\n\r\n for (const rule of rules) {\r\n const regex = new RegExp(rule.match ?? \"\");\r\n\r\n if (regex.test(value)) {\r\n return value.replace(regex, rule.format ?? \"\") || value;\r\n }\r\n }\r\n\r\n return value;\r\n}\r\n\r\n/**\r\n * Strips special characters from the phone number.\r\n * (321) 456-7890 => 3214567890\r\n * @param str\r\n */\r\nexport function stripPhoneNumber(str: string): string {\r\n if (!str) {\r\n return \"\";\r\n }\r\n\r\n return str.replace(/\\D/g, \"\");\r\n}\r\n\r\nexport default {\r\n getPhoneNumberConfiguration,\r\n formatPhoneNumber,\r\n stripPhoneNumber\r\n};\r\n\r\n/* eslint-disable */\r\n// @ts-ignore\r\nwindow.formatPhoneNumber = formatPhoneNumber;","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\n\r\n// NOTE: Do not make this public yet. This is essentially temporary and\r\n// will likely move to a different place and be merged with the tooltip\r\n// concept code as well.\r\ntype PopoverOptions = {\r\n /** Allow HTML content in the popover. */\r\n html?: boolean;\r\n\r\n /** Enables santization of HTML content. */\r\n sanitize?: boolean;\r\n};\r\n\r\n// eslint-disable-next-line @typescript-eslint/no-explicit-any\r\ndeclare const $: any;\r\n\r\n/**\r\n * Configure a popover for the specified node or nodes to show on hover. This\r\n * currently uses Bootstrap popovers but may be changed to use a different\r\n * method later.\r\n * \r\n * @param node The node or nodes to have popovers configured on.\r\n * @param options The options that describe how the popovers should behave.\r\n */\r\nexport function popover(node: Element | Element[], options?: PopoverOptions): void {\r\n // If we got an array of elements then activate each one.\r\n if (Array.isArray(node)) {\r\n for (const n of node) {\r\n popover(n, options);\r\n }\r\n\r\n return;\r\n }\r\n\r\n $(node).popover({\r\n html: options?.html,\r\n sanitize: options?.sanitize ?? true\r\n });\r\n}\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\n/**\r\n * Returns a promise that completes after the specified number of milliseconds\r\n * have ellapsed.\r\n * \r\n * @param ms The number of milliseconds to wait.\r\n * \r\n * @returns A promise that completes after the interval has ellapsed.\r\n */\r\nexport function sleep(ms: number): Promise {\r\n return new Promise(resolve => {\r\n setTimeout(resolve, ms);\r\n });\r\n}\r\n\r\n/**\r\n * Checks if the value is a promise to return a value. This is used to check\r\n * if a function that could have returned either a value or a promise for a\r\n * value returned a promise.\r\n * \r\n * @param obj The object to be tested if it is a promise.\r\n *\r\n * @returns True if the object is a promise.\r\n */\r\nexport function isPromise(obj: PromiseLike | T): obj is PromiseLike {\r\n return !!obj && (typeof obj === \"object\" || typeof obj === \"function\") && typeof (obj as Record).then === \"function\";\r\n}\r\n\r\n/**\r\n * A class that provides a way to defer execution via await until some\r\n * external trigger happens.\r\n */\r\nexport class PromiseCompletionSource {\r\n private internalPromise: Promise;\r\n\r\n private internalResolve: (T) => void = () => { /* Intentionally blank. */ };\r\n\r\n private internalReject: (reason?: unknown) => void = () => { /* Intentionally blank. */ };\r\n\r\n constructor() {\r\n this.internalPromise = new Promise((resolve, reject) => {\r\n this.internalResolve = resolve;\r\n this.internalReject = reject;\r\n });\r\n }\r\n\r\n /** The promise that can be awaited. */\r\n public get promise(): Promise {\r\n return this.internalPromise;\r\n }\r\n\r\n /**\r\n * Resolves the promise with the given value.\r\n * \r\n * @param value The value to be returned by the await call.\r\n */\r\n public resolve(value: T): void {\r\n this.internalResolve(value);\r\n }\r\n\r\n /**\r\n * Rejects the promise and throws the reason as an error.\r\n * \r\n * @param reason The reason to be thrown by the await call.\r\n */\r\n public reject(reason?: unknown): void {\r\n this.internalReject(reason);\r\n }\r\n}\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { loadJavaScriptAsync } from \"./page\";\r\n\r\n// Disable certain checks as they are needed to interface with existing JS file.\r\n/* eslint-disable @typescript-eslint/ban-types */\r\n/* eslint-disable @typescript-eslint/no-explicit-any */\r\n\r\n/** A generic set a server functions with no type checking. */\r\nexport type GenericServerFunctions = {\r\n [name: string]: (...args: unknown[]) => unknown;\r\n};\r\n\r\n/** A set of specific server functions that conform to an interface. */\r\nexport type ServerFunctions = {\r\n [K in keyof T]: T[K] extends Function ? T[K] : never;\r\n};\r\n\r\n/**\r\n * An object that allows RealTime communication between the browser and the Rock\r\n * server over a specific topic.\r\n */\r\nexport interface ITopic = GenericServerFunctions> {\r\n /**\r\n * Allows messages to be sent to the server. Any property access is treated\r\n * like a message function whose property name is the message name.\r\n */\r\n server: TServer;\r\n\r\n /**\r\n * Gets the connection identifier for this topic. This will be the same for\r\n * all topics, but that should not be relied on staying that way in the future.\r\n */\r\n get connectionId(): string | null;\r\n\r\n /**\r\n * Gets a value that indicates if the topic is currently reconnecting.\r\n */\r\n get isReconnecting(): boolean;\r\n\r\n /**\r\n * Gets a value that indicates if the topic is disconnected and will no\r\n * longer try to connect to the server.\r\n */\r\n get isDisconnected(): boolean;\r\n\r\n /**\r\n * Registers a handler to be called when a message with the given name\r\n * is received.\r\n *\r\n * @param messageName The message name that will trigger the handler.\r\n * @param handler The handler to be called when a message is received.\r\n */\r\n on(messageName: string, handler: ((...args: any[]) => void)): void;\r\n\r\n /**\r\n * Registers a handler to be called when any message is received.\r\n *\r\n * @param handler The handler to be called when a message is received.\r\n */\r\n onMessage(handler: ((messageName: string, args: unknown[]) => void)): void;\r\n\r\n /**\r\n * Registers a callback to be called when the connection has been\r\n * temporarily lost. An automatic reconnection is in progress. The topic\r\n * is now in a state where it can not send any messages.\r\n *\r\n * @param callback The callback to be called.\r\n */\r\n onReconnecting(callback: (() => void)): void;\r\n\r\n /**\r\n * Registers a callback to be called when the connection has been\r\n * reconnected. The topic can now send messages again.\r\n *\r\n * @param callback The callback to be called.\r\n */\r\n onReconnected(callback: (() => void)): void;\r\n\r\n /**\r\n * Registers a callback to be called when the connection has been lost\r\n * and will no longer try to reconnect.\r\n *\r\n * @param callback The callback to be called.\r\n */\r\n onDisconnected(callback: (() => void)): void;\r\n}\r\n\r\ninterface IRockRealTimeStatic {\r\n getTopic>(identifier: string): Promise>;\r\n}\r\n\r\nlet libraryObject: IRockRealTimeStatic | null = null;\r\nlet libraryPromise: Promise | null = null;\r\n\r\n/**\r\n * Gets the real time object from window.Rock.RealTime. If it is not available\r\n * then an exception will be thrown.\r\n *\r\n * @returns An instance of IRockRealTimeStatic.\r\n */\r\nasync function getRealTimeObject(): Promise {\r\n if (libraryObject) {\r\n return libraryObject;\r\n }\r\n\r\n if (!libraryPromise) {\r\n libraryPromise = loadJavaScriptAsync(\"/Scripts/Rock/realtime.js\", () => !!window[\"Rock\"]?.[\"RealTime\"]);\r\n }\r\n\r\n if (!await libraryPromise) {\r\n throw new Error(\"Unable to load RealTime library.\");\r\n }\r\n\r\n libraryObject = window[\"Rock\"]?.[\"RealTime\"] as IRockRealTimeStatic;\r\n\r\n return libraryObject;\r\n}\r\n\r\n/**\r\n * Connects to a specific topic in the Rock RealTime system and returns an\r\n * instance to a proxy that handles sending to and receiving messages from\r\n * that specific topic.\r\n *\r\n * @param identifier The identifier of the topic to be connected to.\r\n *\r\n * @returns A proxy to handle communication with the topic.\r\n */\r\nexport async function getTopic>(identifier: string): Promise> {\r\n const realTime = await getRealTimeObject();\r\n\r\n return realTime.getTopic(identifier);\r\n}\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n\r\n/**\r\n * Regex patterns used for validation purposes\r\n */\r\nexport const regexPatterns = {\r\n // This regular expression pattern matches parentheses, curly braces, square brackets, and double quotes.\r\n specialCharacterPattern: /[({[\\]})\"]/,\r\n\r\n // Regular expression to match emojis and special Unicode characters.\r\n emojiPattern: /[\\u{1F000}-\\u{1F6FF}\\u{1F900}-\\u{1F9FF}\\u{2600}-\\u{26FF}\\u{2700}-\\u{27BF}\\u{1F300}-\\u{1F5FF}\\u{1F680}-\\u{1F6FF}\\u{1F1E0}-\\u{1F1FF}]/u,\r\n\r\n // Regular expression to match special font characters.\r\n specialFontPattern: /[\\u{1D400}-\\u{1D7FF}\\u{1F100}-\\u{1F1FF}]/u\r\n};\r\n\r\n/**\r\n * Returns a regular expression pattern for matching special characters.\r\n * This pattern can be used to identify or validate strings containing parentheses, curly braces, square brackets, and double quotes.\r\n * @returns {RegExp} A regular expression object for matching special characters.\r\n */\r\nexport const getSpecialCharacterPattern = (): RegExp => regexPatterns.specialCharacterPattern;\r\n\r\n/**\r\n * Returns a regular expression pattern for matching emoji characters.\r\n * This pattern can be used to identify or validate strings containing emojis.\r\n * @returns {RegExp} A regular expression object for matching emoji characters.\r\n */\r\nexport const getEmojiPattern = (): RegExp => regexPatterns.emojiPattern;\r\n\r\n/**\r\n * Returns a regular expression pattern for matching special font characters.\r\n * This pattern can be used to identify or validate strings containing characters from special fonts,\r\n * such as mathematical alphanumeric symbols or enclosed alphanumerics.\r\n * @returns {RegExp} A regular expression object for matching special font characters.\r\n */\r\nexport const getSpecialFontPattern = (): RegExp => regexPatterns.specialFontPattern;","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport Big from \"@Obsidian/Libs/big\";\r\nimport { CurrencyInfoBag } from \"@Obsidian/ViewModels/Rest/Utilities/currencyInfoBag\";\r\nimport { toCurrencyOrNull } from \"./numberUtils\";\r\n\r\ntype RockCurrencyValue = number | string | RockCurrency;\r\n\r\ntype RockCurrencyFormatOptions = {\r\n excludeGroupingSeparators: boolean;\r\n};\r\n\r\nexport class RockCurrency {\r\n private readonly big: Big;\r\n\r\n get isZero(): boolean {\r\n return this.big.eq(0);\r\n }\r\n\r\n get number(): number {\r\n return this.big.toNumber();\r\n }\r\n\r\n get isNegative(): boolean {\r\n return this.big.lt(0);\r\n }\r\n\r\n get units(): number {\r\n return this.big.times(new Big(10).pow(this.currencyInfo.decimalPlaces)).toNumber();\r\n }\r\n\r\n /**\r\n * Creates a new RockCurrency instance.\r\n *\r\n * Keep private so the constructor can hide reference to the underlying Big library usage.\r\n */\r\n private constructor(value: RockCurrencyValue | Big.Big, readonly currencyInfo: CurrencyInfoBag) {\r\n if (value instanceof RockCurrency) {\r\n // Always truncate the currency value decimal places (with Big.roundDown).\r\n this.big = new Big(value.big).round(this.currencyInfo.decimalPlaces, Big.roundDown);\r\n }\r\n else {\r\n // Always truncate the currency value decimal places (with Big.roundDown).\r\n // Default to 0 if the value is nullish.\r\n this.big = new Big(value ?? 0).round(this.currencyInfo.decimalPlaces, Big.roundDown);\r\n }\r\n }\r\n\r\n /**\r\n * Creates a new instance of the RockCurrency class.\r\n *\r\n * @param value The currency value.\r\n * @param currencyInfo The currency info.\r\n * @returns A new RockCurrency instance.\r\n */\r\n static create(value: RockCurrencyValue, currencyInfo: CurrencyInfoBag): RockCurrency {\r\n return new RockCurrency(value, currencyInfo);\r\n }\r\n\r\n asRockCurrency(value: RockCurrencyValue): RockCurrency {\r\n return value instanceof RockCurrency ? value : new RockCurrency(value, this.currencyInfo);\r\n }\r\n\r\n /**\r\n * Adds an amount to this RockCurrency.\r\n *\r\n * @param value The amount to add to this currency. Fractional amounts that exceed this currency's precision will be truncated; e.g., if this currency has a precision of two ($31.45), and the amount being added has a precision of three ($2.289), the \"9\" will be truncated to $2.28.\r\n * @returns A createCurrency instance containing the sum of the two currencies.\r\n * @example\r\n * createCurrency(2.61).add(3.999); // returns createCurrency(6.60)\r\n * createCurrency(2.61).add(createCurrency(3.999)); // returns createCurrency(6.60)\r\n */\r\n add(value: RockCurrencyValue): RockCurrency {\r\n const currency = this.asRockCurrency(value);\r\n\r\n return new RockCurrency(this.big.plus(currency.big), this.currencyInfo);\r\n }\r\n\r\n /**\r\n * Gets the negation of this RockCurrency.\r\n *\r\n * @returns A createCurrency instance containing the negation of this RockCurrency.\r\n * @example\r\n * createCurrency(2.61).negate(); // returns createCurrency(-2.61)\r\n */\r\n negate(): RockCurrency {\r\n return new RockCurrency(this.big.neg(), this.currencyInfo);\r\n }\r\n\r\n /**\r\n * Divides this currency by a number.\r\n *\r\n * @param divisor The number by which to divide this currency. Must be a number as a currency cannot be divided by another currency.\r\n * @returns The quotient and remainder of the division as separate RockCurrency instances.\r\n * @example\r\n * createCurrency(3.50).divide(3); // returns { quotient: createCurrency(1.16), remainder: createCurrency(0.02) }\r\n */\r\n divide(divisor: number): { quotient: RockCurrency, remainder: RockCurrency } {\r\n // Always truncate the currency value decimal places (with Big.roundDown).\r\n const quotient = this.big.div(divisor).round(this.currencyInfo.decimalPlaces, Big.roundDown);\r\n const remainder = this.big.minus(quotient.times(divisor));\r\n\r\n return {\r\n quotient: new RockCurrency(quotient, this.currencyInfo),\r\n remainder: new RockCurrency(remainder, this.currencyInfo),\r\n };\r\n }\r\n\r\n /**\r\n * Subtracts an amount from this currency.\r\n *\r\n * @param currency The amount to subtract from this currency. Fractional amounts that exceed this currency's precision will be truncated; e.g., if this currency has a precision of two ($31.45), and the amount being subtracted has a precision of three ($2.289), the \"9\" will be truncated to $2.28.\r\n * @returns A createCurrency instance containing the difference of the two currencies.\r\n * @example\r\n * createCurrency(2.61).subtract(3.999); // returns createCurrency(-1.38)\r\n * createCurrency(2.61).subtract(createCurrency(3.999)); // returns createCurrency(-1.38)\r\n */\r\n subtract(value: RockCurrencyValue): RockCurrency {\r\n const currency = this.asRockCurrency(value);\r\n\r\n return new RockCurrency(this.big.minus(currency.big), this.currencyInfo);\r\n }\r\n\r\n /**\r\n * Determines if this currency is equal another currency.\r\n *\r\n * @param value The currency to which to compare.\r\n * @returns `true` if the currencies are equal; otherwise, `false` is returned.\r\n */\r\n isEqualTo(value: RockCurrencyValue): boolean {\r\n const currency = this.asRockCurrency(value);\r\n return this.big.eq(currency.big);\r\n }\r\n\r\n /**\r\n * Determines if this currency is not equal to another currency.\r\n *\r\n * @param value The currency to which to compare.\r\n * @returns `true` if the currencies are not equal; otherwise, `false` is returned.\r\n */\r\n isNotEqualTo(value: RockCurrencyValue): boolean {\r\n const currency = this.asRockCurrency(value);\r\n return !this.big.eq(currency.big);\r\n }\r\n\r\n /**\r\n * Determines if this currency is less than another currency.\r\n *\r\n * @param value The currency to which to compare.\r\n * @returns `true` if this currency is less than the provided currency; otherwise, `false` is returned.\r\n */\r\n isLessThan(value: RockCurrencyValue): boolean {\r\n const currency = this.asRockCurrency(value);\r\n return this.big.lt(currency.big);\r\n }\r\n\r\n /**\r\n * Determines if this currency is less than or equal to another currency.\r\n *\r\n * @param value The currency to which to compare.\r\n * @returns `true` if this currency is less than or equal to the provided currency; otherwise, `false` is returned.\r\n */\r\n isLessThanOrEqualTo(value: RockCurrencyValue): boolean {\r\n const currency = this.asRockCurrency(value);\r\n return this.big.lte(currency.big);\r\n }\r\n\r\n /**\r\n * Returns this currency limited by the provided value.\r\n *\r\n * @param value The currency to which to compare.\r\n * @returns `this` currency if it is equal to or greater than the limit; otherwise, `value` is returned.\r\n */\r\n noLessThan(value: RockCurrencyValue): RockCurrency {\r\n const currency = this.asRockCurrency(value);\r\n if (this.big.lt(currency.big)) {\r\n return new RockCurrency(currency.big, this.currencyInfo);\r\n }\r\n else {\r\n return this;\r\n }\r\n }\r\n\r\n /**\r\n * Determines if this currency is greater than another currency.\r\n *\r\n * @param value The currency to which to compare.\r\n * @returns `true` if this currency is greater than the provided currency; otherwise, `false` is returned.\r\n */\r\n isGreaterThan(value: RockCurrencyValue): boolean {\r\n const limit = this.asRockCurrency(value);\r\n return this.big.gt(limit.big);\r\n }\r\n\r\n /**\r\n * Returns this currency limited by the provided value.\r\n *\r\n * @param value The currency to which to compare.\r\n * @returns `this` currency if it is equal to or less than the limit; otherwise, `limit` is returned.\r\n */\r\n noGreaterThan(value: RockCurrencyValue): RockCurrency {\r\n const currency = this.asRockCurrency(value);\r\n if (this.big.gt(currency.big)) {\r\n return currency;\r\n }\r\n else {\r\n return this;\r\n }\r\n }\r\n\r\n /** Gets the absolute value of this currency. */\r\n abs(): RockCurrency {\r\n return new RockCurrency(this.big.abs(), this.currencyInfo);\r\n }\r\n\r\n /**\r\n * Returns the remainder after dividing this currency by a number.\r\n */\r\n mod(divisor: number): RockCurrency {\r\n const { remainder } = this.divide(divisor);\r\n return remainder;\r\n }\r\n\r\n format(options: RockCurrencyFormatOptions | null = null): string {\r\n if (options?.excludeGroupingSeparators) {\r\n const valueString = this.big.toFixed(this.currencyInfo.decimalPlaces, Big.roundDown);\r\n return `${this.currencyInfo.symbol}${valueString}`;\r\n }\r\n return this.toString();\r\n }\r\n\r\n /**\r\n * Gets the formatted string value of this currency.\r\n */\r\n toString(): string {\r\n // Always truncate the currency value decimal places (with Big.roundDown).\r\n const valueString = this.big.toFixed(this.currencyInfo.decimalPlaces, Big.roundDown);\r\n\r\n return toCurrencyOrNull(valueString, this.currencyInfo) ?? `${this.currencyInfo.symbol}${valueString}`;\r\n }\r\n}","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { ListItemBag } from \"@Obsidian/ViewModels/Utility/listItemBag\";\r\nimport { toNumber, toNumberOrNull } from \"./numberUtils\";\r\nimport { SlidingDateRangeType as RangeType, SlidingDateRangeType } from \"@Obsidian/Enums/Controls/slidingDateRangeType\";\r\nimport { TimeUnitType as TimeUnit } from \"@Obsidian/Enums/Controls/timeUnitType\";\r\nimport { DayOfWeek, RockDateTime } from \"./rockDateTime\";\r\n\r\n// This file contains helper functions and tooling required to work with sliding\r\n// date ranges. A sliding date range is one that, generally, is anchored to whatever\r\n// the current date and time is when the check is made. For example, \"within the next\r\n// 5 days\" would be the english equivalent of a sliding date range.\r\n\r\n/**\r\n * The enums have been moved to separate files in order to share with the back end. We import them\r\n * above (with the names used by the definitions that used to exist in this file) so they can be\r\n * used below and we export them here so that any files previously importing them from here\r\n * do not break.\r\n */\r\nexport { SlidingDateRangeType as RangeType } from \"@Obsidian/Enums/Controls/slidingDateRangeType\";\r\nexport { TimeUnitType as TimeUnit } from \"@Obsidian/Enums/Controls/timeUnitType\";\r\n\r\n/**\r\n * Specifies the information required to track a sliding date range.\r\n */\r\nexport type SlidingDateRange = {\r\n /** The type of sliding date range represented by this instance. */\r\n rangeType: RangeType;\r\n\r\n /** The unit of time represented by the timeValue property. */\r\n timeUnit?: TimeUnit;\r\n\r\n /** The number of time units used when calculating the date range. */\r\n timeValue?: number;\r\n\r\n /** The lower value of a specific date range. */\r\n lowerDate?: string;\r\n\r\n /** The upper value of a specific date range. */\r\n upperDate?: string;\r\n};\r\n\r\n/**\r\n * The sliding date range types represented as an array of ListItemBag objects.\r\n * These are ordered correctly and can be used in pickers.\r\n */\r\nexport const rangeTypeOptions: ListItemBag[] = [\r\n {\r\n value: RangeType.Current.toString(),\r\n text: \"Current\"\r\n },\r\n {\r\n value: RangeType.Previous.toString(),\r\n text: \"Previous\"\r\n },\r\n {\r\n value: RangeType.Last.toString(),\r\n text: \"Last\"\r\n },\r\n {\r\n value: RangeType.Next.toString(),\r\n text: \"Next\"\r\n },\r\n {\r\n value: RangeType.Upcoming.toString(),\r\n text: \"Upcoming\"\r\n },\r\n {\r\n value: RangeType.DateRange.toString(),\r\n text: \"Date Range\"\r\n }\r\n];\r\n\r\n/**\r\n * The sliding date range time units represented as an array of ListItemBag objects.\r\n * These are ordered correctly and can be used in pickers.\r\n */\r\nexport const timeUnitOptions: ListItemBag[] = [\r\n {\r\n value: TimeUnit.Hour.toString(),\r\n text: \"Hour\"\r\n },\r\n {\r\n value: TimeUnit.Day.toString(),\r\n text: \"Day\"\r\n },\r\n {\r\n value: TimeUnit.Week.toString(),\r\n text: \"Week\"\r\n },\r\n {\r\n value: TimeUnit.Month.toString(),\r\n text: \"Month\"\r\n },\r\n {\r\n value: TimeUnit.Year.toString(),\r\n text: \"Year\"\r\n },\r\n];\r\n\r\n/**\r\n * Helper function to get the text from a ListItemBag that matches the value.\r\n *\r\n * @param value The value to be searched for.\r\n * @param options The ListItemBag options to be searched.\r\n *\r\n * @returns The text value of the ListItemBag or an empty string if not found.\r\n */\r\nfunction getTextForValue(value: string, options: ListItemBag[]): string {\r\n const matches = options.filter(v => v.value === value);\r\n\r\n return matches.length > 0 ? matches[0].text ?? \"\" : \"\";\r\n}\r\n\r\n/**\r\n * Gets the user friendly text that represents the RangeType value.\r\n *\r\n * @param rangeType The RangeType value to be represented.\r\n *\r\n * @returns A human readable string that represents the RangeType value.\r\n */\r\nexport function getRangeTypeText(rangeType: RangeType): string {\r\n const rangeTypes = rangeTypeOptions.filter(o => o.value === rangeType.toString());\r\n\r\n return rangeTypes.length > 0 ? rangeTypes[0].text ?? \"\" : \"\";\r\n}\r\n\r\n/**\r\n * Gets the user friendly text that represents the TimeUnit value.\r\n *\r\n * @param timeUnit The TimeUnit value to be represented.\r\n *\r\n * @returns A human readable string that represents the TimeUnit value.\r\n */\r\nexport function getTimeUnitText(timeUnit: TimeUnit): string {\r\n const timeUnits = timeUnitOptions.filter(o => o.value === timeUnit.toString());\r\n\r\n return timeUnits.length > 0 ? timeUnits[0].text ?? \"\" : \"\";\r\n}\r\n\r\n/**\r\n * Parses a pipe delimited string into a SlidingDateRange native object. The\r\n * delimited string is a format used by attribute values and other places.\r\n *\r\n * @param value The pipe delimited string that should be parsed.\r\n *\r\n * @returns A SlidingDaterange object or null if the string could not be parsed.\r\n */\r\nexport function parseSlidingDateRangeString(value: string): SlidingDateRange | null {\r\n const segments = value.split(\"|\");\r\n\r\n if (segments.length < 3) {\r\n return null;\r\n }\r\n\r\n // Find the matching range types and time units (should be 0 or 1) that\r\n // match the values in the string.\r\n const rangeTypes = rangeTypeOptions.filter(o => (o.text ?? \"\").replace(\" \", \"\").toLowerCase() === segments[0].toLowerCase() || o.value === segments[0]);\r\n const timeUnits = timeUnitOptions.filter(o => (o.text ?? \"\").toLowerCase() === segments[2].toLowerCase() || o.value === segments[2]);\r\n\r\n if (rangeTypes.length === 0) {\r\n return null;\r\n }\r\n\r\n const range: SlidingDateRange = {\r\n rangeType: toNumber(rangeTypes[0].value)\r\n };\r\n\r\n // If the range type is one that has time units then parse the time units.\r\n if (([RangeType.Current, RangeType.Last, RangeType.Next, RangeType.Previous, RangeType.Upcoming] as number[]).includes(range.rangeType)) {\r\n range.timeUnit = timeUnits.length > 0 ? toNumber(timeUnits[0].value) as TimeUnit : TimeUnit.Hour;\r\n\r\n // If the range type is one that has time values then parse the time value.\r\n if (([RangeType.Last, RangeType.Next, RangeType.Previous, RangeType.Upcoming] as number[]).includes(range.rangeType)) {\r\n range.timeValue = toNumberOrNull(segments[1]) ?? 1;\r\n }\r\n }\r\n\r\n // Parse the lower and upper dates if our range type is a DateRange.\r\n if (range.rangeType === RangeType.DateRange) {\r\n if (segments.length > 3) {\r\n range.lowerDate = segments[3];\r\n }\r\n\r\n if (segments.length > 4) {\r\n range.upperDate = segments[4];\r\n }\r\n }\r\n\r\n return range;\r\n}\r\n\r\n/**\r\n * Formats the pipe delimited string.\r\n *\r\n * @param value The pipe delimited string that should be formatted.\r\n *\r\n * @returns A string that formats the sliding date range.\r\n */\r\nexport function slidingDateRangeToString(value: SlidingDateRange): string {\r\n\r\n switch (value.rangeType) {\r\n case RangeType.Current:\r\n return `Current||${getTextForValue(value.timeUnit?.toString() ?? \"\", timeUnitOptions)}||`;\r\n\r\n case RangeType.DateRange:\r\n return `DateRange|||${value.lowerDate ?? \"\"}|${value.upperDate ?? \"\"}`;\r\n\r\n default:\r\n return `${getTextForValue(value.rangeType.toString(), rangeTypeOptions)}|${value.timeValue ?? \"\"}|${getTextForValue(value.timeUnit?.toString() ?? \"\", timeUnitOptions)}||`;\r\n }\r\n}\r\n\r\n/**\r\n * Calculates the start and end dates in a sliding date range.\r\n *\r\n * @param value The sliding date range to use when calculating dates.\r\n * @param currentDateTime The date and time to use in any \"now\" calculations.\r\n *\r\n * @returns An object that contains the start and end dates and times.\r\n */\r\nexport function calculateSlidingDateRange(value: SlidingDateRange, currentDateTime: RockDateTime | null | undefined = undefined): { start: RockDateTime | null, end: RockDateTime | null } {\r\n const result: { start: RockDateTime | null, end: RockDateTime | null } = {\r\n start: null,\r\n end: null\r\n };\r\n\r\n if (!currentDateTime) {\r\n currentDateTime = RockDateTime.now();\r\n }\r\n\r\n if (value.rangeType === RangeType.Current) {\r\n if (value.timeUnit === TimeUnit.Hour) {\r\n result.start = RockDateTime.fromParts(currentDateTime.year, currentDateTime.month, currentDateTime.day, currentDateTime.hour, 0, 0);\r\n result.end = result.start?.addHours(1) ?? null;\r\n }\r\n else if (value.timeUnit === TimeUnit.Day) {\r\n result.start = currentDateTime.date;\r\n result.end = result.start.addDays(1);\r\n }\r\n else if (value.timeUnit === TimeUnit.Week) {\r\n // TODO: This needs to be updated to get the FirstDayOfWeek from server.\r\n let diff = currentDateTime.dayOfWeek - DayOfWeek.Monday;\r\n\r\n if (diff < 0) {\r\n diff += 7;\r\n }\r\n\r\n result.start = currentDateTime.addDays(-1 * diff).date;\r\n result.end = result.start.addDays(7);\r\n }\r\n else if (value.timeUnit === TimeUnit.Month) {\r\n result.start = RockDateTime.fromParts(currentDateTime.year, currentDateTime.month, 1);\r\n result.end = result.start?.addMonths(1) ?? null;\r\n }\r\n else if (value.timeUnit === TimeUnit.Year) {\r\n result.start = RockDateTime.fromParts(currentDateTime.year, 1, 1);\r\n result.end = RockDateTime.fromParts(currentDateTime.year + 1, 1, 1);\r\n }\r\n }\r\n else if (value.rangeType === RangeType.Last || value.rangeType === RangeType.Previous) {\r\n // The number of time units to adjust by.\r\n const count = value.timeValue ?? 1;\r\n\r\n // If we are getting \"Last\" then round up to include the\r\n // current day/week/month/year.\r\n const roundUpCount = value.rangeType === RangeType.Last ? 1 : 0;\r\n\r\n if (value.timeUnit === TimeUnit.Hour) {\r\n result.end = RockDateTime.fromParts(currentDateTime.year, currentDateTime.month, currentDateTime.day, currentDateTime.hour, 0, 0)\r\n ?.addHours(roundUpCount) ?? null;\r\n result.start = result.end?.addHours(-count) ?? null;\r\n }\r\n else if (value.timeUnit === TimeUnit.Day) {\r\n result.end = currentDateTime.date.addDays(roundUpCount);\r\n result.start = result.end?.addDays(-count) ?? null;\r\n }\r\n else if (value.timeUnit === TimeUnit.Week) {\r\n // TODO: This needs to be updated to get the FirstDayOfWeek from server.\r\n let diff = currentDateTime.dayOfWeek - DayOfWeek.Monday;\r\n\r\n if (diff < 0) {\r\n diff += 7;\r\n }\r\n\r\n result.end = currentDateTime.addDays(-1 * diff).date.addDays(7 * roundUpCount);\r\n result.start = result.end.addDays(-count * 7);\r\n }\r\n else if (value.timeUnit === TimeUnit.Month) {\r\n result.end = RockDateTime.fromParts(currentDateTime.year, currentDateTime.month, 1)?.addMonths(roundUpCount) ?? null;\r\n result.start = result.end?.addMonths(-count) ?? null;\r\n }\r\n else if (value.timeUnit === TimeUnit.Year) {\r\n result.end = RockDateTime.fromParts(currentDateTime.year, 1, 1)?.addYears(roundUpCount) ?? null;\r\n result.start = result.end?.addYears(-count) ?? null;\r\n }\r\n\r\n // don't let Last,Previous have any future dates\r\n const cutoffDate = currentDateTime.date.addDays(1);\r\n if (result.end && result.end.date > cutoffDate) {\r\n result.end = cutoffDate;\r\n }\r\n }\r\n else if (value.rangeType === RangeType.Next || value.rangeType === RangeType.Upcoming) {\r\n // The number of time units to adjust by.\r\n const count = value.timeValue ?? 1;\r\n\r\n // If we are getting \"Upcoming\" then round up to include the\r\n // current day/week/month/year.\r\n const roundUpCount = value.rangeType === RangeType.Upcoming ? 1 : 0;\r\n\r\n if (value.timeUnit === TimeUnit.Hour) {\r\n result.start = RockDateTime.fromParts(currentDateTime.year, currentDateTime.month, currentDateTime.day, currentDateTime.hour, 0, 0)\r\n ?.addHours(roundUpCount) ?? null;\r\n result.end = result.start?.addHours(count) ?? null;\r\n }\r\n else if (value.timeUnit === TimeUnit.Day) {\r\n result.start = currentDateTime.date.addDays(roundUpCount);\r\n result.end = result.start.addDays(count);\r\n }\r\n else if (value.timeUnit === TimeUnit.Week) {\r\n // TODO: This needs to be updated to get the FirstDayOfWeek from server.\r\n let diff = currentDateTime.dayOfWeek - DayOfWeek.Monday;\r\n\r\n if (diff < 0) {\r\n diff += 7;\r\n }\r\n\r\n result.start = currentDateTime.addDays(-1 * diff)\r\n .date.addDays(7 * roundUpCount);\r\n result.end = result.start.addDays(count * 7);\r\n }\r\n else if (value.timeUnit === TimeUnit.Month) {\r\n result.start = RockDateTime.fromParts(currentDateTime.year, currentDateTime.month, 1)\r\n ?.addMonths(roundUpCount) ?? null;\r\n result.end = result.start?.addMonths(count) ?? null;\r\n }\r\n else if (value.timeUnit === TimeUnit.Year) {\r\n result.start = RockDateTime.fromParts(currentDateTime.year, 1, 1)\r\n ?.addYears(roundUpCount) ?? null;\r\n result.end = result.start?.addYears(count) ?? null;\r\n }\r\n\r\n // don't let Next,Upcoming have any past dates\r\n if (result.start && result.start.date < currentDateTime.date) {\r\n result.start = currentDateTime.date;\r\n }\r\n }\r\n else if (value.rangeType === RangeType.DateRange) {\r\n result.start = RockDateTime.parseISO(value.lowerDate ?? \"\");\r\n result.end = RockDateTime.parseISO(value.upperDate ?? \"\");\r\n\r\n // Sliding date range does not use ISO dates (though might be changed\r\n // in the future). So if we can't parse as an ISO date then try a\r\n // natural parse.\r\n if (!result.start && value.lowerDate) {\r\n result.start = RockDateTime.fromJSDate(new Date(value.lowerDate));\r\n }\r\n\r\n if (!result.end && value.upperDate) {\r\n result.end = RockDateTime.fromJSDate(new Date(value.upperDate));\r\n }\r\n\r\n if (result.end) {\r\n // Add a day to the end so that we get the entire day when comparing.\r\n result.end = result.end.addDays(1);\r\n }\r\n }\r\n\r\n // To avoid confusion about the day or hour of the end of the date range,\r\n // subtract a millisecond off our 'less than' end date. For example, if our\r\n // end date is 2019-11-7, we actually want all the data less than 2019-11-8,\r\n // but if a developer does EndDate.DayOfWeek, they would want 2019-11-7 and\r\n // not 2019-11-8 So, to make sure we include all the data for 2019-11-7, but\r\n // avoid the confusion about what DayOfWeek of the end, we'll compromise by\r\n // subtracting a millisecond from the end date\r\n if (result.end && value.timeUnit != TimeUnit.Hour) {\r\n result.end = result.end.addMilliseconds(-1);\r\n }\r\n\r\n return result;\r\n}\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n\r\nimport { useHttp } from \"./http\";\r\nimport { StructuredContentEditorConfigurationBag } from \"@Obsidian/ViewModels/Rest/Controls/structuredContentEditorConfigurationBag\";\r\nimport { StructuredContentEditorGetConfigurationOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/structuredContentEditorGetConfigurationOptionsBag\";\r\n\r\nconst http = useHttp();\r\n\r\n/** Fetches the configuration for the structured content editor. */\r\nexport async function getStructuredContentEditorConfiguration(options: StructuredContentEditorGetConfigurationOptionsBag): Promise {\r\n const result = await http.post(\"/api/v2/Controls/StructuredContentEditorGetConfiguration\", undefined, options);\r\n\r\n if (result.isSuccess && result.data) {\r\n return result.data;\r\n }\r\n\r\n throw new Error(result.errorMessage || \"Error fetching structured content editor configuration\");\r\n}\r\n\r\nexport default {\r\n getStructuredContentEditorConfiguration\r\n};","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\n\r\n// NOTE: Do not make this public yet. This is essentially temporary and\r\n// will likely move to a different place and be merged with the popover\r\n// concept code as well.\r\ntype TooltipOptions = {\r\n /** Allow HTML content in the tooltip. */\r\n html?: boolean;\r\n\r\n /** Enables santization of HTML content. */\r\n sanitize?: boolean;\r\n};\r\n\r\n// eslint-disable-next-line @typescript-eslint/no-explicit-any\r\ndeclare const $: any;\r\n\r\n/**\r\n * Configure a tooltip for the specified node or nodes to show on hover. This\r\n * currently uses Bootstrap tooltips but may be changed to use a different\r\n * method later.\r\n * \r\n * @param node The node or nodes to have tooltips configured on.\r\n * @param options The options that describe how the tooltips should behave.\r\n */\r\nexport function tooltip(node: Element | Element[], options?: TooltipOptions): void {\r\n // If we got an array of elements then activate each one.\r\n if (Array.isArray(node)) {\r\n for (const n of node) {\r\n tooltip(n, options);\r\n }\r\n\r\n return;\r\n }\r\n\r\n $(node).tooltip({\r\n html: options?.html,\r\n sanitize: options?.sanitize ?? true\r\n });\r\n}\r\n\r\n/**\r\n * Manually show a previously-configured tooltip for the specified node.\r\n *\r\n * @param node The node for which to show a tooltip\r\n */\r\nexport function showTooltip(node: Element): void {\r\n $(node).tooltip(\"show\");\r\n}\r\n","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { Guid } from \"@Obsidian/Types\";\r\nimport { emptyGuid, toGuidOrNull } from \"./guid\";\r\nimport { post } from \"./http\";\r\nimport { TreeItemBag } from \"@Obsidian/ViewModels/Utility/treeItemBag\";\r\nimport { CategoryPickerChildTreeItemsOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/categoryPickerChildTreeItemsOptionsBag\";\r\nimport { LocationItemPickerGetActiveChildrenOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/locationItemPickerGetActiveChildrenOptionsBag\";\r\nimport { DataViewPickerGetDataViewsOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/dataViewPickerGetDataViewsOptionsBag\";\r\nimport { WorkflowTypePickerGetWorkflowTypesOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/workflowTypePickerGetWorkflowTypesOptionsBag\";\r\nimport { PagePickerGetChildrenOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/pagePickerGetChildrenOptionsBag\";\r\nimport { PagePickerGetSelectedPageHierarchyOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/pagePickerGetSelectedPageHierarchyOptionsBag\";\r\nimport { ConnectionRequestPickerGetChildrenOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/connectionRequestPickerGetChildrenOptionsBag\";\r\nimport { GroupPickerGetChildrenOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/groupPickerGetChildrenOptionsBag\";\r\nimport { MergeTemplatePickerGetMergeTemplatesOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/mergeTemplatePickerGetMergeTemplatesOptionsBag\";\r\nimport { MergeTemplateOwnership } from \"@Obsidian/Enums/Controls/mergeTemplateOwnership\";\r\nimport { MetricCategoryPickerGetChildrenOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/metricCategoryPickerGetChildrenOptionsBag\";\r\nimport { MetricItemPickerGetChildrenOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/metricItemPickerGetChildrenOptionsBag\";\r\nimport { RegistrationTemplatePickerGetChildrenOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/registrationTemplatePickerGetChildrenOptionsBag\";\r\nimport { ReportPickerGetChildrenOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/reportPickerGetChildrenOptionsBag\";\r\nimport { SchedulePickerGetChildrenOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/schedulePickerGetChildrenOptionsBag\";\r\nimport { WorkflowActionTypePickerGetChildrenOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/workflowActionTypePickerGetChildrenOptionsBag\";\r\nimport { MergeFieldPickerGetChildrenOptionsBag } from \"@Obsidian/ViewModels/Rest/Controls/mergeFieldPickerGetChildrenOptionsBag\";\r\nimport { flatten } from \"./arrayUtils\";\r\nimport { toNumberOrNull } from \"./numberUtils\";\r\nimport { SiteType } from \"@Obsidian/Enums/Cms/siteType\";\r\n\r\n/**\r\n * The methods that must be implemented by tree item providers. These methods\r\n * provide the TreeItem objects to be displayed when lazy loading is being used.\r\n */\r\nexport interface ITreeItemProvider {\r\n /**\r\n * Get the root items to be displayed in the tree list.\r\n *\r\n * @param expandToValues The values that should be auto-expanded to. This will contain\r\n * the nodes that should be visible when the data is returned, they should not be\r\n * expanded themselves, only any ancestor nodes.\r\n *\r\n * @returns A collection of TreeItem objects, optionally wrapped in a Promise\r\n * if the loading is being performed asynchronously.\r\n */\r\n getRootItems(expandToValues: string[]): Promise | TreeItemBag[];\r\n\r\n /**\r\n * Get the child items of the given tree item.\r\n *\r\n * @param item The parent item whose children should be loaded.\r\n *\r\n * @returns A collection of TreeItem objects, optionally wrapped in a Promise\r\n * if the loading is being performed asynchronously.\r\n */\r\n getChildItems(item: TreeItemBag): Promise | TreeItemBag[];\r\n\r\n /**\r\n * Checks if the item can be selected by the individual. This function\r\n * is optional.\r\n *\r\n * @param item The item that is about to be selected.\r\n * @param isSelectable True if the tree view considers the item selectable.\r\n *\r\n * @returns A boolean that determines the final selectable state of the item.\r\n */\r\n canSelectItem?(item: TreeItemBag, isSelectable: boolean): boolean;\r\n}\r\n\r\n/**\r\n * Tree Item Provider for retrieving categories from the server and displaying\r\n * them inside a tree list.\r\n */\r\nexport class CategoryTreeItemProvider implements ITreeItemProvider {\r\n /**\r\n * The root category to start pulling categories from. Set to undefined to\r\n * begin with any category that does not have a parent.\r\n */\r\n public rootCategoryGuid?: Guid;\r\n\r\n /**\r\n * The entity type unique identifier to restrict results to. Set to undefined\r\n * to include all categories, regardless of entity type.\r\n */\r\n public entityTypeGuid?: Guid;\r\n\r\n /**\r\n * The value that must match in the category EntityTypeQualifierColumn\r\n * property. Set to undefined or an empty string to ignore.\r\n */\r\n public entityTypeQualifierColumn?: string;\r\n\r\n /**\r\n * The value that must match in the category EntityTypeQualifierValue\r\n * property.\r\n */\r\n public entityTypeQualifierValue?: string;\r\n\r\n /**\r\n * The security grant token that will be used to request additional access\r\n * to the category list.\r\n */\r\n public securityGrantToken?: string | null;\r\n\r\n /**\r\n * Gets the child items from the server.\r\n *\r\n * @param parentGuid The parent item whose children are retrieved.\r\n *\r\n * @returns A collection of TreeItem objects as an asynchronous operation.\r\n */\r\n private async getItems(parentGuid?: Guid | null): Promise {\r\n const options: CategoryPickerChildTreeItemsOptionsBag = {\r\n parentGuid: parentGuid,\r\n entityTypeGuid: this.entityTypeGuid,\r\n entityTypeQualifierColumn: this.entityTypeQualifierColumn,\r\n entityTypeQualifierValue: this.entityTypeQualifierValue,\r\n lazyLoad: false,\r\n securityGrantToken: this.securityGrantToken,\r\n\r\n getCategorizedItems: false,\r\n includeCategoriesWithoutChildren: true,\r\n includeInactiveItems: false,\r\n includeUnnamedEntityItems: false,\r\n };\r\n\r\n const response = await post(\"/api/v2/Controls/CategoryPickerChildTreeItems\", {}, options);\r\n\r\n if (response.isSuccess && response.data) {\r\n return response.data;\r\n }\r\n else {\r\n console.log(\"Error\", response.errorMessage);\r\n return [];\r\n }\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getRootItems(): Promise {\r\n return await this.getItems(this.rootCategoryGuid);\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getChildItems(item: TreeItemBag): Promise {\r\n return this.getItems(item.value);\r\n }\r\n}\r\n\r\n/**\r\n * Tree Item Provider for retrieving locations from the server and displaying\r\n * them inside a tree list.\r\n */\r\nexport class LocationTreeItemProvider implements ITreeItemProvider {\r\n /**\r\n * The security grant token that will be used to request additional access\r\n * to the category list.\r\n */\r\n public securityGrantToken?: string | null;\r\n\r\n /**\r\n * Gets the child items from the server.\r\n *\r\n * @param parentGuid The parent item whose children are retrieved.\r\n *\r\n * @returns A collection of TreeItem objects as an asynchronous operation.\r\n */\r\n private async getItems(parentGuid?: Guid | null): Promise {\r\n const options: LocationItemPickerGetActiveChildrenOptionsBag = {\r\n guid: toGuidOrNull(parentGuid) ?? emptyGuid,\r\n rootLocationGuid: emptyGuid,\r\n securityGrantToken: this.securityGrantToken\r\n };\r\n const url = \"/api/v2/Controls/LocationItemPickerGetActiveChildren\";\r\n const response = await post(url, undefined, options);\r\n\r\n if (response.isSuccess && response.data) {\r\n return response.data;\r\n }\r\n else {\r\n console.log(\"Error\", response.errorMessage);\r\n return [];\r\n }\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getRootItems(): Promise {\r\n return await this.getItems(null);\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getChildItems(item: TreeItemBag): Promise {\r\n return this.getItems(item.value);\r\n }\r\n}\r\n\r\n/**\r\n * Tree Item Provider for retrieving data views from the server and displaying\r\n * them inside a tree list.\r\n */\r\nexport class DataViewTreeItemProvider implements ITreeItemProvider {\r\n /**\r\n * The entity type unique identifier to restrict results to. Set to undefined\r\n * to include all categories, regardless of entity type.\r\n */\r\n public entityTypeGuid?: Guid;\r\n\r\n /**\r\n * The security grant token that will be used to request additional access\r\n * to the category list.\r\n */\r\n public securityGrantToken?: string | null;\r\n\r\n /**\r\n * The flag sets whether only persisted data view should be shown by the picker\r\n */\r\n public displayPersistedOnly: boolean = false;\r\n\r\n /**\r\n * Gets the child items from the server.\r\n *\r\n * @param parentGuid The parent item whose children are retrieved.\r\n *\r\n * @returns A collection of TreeItem objects as an asynchronous operation.\r\n */\r\n private async getItems(parentGuid?: Guid | null): Promise {\r\n const options: DataViewPickerGetDataViewsOptionsBag = {\r\n parentGuid,\r\n getCategorizedItems: true,\r\n includeCategoriesWithoutChildren: false,\r\n entityTypeGuidFilter: this.entityTypeGuid,\r\n lazyLoad: false,\r\n securityGrantToken: this.securityGrantToken,\r\n displayPersistedOnly: this.displayPersistedOnly,\r\n includeUnnamedEntityItems: false,\r\n };\r\n\r\n const response = await post(\"/api/v2/Controls/DataViewPickerGetDataViews\", {}, options);\r\n\r\n if (response.isSuccess && response.data) {\r\n return response.data;\r\n }\r\n else {\r\n console.log(\"Error\", response.errorMessage);\r\n return [];\r\n }\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getRootItems(): Promise {\r\n return await this.getItems();\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getChildItems(item: TreeItemBag): Promise {\r\n return this.getItems(item.value);\r\n }\r\n}\r\n\r\n/**\r\n * Tree Item Provider for retrieving categories from the server and displaying\r\n * them inside a tree list.\r\n */\r\nexport class WorkflowTypeTreeItemProvider implements ITreeItemProvider {\r\n /**\r\n * The entity type unique identifier to restrict results to. Set to undefined\r\n * to include all categories, regardless of entity type.\r\n */\r\n public includeInactiveItems?: boolean;\r\n\r\n /**\r\n * The security grant token that will be used to request additional access\r\n * to the category list.\r\n */\r\n public securityGrantToken?: string | null;\r\n\r\n /**\r\n * Gets the child items from the server.\r\n *\r\n * @param parentGuid The parent item whose children are retrieved.\r\n *\r\n * @returns A collection of TreeItem objects as an asynchronous operation.\r\n */\r\n private async getItems(parentGuid?: Guid | null): Promise {\r\n const options: WorkflowTypePickerGetWorkflowTypesOptionsBag = {\r\n parentGuid,\r\n includeInactiveItems: this.includeInactiveItems ?? false,\r\n securityGrantToken: this.securityGrantToken,\r\n\r\n getCategorizedItems: false,\r\n includeCategoriesWithoutChildren: false,\r\n includeUnnamedEntityItems: false,\r\n lazyLoad: false,\r\n };\r\n\r\n const response = await post(\"/api/v2/Controls/WorkflowTypePickerGetWorkflowTypes\", {}, options);\r\n\r\n if (response.isSuccess && response.data) {\r\n return response.data;\r\n }\r\n else {\r\n console.log(\"Error\", response.errorMessage);\r\n return [];\r\n }\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getRootItems(): Promise {\r\n return await this.getItems();\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getChildItems(item: TreeItemBag): Promise {\r\n return this.getItems(item.value);\r\n }\r\n}\r\n\r\n\r\n/**\r\n * Tree Item Provider for retrieving pages from the server and displaying\r\n * them inside a tree list.\r\n */\r\nexport class PageTreeItemProvider implements ITreeItemProvider {\r\n /**\r\n * The security grant token that will be used to request additional access\r\n * to the category list.\r\n */\r\n public securityGrantToken?: string | null;\r\n\r\n /**\r\n * List of GUIDs or pages to exclude from the list.\r\n */\r\n public hidePageGuids?: Guid[] | null;\r\n\r\n /**\r\n * Currently selected page\r\n */\r\n public selectedPageGuids?: Guid[] | null;\r\n\r\n /**\r\n * Limit results to given site type if one is provided\r\n */\r\n public siteType?: SiteType | null;\r\n\r\n /**\r\n * Gets the child items of the given parent (or root if no parent given) from the server.\r\n *\r\n * @param parentGuid The parent item whose children are retrieved.\r\n *\r\n * @returns A collection of TreeItem objects as an asynchronous operation.\r\n */\r\n private async getItems(parentGuid?: Guid | null): Promise {\r\n let result: TreeItemBag[];\r\n\r\n const options: PagePickerGetChildrenOptionsBag = {\r\n guid: toGuidOrNull(parentGuid) ?? emptyGuid,\r\n rootPageGuid: null,\r\n hidePageGuids: this.hidePageGuids ?? [],\r\n securityGrantToken: this.securityGrantToken,\r\n siteType: this.siteType\r\n };\r\n const url = \"/api/v2/Controls/PagePickerGetChildren\";\r\n const response = await post(url, undefined, options);\r\n\r\n if (response.isSuccess && response.data) {\r\n result = response.data;\r\n }\r\n else {\r\n console.log(\"Error\", response.errorMessage);\r\n return [];\r\n }\r\n\r\n // If we're getting child nodes or if there is no selected page\r\n if (parentGuid || !this.selectedPageGuids) {\r\n return result;\r\n }\r\n\r\n // If we're getting the root elements and we have a selected page, we also want to grab\r\n // all the parent pages so we can pre-load the entire hierarchy to the selected page\r\n return this.getHierarchyToSelectedPage(result);\r\n }\r\n\r\n /**\r\n * Get the hierarchical list of parent pages of the selectedPageGuid\r\n *\r\n * @returns A list of GUIDs of the parent pages\r\n */\r\n private async getParentList(): Promise {\r\n const options: PagePickerGetSelectedPageHierarchyOptionsBag = {\r\n selectedPageGuids: this.selectedPageGuids,\r\n securityGrantToken: this.securityGrantToken\r\n };\r\n const url = \"/api/v2/Controls/PagePickerGetSelectedPageHierarchy\";\r\n const response = await post(url, undefined, options);\r\n\r\n if (response.isSuccess && response.data) {\r\n return response.data;\r\n }\r\n else {\r\n console.log(\"Error\", response.errorMessage);\r\n return [];\r\n }\r\n }\r\n\r\n /**\r\n * Fill in pages to the depth of the selected page\r\n *\r\n * @param rootLayer The bottom layer of pages that we'll build depth upon\r\n *\r\n * @return The augmented `rootLayer` with the child pages\r\n */\r\n private async getHierarchyToSelectedPage(rootLayer: TreeItemBag[]): Promise {\r\n const parents = await this.getParentList();\r\n\r\n if (!parents || parents.length == 0) {\r\n // Selected page has no parents, so we're done.\r\n return rootLayer;\r\n }\r\n\r\n const childLists = await Promise.all(parents.map(guid => this.getItems(guid)));\r\n const allPages = rootLayer.concat(flatten(childLists));\r\n\r\n parents.forEach((parentGuid, i) => {\r\n const parentPage: TreeItemBag | undefined = allPages.find(page => page.value == parentGuid);\r\n if (parentPage) {\r\n parentPage.children = childLists[i];\r\n }\r\n });\r\n\r\n return rootLayer;\r\n }\r\n\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getRootItems(): Promise {\r\n return await this.getItems(null);\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getChildItems(item: TreeItemBag): Promise {\r\n return this.getItems(item.value);\r\n }\r\n}\r\n\r\n\r\n/**\r\n * Tree Item Provider for retrieving connection requests from the server and displaying\r\n * them inside a tree list.\r\n */\r\nexport class ConnectionRequestTreeItemProvider implements ITreeItemProvider {\r\n /**\r\n * The security grant token that will be used to request additional access\r\n * to the category list.\r\n */\r\n public securityGrantToken?: string | null;\r\n\r\n /**\r\n * Gets the child items from the server.\r\n *\r\n * @param parentGuid The parent item whose children are retrieved.\r\n *\r\n * @returns A collection of TreeItem objects as an asynchronous operation.\r\n */\r\n private async getItems(parentGuid?: Guid | null): Promise {\r\n const options: ConnectionRequestPickerGetChildrenOptionsBag = {\r\n parentGuid,\r\n securityGrantToken: this.securityGrantToken\r\n };\r\n const url = \"/api/v2/Controls/ConnectionRequestPickerGetChildren\";\r\n const response = await post(url, undefined, options);\r\n\r\n if (response.isSuccess && response.data) {\r\n return response.data;\r\n }\r\n else {\r\n console.log(\"Error\", response.errorMessage);\r\n return [];\r\n }\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getRootItems(): Promise {\r\n return await this.getItems(null);\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getChildItems(item: TreeItemBag): Promise {\r\n return this.getItems(item.value);\r\n }\r\n}\r\n\r\n\r\n/**\r\n * Tree Item Provider for retrieving groups from the server and displaying\r\n * them inside a tree list.\r\n */\r\nexport class GroupTreeItemProvider implements ITreeItemProvider {\r\n /** The security grant token that will be used to request additional access to the group list. */\r\n public securityGrantToken: string | null = null;\r\n\r\n /** GUID of the group you want to use as the root. */\r\n public rootGroupGuid: Guid | null = null;\r\n\r\n /** List of group types GUIDs to limit to groups of those types. */\r\n public includedGroupTypeGuids: Guid[] = [];\r\n\r\n /** Whether to include inactive groups or not. */\r\n public includeInactiveGroups: boolean = false;\r\n\r\n /** Whether to limit to only groups that have scheduling enabled. */\r\n public limitToSchedulingEnabled: boolean = false;\r\n\r\n /** Whether to limit to only groups that have RSVPs enabled. */\r\n public limitToRSVPEnabled: boolean = false;\r\n\r\n /**\r\n * Gets the child items from the server.\r\n *\r\n * @param parentGuid The parent item whose children are retrieved.\r\n *\r\n * @returns A collection of TreeItem objects as an asynchronous operation.\r\n */\r\n private async getItems(parentGuid: Guid | null = null): Promise {\r\n const options: GroupPickerGetChildrenOptionsBag = {\r\n guid: parentGuid,\r\n rootGroupGuid: this.rootGroupGuid,\r\n includedGroupTypeGuids: this.includedGroupTypeGuids,\r\n includeInactiveGroups: this.includeInactiveGroups,\r\n limitToSchedulingEnabled: this.limitToSchedulingEnabled,\r\n limitToRSVPEnabled: this.limitToRSVPEnabled,\r\n securityGrantToken: this.securityGrantToken\r\n };\r\n const url = \"/api/v2/Controls/GroupPickerGetChildren\";\r\n const response = await post(url, undefined, options);\r\n\r\n if (response.isSuccess && response.data) {\r\n return response.data;\r\n }\r\n else {\r\n console.log(\"Error\", response.errorMessage);\r\n return [];\r\n }\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getRootItems(): Promise {\r\n return await this.getItems(null);\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getChildItems(item: TreeItemBag): Promise {\r\n return this.getItems(item.value);\r\n }\r\n}\r\n\r\n\r\n/**\r\n * Tree Item Provider for retrieving merge templates from the server and displaying\r\n * them inside a tree list.\r\n */\r\nexport class MergeTemplateTreeItemProvider implements ITreeItemProvider {\r\n /** The security grant token that will be used to request additional access to the group list. */\r\n public securityGrantToken: string | null = null;\r\n\r\n /** Filter for which merge templates to include in results: Global, Public, or Both */\r\n public mergeTemplateOwnership: MergeTemplateOwnership = MergeTemplateOwnership.Global;\r\n\r\n /**\r\n * Gets the child items from the server.\r\n *\r\n * @param parentGuid The parent item whose children are retrieved.\r\n *\r\n * @returns A collection of TreeItem objects as an asynchronous operation.\r\n */\r\n private async getItems(parentGuid: Guid | null = null): Promise {\r\n const options: MergeTemplatePickerGetMergeTemplatesOptionsBag = {\r\n parentGuid,\r\n mergeTemplateOwnership: (toNumberOrNull(this.mergeTemplateOwnership) ?? 0) as MergeTemplateOwnership,\r\n securityGrantToken: this.securityGrantToken\r\n };\r\n const url = \"/api/v2/Controls/MergeTemplatePickerGetMergeTemplates\";\r\n const response = await post(url, undefined, options);\r\n\r\n if (response.isSuccess && response.data) {\r\n return response.data;\r\n }\r\n else {\r\n console.log(\"Error\", response.errorMessage);\r\n return [];\r\n }\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getRootItems(): Promise {\r\n return await this.getItems(null);\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getChildItems(item: TreeItemBag): Promise {\r\n return this.getItems(item.value);\r\n }\r\n}\r\n\r\n\r\n/**\r\n * Tree Item Provider for retrieving merge templates from the server and displaying\r\n * them inside a tree list.\r\n */\r\nexport class MetricCategoryTreeItemProvider implements ITreeItemProvider {\r\n /** The security grant token that will be used to request additional access to the group list. */\r\n public securityGrantToken: string | null = null;\r\n\r\n /**\r\n * Gets the child items from the server.\r\n *\r\n * @param parentGuid The parent item whose children are retrieved.\r\n *\r\n * @returns A collection of TreeItem objects as an asynchronous operation.\r\n */\r\n private async getItems(parentGuid: Guid | null = null): Promise {\r\n const options: MetricCategoryPickerGetChildrenOptionsBag = {\r\n parentGuid,\r\n securityGrantToken: this.securityGrantToken\r\n };\r\n const url = \"/api/v2/Controls/MetricCategoryPickerGetChildren\";\r\n const response = await post(url, undefined, options);\r\n\r\n if (response.isSuccess && response.data) {\r\n return response.data;\r\n }\r\n else {\r\n console.log(\"Error\", response.errorMessage);\r\n return [];\r\n }\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getRootItems(): Promise {\r\n return await this.getItems(null);\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getChildItems(item: TreeItemBag): Promise {\r\n return this.getItems(item.value);\r\n }\r\n}\r\n\r\n/**\r\n * Tree Item Provider for retrieving merge templates from the server and displaying\r\n * them inside a tree list.\r\n */\r\nexport class MetricItemTreeItemProvider implements ITreeItemProvider {\r\n /** The security grant token that will be used to request additional access to the group list. */\r\n public securityGrantToken: string | null = null;\r\n\r\n /** A list of category GUIDs to filter the results */\r\n public includeCategoryGuids: Guid[] | null = null;\r\n\r\n /**\r\n * Gets the child items from the server.\r\n *\r\n * @param parentGuid The parent item whose children are retrieved.\r\n *\r\n * @returns A collection of TreeItem objects as an asynchronous operation.\r\n */\r\n private async getItems(parentGuid: Guid | null = null): Promise {\r\n const options: MetricItemPickerGetChildrenOptionsBag = {\r\n parentGuid,\r\n includeCategoryGuids: this.includeCategoryGuids,\r\n securityGrantToken: this.securityGrantToken\r\n };\r\n const url = \"/api/v2/Controls/MetricItemPickerGetChildren\";\r\n const response = await post(url, undefined, options);\r\n\r\n if (response.isSuccess && response.data) {\r\n return response.data;\r\n }\r\n else {\r\n console.log(\"Error\", response.errorMessage);\r\n return [];\r\n }\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getRootItems(): Promise {\r\n return await this.getItems(null);\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getChildItems(item: TreeItemBag): Promise {\r\n return this.getItems(item.value);\r\n }\r\n}\r\n\r\n\r\n/**\r\n * Tree Item Provider for retrieving registration templates from the server and displaying\r\n * them inside a tree list.\r\n */\r\nexport class RegistrationTemplateTreeItemProvider implements ITreeItemProvider {\r\n /** The security grant token that will be used to request additional access to the group list. */\r\n public securityGrantToken: string | null = null;\r\n\r\n /**\r\n * Gets the child items from the server.\r\n *\r\n * @param parentGuid The parent item whose children are retrieved.\r\n *\r\n * @returns A collection of TreeItem objects as an asynchronous operation.\r\n */\r\n private async getItems(parentGuid: Guid | null = null): Promise {\r\n const options: RegistrationTemplatePickerGetChildrenOptionsBag = {\r\n parentGuid,\r\n securityGrantToken: this.securityGrantToken\r\n };\r\n const url = \"/api/v2/Controls/RegistrationTemplatePickerGetChildren\";\r\n const response = await post(url, undefined, options);\r\n\r\n if (response.isSuccess && response.data) {\r\n return response.data;\r\n }\r\n else {\r\n console.log(\"Error\", response.errorMessage);\r\n return [];\r\n }\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getRootItems(): Promise {\r\n return await this.getItems(null);\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getChildItems(item: TreeItemBag): Promise {\r\n return this.getItems(item.value);\r\n }\r\n}\r\n\r\n\r\n/**\r\n * Tree Item Provider for retrieving reports from the server and displaying\r\n * them inside a tree list.\r\n */\r\nexport class ReportTreeItemProvider implements ITreeItemProvider {\r\n /** The security grant token that will be used to request additional access to the group list. */\r\n public securityGrantToken: string | null = null;\r\n\r\n /** A list of category GUIDs to filter the results. */\r\n public includeCategoryGuids: Guid[] | null = null;\r\n\r\n /** Guid of an Entity Type to filter results by the reports that relate to this entity type. */\r\n public entityTypeGuid: Guid | null = null;\r\n\r\n /**\r\n * Gets the child items from the server.\r\n *\r\n * @param parentGuid The parent item whose children are retrieved.\r\n *\r\n * @returns A collection of TreeItem objects as an asynchronous operation.\r\n */\r\n private async getItems(parentGuid: Guid | null = null): Promise {\r\n const options: ReportPickerGetChildrenOptionsBag = {\r\n parentGuid,\r\n includeCategoryGuids: this.includeCategoryGuids,\r\n entityTypeGuid: this.entityTypeGuid,\r\n securityGrantToken: this.securityGrantToken\r\n };\r\n const url = \"/api/v2/Controls/ReportPickerGetChildren\";\r\n const response = await post(url, undefined, options);\r\n\r\n if (response.isSuccess && response.data) {\r\n return response.data;\r\n }\r\n else {\r\n console.log(\"Error\", response.errorMessage);\r\n return [];\r\n }\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getRootItems(): Promise {\r\n return await this.getItems(null);\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getChildItems(item: TreeItemBag): Promise {\r\n return this.getItems(item.value);\r\n }\r\n}\r\n\r\n\r\n/**\r\n * Tree Item Provider for retrieving reports from the server and displaying\r\n * them inside a tree list.\r\n */\r\nexport class ScheduleTreeItemProvider implements ITreeItemProvider {\r\n /** The security grant token that will be used to request additional access to the group list. */\r\n public securityGrantToken: string | null = null;\r\n\r\n /** Whether to include inactive schedules in the results. */\r\n public includeInactive: boolean = false;\r\n\r\n /**\r\n * Gets the child items from the server.\r\n *\r\n * @param parentGuid The parent item whose children are retrieved.\r\n *\r\n * @returns A collection of TreeItem objects as an asynchronous operation.\r\n */\r\n private async getItems(parentGuid: Guid | null = null): Promise {\r\n const options: SchedulePickerGetChildrenOptionsBag = {\r\n parentGuid,\r\n includeInactiveItems: this.includeInactive,\r\n securityGrantToken: this.securityGrantToken\r\n };\r\n const url = \"/api/v2/Controls/SchedulePickerGetChildren\";\r\n const response = await post(url, undefined, options);\r\n\r\n if (response.isSuccess && response.data) {\r\n return response.data;\r\n }\r\n else {\r\n console.log(\"Error\", response.errorMessage);\r\n return [];\r\n }\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getRootItems(): Promise {\r\n return await this.getItems(null);\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getChildItems(item: TreeItemBag): Promise {\r\n return this.getItems(item.value);\r\n }\r\n}\r\n\r\n\r\n/**\r\n * Tree Item Provider for retrieving reports from the server and displaying\r\n * them inside a tree list.\r\n */\r\nexport class WorkflowActionTypeTreeItemProvider implements ITreeItemProvider {\r\n /** The security grant token that will be used to request additional access to the group list. */\r\n public securityGrantToken: string | null = null;\r\n\r\n /** Whether to include inactive schedules in the results. */\r\n public includeInactive: boolean = false;\r\n\r\n /**\r\n * Gets the child items from the server.\r\n *\r\n * @param parentGuid The parent item whose children are retrieved.\r\n *\r\n * @returns A collection of TreeItem objects as an asynchronous operation.\r\n */\r\n private async getItems(parentId: string | null = null): Promise {\r\n const options: WorkflowActionTypePickerGetChildrenOptionsBag = {\r\n parentId: toNumberOrNull(parentId) ?? 0,\r\n securityGrantToken: this.securityGrantToken\r\n };\r\n const url = \"/api/v2/Controls/WorkflowActionTypePickerGetChildren\";\r\n const response = await post(url, undefined, options);\r\n\r\n if (response.isSuccess && response.data) {\r\n return response.data;\r\n }\r\n else {\r\n console.log(\"Error\", response.errorMessage);\r\n return [];\r\n }\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getRootItems(): Promise {\r\n return await this.getItems(null);\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getChildItems(item: TreeItemBag): Promise {\r\n return this.getItems(item.value);\r\n }\r\n}\r\n\r\n/**\r\n * Tree Item Provider for retrieving merge fields from the server and displaying\r\n * them inside a tree list.\r\n */\r\nexport class MergeFieldTreeItemProvider implements ITreeItemProvider {\r\n /**\r\n * The security grant token that will be used to request additional access\r\n * to the category list.\r\n */\r\n public securityGrantToken?: string | null;\r\n\r\n /**\r\n * Currently selected page\r\n */\r\n public selectedIds?: string[] | string | null;\r\n\r\n /**\r\n * Root Level Merge Fields\r\n */\r\n public additionalFields: string = \"\";\r\n\r\n /**\r\n * Gets the child items of the given parent (or root if no parent given) from the server.\r\n *\r\n * @param parentId The parent item whose children are retrieved.\r\n *\r\n * @returns A collection of TreeItem objects as an asynchronous operation.\r\n */\r\n private async getItems(parentId?: string | null): Promise {\r\n let result: TreeItemBag[];\r\n\r\n const options: MergeFieldPickerGetChildrenOptionsBag = {\r\n id: parentId || \"0\",\r\n additionalFields: this.additionalFields\r\n };\r\n const url = \"/api/v2/Controls/MergeFieldPickerGetChildren\";\r\n const response = await post(url, undefined, options);\r\n\r\n if (response.isSuccess && response.data) {\r\n result = response.data;\r\n }\r\n else {\r\n console.log(\"Error\", response.errorMessage);\r\n return [];\r\n }\r\n\r\n // If we're getting child nodes or if there is no selected page\r\n if (parentId || !this.selectedIds || this.selectedIds.length == 0) {\r\n return result;\r\n }\r\n\r\n // If we're getting the root elements and we have a selected page, we also want to grab\r\n // all the parent pages so we can pre-load the entire hierarchy to the selected page\r\n return this.getHierarchyToSelectedMergeField(result);\r\n }\r\n\r\n /**\r\n * Fill in pages to the depth of the selected page\r\n *\r\n * @param rootLayer The bottom layer of pages that we'll build depth upon\r\n *\r\n * @return The augmented `rootLayer` with the child pages\r\n */\r\n private async getHierarchyToSelectedMergeField(rootLayer: TreeItemBag[]): Promise {\r\n const parents = this.getParentList();\r\n\r\n if (!parents || parents.length == 0) {\r\n // Selected page has no parents, so we're done.\r\n return rootLayer;\r\n }\r\n\r\n const childLists = await Promise.all(parents.map(id => this.getItems(id)));\r\n const allMergeFields = rootLayer.concat(flatten(childLists));\r\n\r\n parents.forEach((parentGuid, i) => {\r\n const parentMergeField: TreeItemBag | undefined = allMergeFields.find(page => page.value == parentGuid);\r\n if (parentMergeField) {\r\n parentMergeField.children = childLists[i];\r\n }\r\n });\r\n\r\n return rootLayer;\r\n }\r\n\r\n /**\r\n * Get the hierarchical list of parent merge fields of the selected merge fields\r\n *\r\n * @returns A list of IDs of the parent merge fields\r\n */\r\n private getParentList(): string[] | null {\r\n if (!this.selectedIds || this.selectedIds.length == 0) {\r\n return null;\r\n }\r\n\r\n // If it's a single selection, grab the parents by splitting on \"|\",\r\n // e.g. \"Grand|Parent|Child\" will give [\"Grand\", \"Parent\"] as the parents\r\n if (typeof this.selectedIds == \"string\") {\r\n return this.splitSelectionIntoParents(this.selectedIds);\r\n }\r\n\r\n // Not null/empty nor a single selection, so must be an array of selections\r\n return flatten(this.selectedIds.map(sel => this.splitSelectionIntoParents(sel)));\r\n }\r\n\r\n /**\r\n * Split the given selected ID up and get a list of the parent IDs\r\n *\r\n * @param selection a string denoted one of the selected values\r\n */\r\n private splitSelectionIntoParents(selection: string): string[] {\r\n const parentIds: string[] = [];\r\n\r\n // grab the parents by splitting on \"|\",\r\n // e.g. \"Grand|Parent|Child\" will give [\"Grand\", \"Parent\"] as the parents\r\n const splitList = selection.split(\"|\");\r\n splitList.pop();\r\n\r\n // Now we need to make sure each item further in the list contains it's parents' names\r\n // e.g. [\"Grand\", \"Parent\"] => [\"Grand\", \"Grand|Parent\"]\r\n while (splitList.length >= 1) {\r\n parentIds.unshift(splitList.join(\"|\"));\r\n splitList.pop();\r\n }\r\n\r\n return parentIds;\r\n }\r\n\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getRootItems(): Promise {\r\n return await this.getItems();\r\n }\r\n\r\n /**\r\n * @inheritdoc\r\n */\r\n async getChildItems(item: TreeItemBag): Promise {\r\n return this.getItems(item.value);\r\n }\r\n}","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n//\r\n\r\nimport { Ref, watch } from \"vue\";\r\n\r\n/**\r\n * Is the value a valid URL?\r\n * @param val\r\n */\r\nexport function isUrl(val: unknown): boolean {\r\n if (typeof val === \"string\") {\r\n // https://www.regextester.com/1965\r\n // Modified from link above to support urls like \"http://localhost:6229/Person/1/Edit\" (Url does not have a period)\r\n const re = /^(http[s]?:\\/\\/)?[^\\s([\"<,>]*\\.?[^\\s[\",><]*$/;\r\n return re.test(val);\r\n }\r\n\r\n return false;\r\n}\r\n\r\n/**\r\n * Make the URL safe to use for redirects. Basically, this strips off any\r\n * protocol and hostname from the URL and ensures it's not a javascript:\r\n * url or anything like that.\r\n *\r\n * @param url The URL to be made safe to use with a redirect.\r\n *\r\n * @returns A string that is safe to assign to window.location.href.\r\n */\r\nexport function makeUrlRedirectSafe(url: string): string {\r\n try {\r\n // If this can't be parsed as a url, such as \"/page/123\" it will throw\r\n // an error which will be handled by the next section.\r\n const u = new URL(url);\r\n\r\n // If the protocol isn't an HTTP or HTTPS, then it is most likely\r\n // a dangerous URL.\r\n if (u.protocol !== \"http:\" && u.protocol !== \"https:\") {\r\n return \"/\";\r\n }\r\n\r\n // Try again incase they did something like \"http:javascript:alert('hi')\".\r\n return makeUrlRedirectSafe(`${u.pathname}${u.search}`);\r\n }\r\n catch {\r\n // If the URL contains a : but could not be parsed as a URL then it\r\n // is not valid, so return \"/\" so they get redirected to home page.\r\n if (url.indexOf(\":\") !== -1) {\r\n return \"/\";\r\n }\r\n\r\n // Otherwise consider it safe to use.\r\n return url;\r\n }\r\n}\r\n\r\n/**\r\n * Keep a list of named Refs synchronized with URL query parameters in the address of the same names.\r\n * If there are already query parameters in the URL with those names, the Refs will be assigned those\r\n * values. This will also watch those Refs for changes and update the query parameters to reflect\r\n * those changes.\r\n *\r\n * @param refs An object where the keys represent the query parameters keys to keep synchronized with\r\n * and the values are the Refs those query parameters are synched with.\r\n */\r\nexport function syncRefsWithQueryParams(refs: Record): void {\r\n // Get current query parameters\r\n const params = new URLSearchParams(window.location.search);\r\n\r\n Object.entries(refs).forEach(([key, ref]: [string, Ref]) => {\r\n let param = null;\r\n\r\n // try to get the decoded parameter value\r\n try {\r\n param = JSON.parse(decodeURI(params.get(key) ?? \"\"));\r\n }\r\n catch (e) { /* just leave the param as null */ }\r\n\r\n // If we found a value, set the Ref to it\r\n if (param != null) {\r\n ref.value = param;\r\n }\r\n\r\n // keep URL params up-to-date with changes to this Ref\r\n watch(ref, updater(key));\r\n });\r\n\r\n //\r\n function updater(key) {\r\n return (value) => {\r\n params.set(key, encodeURI(JSON.stringify(value)));\r\n\r\n history.replaceState(null, \"\", \"?\" + params.toString());\r\n };\r\n }\r\n}\r\n\r\n/**\r\n * Removes query parameters from the current URL and replaces the state in history.\r\n *\r\n * @param queryParamKeys The string array of query parameter keys to remove from the current URL.\r\n */\r\nexport function removeCurrentUrlQueryParams(...queryParamKeys: string[]): (string | null)[] {\r\n return removeUrlQueryParams(window.location.href, ...queryParamKeys);\r\n}\r\n\r\n/**\r\n * Removes query parameters from the current URL and replaces the state in history.\r\n *\r\n * @param url The URL from which to remove the query parameters.\r\n * @param queryParamKeys The string array of query parameter keys to remove from the current URL.\r\n */\r\nexport function removeUrlQueryParams(url: string | URL, ...queryParamKeys: string[]): (string | null)[] {\r\n if (!queryParamKeys || !queryParamKeys.length) {\r\n return [];\r\n }\r\n\r\n if (typeof url === \"string\") {\r\n url = new URL(url);\r\n }\r\n\r\n const queryParams = url.searchParams;\r\n\r\n const removedQueryParams: (string | null)[] = [];\r\n\r\n for (let i = 0; i < queryParamKeys.length; i++) {\r\n const queryParamKey = queryParamKeys[i];\r\n removedQueryParams.push(queryParams.get(queryParamKey));\r\n queryParams.delete(queryParamKey);\r\n }\r\n\r\n window.history.replaceState(null, \"\", url);\r\n\r\n return removedQueryParams;\r\n}","// \r\n// Copyright by the Spark Development Network\r\n//\r\n// Licensed under the Rock Community License (the \"License\");\r\n// you may not use this file except in compliance with the License.\r\n// You may obtain a copy of the License at\r\n//\r\n// http://www.rockrms.com/license\r\n//\r\n// Unless required by applicable law or agreed to in writing, software\r\n// distributed under the License is distributed on an \"AS IS\" BASIS,\r\n// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\r\n// See the License for the specific language governing permissions and\r\n// limitations under the License.\r\n// \r\n\r\nimport type { RulesPropType, ValidationResult, ValidationRule, ValidationRuleFunction, ValidationRuleReference } from \"@Obsidian/Types/validationRules\";\r\nimport type { PropType } from \"vue\";\r\n\r\n/** The currently defined rules by name. */\r\nconst definedRules: Record = {};\r\n\r\n/** Defines the property type for a component's rules. */\r\nexport const rulesPropType: RulesPropType = {\r\n type: [Array, Object, String] as PropType,\r\n default: \"\"\r\n};\r\n\r\n/**\r\n * Parse a string into a valid rule reference. Basically this does the heavy\r\n * lifting to take a string and spit out the rule name and parameters. This\r\n * assumes the rule has already been normalized and does not contain multiple\r\n * rules separated by a | character.\r\n *\r\n * @param rule The rule to be parsed.\r\n *\r\n * @returns The rule reference that contains the name and parameters.\r\n */\r\nexport function parseRule(rule: string): ValidationRuleReference {\r\n let name = \"\";\r\n let params: unknown[] = [];\r\n\r\n const colonIndex = rule.indexOf(\":\");\r\n if (colonIndex === -1) {\r\n name = rule;\r\n }\r\n else {\r\n name = rule.substring(0, colonIndex);\r\n params = rule.substring(colonIndex + 1).split(\",\");\r\n }\r\n\r\n return {\r\n name,\r\n params\r\n };\r\n}\r\n\r\n/**\r\n * Normalize a single rule or array of rules into a flat array of rules. This\r\n * handles strings that contain multiple rules and splits them out into individual\r\n * rule strings.\r\n *\r\n * @param rules The rules to be normalized.\r\n *\r\n * @returns A flattened array that contains all the individual rules.\r\n */\r\nexport function normalizeRules(rules: ValidationRule | ValidationRule[]): ValidationRule[] {\r\n if (typeof rules === \"string\") {\r\n if (rules.indexOf(\"|\") !== -1) {\r\n return rules.split(\"|\").filter(r => r.trim() !== \"\");\r\n }\r\n else if (rules.trim() !== \"\") {\r\n return [rules.trim()];\r\n }\r\n }\r\n else if (Array.isArray(rules)) {\r\n // Normalize the rule, since it may contain a string like \"required|notzero\"\r\n // which needs to be further normalized.\r\n const normalizedRules: ValidationRule[] = [];\r\n\r\n for (const r of rules) {\r\n normalizedRules.push(...normalizeRules(r));\r\n }\r\n\r\n return normalizedRules;\r\n }\r\n else if (typeof rules === \"function\") {\r\n return [rules];\r\n }\r\n else if (typeof rules === \"object\") {\r\n return [rules];\r\n }\r\n\r\n return [];\r\n}\r\n\r\n/**\r\n * Checks if any of the specified rules indicates a rule that requires the value\r\n * to be filled in.\r\n *\r\n * @param rules The rules to be checked.\r\n *\r\n * @returns True if any of the rules is considered a required rule; otherwise false.\r\n */\r\nexport function containsRequiredRule(rules: ValidationRule | ValidationRule[]): boolean {\r\n return normalizeRules(rules).some(r => r === \"required\");\r\n}\r\n\r\n/**\r\n * Normalizes rules to callable functions. This is used to translate string\r\n * and reference rules to their final function that will be called.\r\n *\r\n * @param rules The rules to be normalized to functions.\r\n *\r\n * @returns An array of rule functions that will perform validation checks.\r\n */\r\nfunction normalizeRulesToFunctions(rules: ValidationRule[]): ValidationRuleFunction[] {\r\n const ruleFunctions: ValidationRuleFunction[] = [];\r\n\r\n for (const rule of rules) {\r\n if (typeof rule === \"string\") {\r\n const ruleRef = parseRule(rule);\r\n const fn = definedRules[ruleRef.name];\r\n\r\n if (fn) {\r\n ruleFunctions.push((value) => fn(value, ruleRef.params));\r\n }\r\n else {\r\n console.warn(`Attempt to validate with unknown rule ${rule}.`);\r\n }\r\n }\r\n else if (typeof rule === \"function\") {\r\n ruleFunctions.push(rule);\r\n }\r\n else if (typeof rule === \"object\") {\r\n const fn = definedRules[rule.name];\r\n\r\n if (fn) {\r\n ruleFunctions.push((value) => fn(value, rule.params));\r\n }\r\n else {\r\n console.warn(`Attempt to validate with unknown rule ${rule.name}.`);\r\n }\r\n }\r\n }\r\n\r\n return ruleFunctions;\r\n}\r\n\r\n/**\r\n * Normalize a validation result into a useful text message that can be\r\n * displayed to the user.\r\n *\r\n * @param result The validation error message or a blank string if validation passed.\r\n */\r\nfunction normalizeRuleResult(result: ValidationResult): string {\r\n if (typeof result === \"string\") {\r\n return result;\r\n }\r\n else if (result === true) {\r\n return \"\";\r\n }\r\n else {\r\n return \"failed validation\";\r\n }\r\n}\r\n\r\n/**\r\n * Runs validation on the value for all the rules provided.\r\n *\r\n * @param value The value to be checked.\r\n * @param rule The array of rules that will be used during validation.\r\n *\r\n * @returns An array of error messages, or empty if value passed.\r\n */\r\nexport function validateValue(value: unknown, rule: ValidationRule | ValidationRule[]): string[] {\r\n const fns = normalizeRulesToFunctions(normalizeRules(rule));\r\n\r\n const results: string[] = [];\r\n\r\n for (const fn of fns) {\r\n const result = normalizeRuleResult(fn(value));\r\n\r\n if (result !== \"\") {\r\n results.push(result);\r\n }\r\n }\r\n\r\n return results;\r\n}\r\n\r\n/**\r\n * Define a new rule by name and provide the validation function.\r\n *\r\n * @param ruleName The name of the rule to be registered.\r\n * @param validator The validation function.\r\n */\r\nexport function defineRule(ruleName: string, validator: ValidationRuleFunction): void {\r\n if (definedRules[ruleName] !== undefined) {\r\n console.warn(`Attempt to redefine validation rule ${ruleName}.`);\r\n }\r\n else {\r\n definedRules[ruleName] = validator;\r\n }\r\n}\r\n"],"names":["doApiCallRaw","_x","_x2","_x3","_x4","_doApiCallRaw","apply","arguments","_asyncToGenerator","method","url","params","data","axios","doApiCall","_x5","_x6","_doApiCall","length","undefined","result","isError","isSuccess","statusCode","status","errorMessage","e","isAxiosError","_e$response","_e$response$data","_e$response2","_e$response2$data","_e$response$status","_e$response4","response","Message","message","_e$response$data$Mess","_e$response3","_e$response3$data","get","_x7","_get","post","_x8","_post","httpFunctionsSymbol","Symbol","provideHttp","functions","provide","useHttp","http","getCurrentInstance","inject","uploadFile","_x9","_x10","_x11","_uploadFile","progress","headers","onUploadProgress","event","loaded","total","Math","floor","uploadContentFile","_x12","_x13","_x14","_x15","_uploadContentFile","file","encryptedRootFolder","folderPath","options","_options$baseUrl","concat","baseUrl","formData","FormData","append","value","text","FileName","uploadBinaryFile","_x16","_x17","_x18","_uploadBinaryFile","binaryFileTypeGuid","_options$baseUrl2","isTemporary","Guid","getDefaultAddressControlModel","state","country","validateAddress","address","getAddressString","flatten","arr","depth","forEach","flatDeep","call","val","Array","isArray","push","moreThanOneElement","noElementsFound","valueComparer","keySelector","descending","a","b","valueA","valueB","List","constructor","elements","fromArrayNoCopy","list","any","predicate","filter","first","firstOrUndefined","single","singleOrUndefined","orderBy","comparer","OrderedList","orderByDescending","where","toArray","baseComparer","sort","thenBy","thenByDescending","emptyGuid","newGuid","replace","c","r","random","v","toString","normalize","toLowerCase","isValidGuid","guid","test","toGuidOrNull","areEqual","isEmpty","isWhiteSpace","trim","isNullOrWhiteSpace","splitCase","asCommaAnd","strs","andStr","last","pop","join","toTitleCase","str","word","charAt","toUpperCase","substring","upperCaseFirstCharacter","pluralize","count","Pluralize","pluralConditional","num","singular","plural","padLeft","padCharacter","padRight","truncate","limit","trimmable","reg","RegExp","words","split","ellipsis","visibleWords","escapeHtmlRegExp","escapeHtmlMap","escapeHtml","ch","defaultControlCompareValue","itemValue","guidValue","guidItemValue","containsHtmlTag","LocaleDateFormatter","jsDateFormatString","fromCurrent","date","Date","localeDateString","toLocaleDateString","year","month","day","defaultFormatString","localeFormatString","includes","aspDateFormat","aspDateFormatString","datePickerFormat","datePickerFormatString","blankIfZero","parseInt","get12HourValue","hour","englishDayNames","englishMonthNames","dateFormatters","substr","dayOfWeek","millisecond","minute","second","offset","offsetHour","abs","offsetMinute",":","/","dateFormatterKeys","Object","keys","k","currentLocaleDateFormatter","standardDateFormats","formatAspDate","universalDateTime","formatAspCustomDate","format","i","matchFound","_iterator","_createForOfIteratorHelper","_step","s","n","done","err","f","formatAspStandardDate","DateTimeFormat","DateFull","DateMedium","DateShort","TimeShort","TimeWithSeconds","DateTimeShort","DateTimeShortWithSeconds","DateTimeMedium","DateTimeMediumWithSeconds","DateTimeFull","DateTimeFullWithSeconds","RockDateTime","dateTime","fromParts","zone","luxonZone","FixedOffsetZone","instance","DateTime","fromObject","isValid","fromMilliseconds","milliseconds","fromMillis","fromJSDate","parseISO","dateString","fromISO","setZone","parseHTTP","fromHTTP","now","utcNow","toUTC","rawDate","weekday","DayOfWeek","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday","Sunday","dayOfYear","ordinal","localDateTime","toLocal","organizationDateTime","addDays","days","plus","endOfMonth","endOf","addHours","hours","addMilliseconds","addMinutes","minutes","addMonths","months","addSeconds","seconds","addYears","years","toMilliseconds","toMillis","toOffset","toASPString","toISOString","toISO","toLocaleString","toElapsedString","currentDateTime","msPerSecond","msPerMinute","msPerHour","hoursPerDay","daysPerYear","start","end","direction","totalMs","totalSeconds","totalMinutes","totalHours","totalDays","totalMonths","round","totalYears","toHTTPString","toHTTP","valueOf","isEqualTo","otherDateTime","isLaterThan","isEarlierThan","humanizeElapsed","_otherDateTime","shortcutCancelledEvent","listener","window","setTimeout","isCancellationToken","thing","CancellationTokenNone","CancellationTokenCancelled","MutableToken","isCancellationRequested","onCancellationRequested","freeze","_defineProperty","cancel","isCancelled","emitter","emit","mitt","on","CancellationTokenSource","parent","token","internalToken","deepEqual","strict","isNaN","aEntries","entries","bEntries","aEntry","bEntry","debounce","fn","delay","eager","timeout","clearTimeout","debounceAsync","_options$delay","_options$eager","source","isEagerExecutionInProgress","_ref","parentCancellationToken","_source","console","error","cts","PageMessages","QueryStringChanged","BlockMessages","BeginEdit","EndEdit","useBrowserBus","BrowserBus","customDomEventName","_objectSpread","eventListener","onEvent","document","addEventListener","CustomEvent","detail","name","timestamp","onMessage","handlers","_i","_handlers","handler","blockType","block","callback","dispose","removeEventListener","splice","publish","messageName","publishMessage","dispatchEvent","subscribe","messageNameOrCallback","subscribeToBlockType","messageNameOrBlockType","blockTypeOrCallback","subscribeToBlock","messageNameOrBlock","blockOrCallback","blockReloadSymbol","configurationValuesChangedSymbol","staticContentSymbol","blockBrowserBusSymbol","useConfigurationValues","useInvokeBlockAction","useBlockActionUrl","createInvokeBlockAction","pageGuid","blockGuid","pageParameters","interactionGuid","invokeBlockAction","_invokeBlockAction","actionName","actionContext","context","__context","provideReloadBlock","useReloadBlock","provideConfigurationValuesChanged","callbacks","invoke","_callbacks","reset","onConfigurationValuesChanged","provideStaticContent","content","useStaticContent","provideBlockBrowserBus","bus","useBlockBrowserBus","setCustomSettingsBoxValue","box","propertyName","settings","validProperties","setPropertiesBoxValue","bag","some","p","dispatchBlockEvent","eventName","eventData","ev","cancelable","isBlockEvent","entityTypeNameSymbol","entityTypeGuidSymbol","useEntityDetailBlock","securityGrant","getSecurityGrant","blockConfig","securityGrantToken","provideSecurityGrant","entityTypeName","provideEntityTypeName","entityTypeGuid","provideEntityTypeGuid","entity","refreshAttributesDebounce","refreshEntityDetailAttributes","onPropertyChanged","qualifiedAttributeProperties","useEntityTypeName","useEntityTypeGuid","securityGrantSymbol","tokenRef","ref","renewalTimeout","renewToken","scheduleRenewal","_tokenRef$value","segments","expiresDateTime","renewTimeout","updateToken","newToken","grant","useSecurityGrantToken","watchPropertyChanges","propertyRefs","_loop","propRef","watch","_refreshEntityDetailAttributes","_result$data$bag","_result$data$bag2","newBox","attributes","attributeValues","refreshDetailAttributes","_refreshDetailAttributes","isEditable","_result$data$entity","_result$data$entity2","newBag","blockGuidSymbol","blockTypeGuidSymbol","provideBlockGuid","useBlockGuid","provideBlockTypeGuid","blockTypeGuid","useBlockTypeGuid","blockPreferenceProviderSymbol","emptyPreferences","getValue","setValue","getKeys","containsKey","save","Promise","resolve","withPrefix","off","emptyPreferenceProvider","blockPreferences","getGlobalPreferences","getEntityPreferences","providePersonPreferences","provider","usePersonPreferences","_inject","asBooleanOrNull","asString","indexOf","asBoolean","asYesNoOrNull","boolOrNull","asTrueFalseOrNull","asTrueOrFalseString","set","key","expirationDT","expiration","cache","cacheJson","JSON","stringify","sessionStorage","setItem","getItem","parse","promiseCache","cachePromiseFactory","_promiseCache$key","cachedResult","then","catch","suspenseSymbol","BasicSuspenseProvider","parentProvider","operationKey","pendingOperations","finishedHandlers","allOperationsComplete","nextTick","completeAsyncOperation","addOperation","operation","startAsyncOperation","index","hasPendingOperations","addFinishedHandler","provideSuspense","useSuspense","asFormattedString","digits","minimumFractionDigits","maximumFractionDigits","toNumber","toNumberOrNull","replaced","Number","toCurrencyOrNull","_currencyInfo$symbol","_currencyInfo$decimal","currencyInfo","currencySymbol","symbol","currencyDecimalPlaces","decimalPlaces","toOrdinalSuffix","j","toOrdinal","toWord","zeroPad","toDecimalPlaces","pow","toWordFull","numb","numberWords","oneHundred","oneThousand","oneMillion","oneBillion","oneTrillion","oneQuadrillion","quadrillionsToWord","trillions","trillionsToWord","quadrillions","hundredsToWord","slice","billions","billionsToWord","millions","millionsToWord","thousands","thousandsToWord","hundreds","tens","tensToWord","ones","onesToWord","useVModelPassthrough","props","modelName","internalValue","updateRefValue","useVModelPassthroughWithPropUpdateCheck","listeners","onPropUpdate","addPropUpdateListener","target","defineAsyncComponent","vueDefineAsyncComponent","suspense","component","standardRockFormFieldProps","label","type","String","default","help","rules","formGroupClasses","validationTitle","isRequiredIndicatorHidden","Boolean","copyStandardRockFormFieldProps","destination","useStandardRockFormFieldProps","propValues","reactive","standardAsyncPickerProps","enhanceForLongLists","lazyMode","ControlLazyMode","OnDemand","multiple","showBlankItem","blankValue","displayStyle","PickerDisplayStyle","Auto","columnCount","copyStandardAsyncPickerProps","useStandardAsyncPickerProps","standardFieldProps","deep","extendedRef","refValue","propertyRef","getVNodeProp","node","propName","defaultProps","defaultProp","getVNodeProps","_node$type$props$_p","propType","_toNumberOrNull","extractText","el","createElement","vnode","createVNode","render","innerText","extractHtml","html","innerHTML","dateKeyLength","dateKeyNoYearLength","getYear","dateKey","defaultValue","getMonth","getDay","toDateKey","yearStr","monthStr","dayStr","toNoYearDateKey","smoothScrollToTop","scrollTo","top","behavior","currentModalCount","trackModalState","body","cssClasses","cssClass","classList","add","_iterator2","_step2","remove","loadJavaScriptAsync","_loadJavaScriptAsync","isScriptLoaded","fingerprint","_Obsidian","_Obsidian$options","src","Obsidian","scripts","from","getElementsByTagName","thisScript","promise","scriptLoadedPromise","script","setAttribute","appendChild","_scriptLoadedPromise","scriptElement","reject","_unused","addQuickReturn","title","section","sectionOrder","rock","personalLinks","createDialog","footer","scrollable","style","zIndex","modal","tabIndex","display","modalDialog","modalContent","modalBody","modalFooter","createCloseButton","closeButton","marginTop","createBackdrop","backdrop","showDialog","_options$cancellation","timer","container","fullscreenElement","buttons","clearDialog","dialog","_iterator3","_step3","button","btn","className","querySelector","offsetHeight","cancellationToken","alert","_alert","confirm","_confirm","confirmDelete","typeName","additionalMessage","showSecurity","entityTypeIdKey","entityIdKey","entityTitle","Rock","controls","show","showChildPages","pageId","isEmail","re","enumToListItemBag","description","listItemBagList","property","fieldTypeTable","registerFieldType","fieldTypeGuid","fieldType","normalizedGuid","getFieldType","field","warn","downloadFile","_downloadFile","filename","URL","createObjectURL","element","position","left","href","download","click","removeChild","revokeObjectURL","formStateSymbol","provideFormState","useFormState","enterFullscreen","_enterFullscreen","exitCallback","requestFullscreen","mozRequestFullscreen","webkitRequestFullscreen","onFullscreenChange","ex","isFullscreen","mozFullScreenElement","webkitFullscreenElement","exitFullscreen","_exitFullscreen","mozCancelFullScreen","webkitExitFullscreen","toCoordinate","coord","isWellKnown","reverse","map","parseFloat","lat","lng","wellKnownToCoordinates","wellKnownText","coordinatesToWellKnown","coordinates","isClockwisePolygon","coordinateString","coords","nearAddressForCoordinate","coordinate","google","geocoder","maps","Geocoder","geocode","location","LatLng","results","GeocoderStatus","OK","formatted_address","log","nearAddressForCoordinates","polygon","sum","loadMapResources","_loadMapResources","_response$data","mapStyleValueGuid","googleMapSettings","keyParam","googleApiKey","createLatLng","latOrLatLngOrLatLngLiteral","lngOrNoClampNoWrap","noClampNoWrap","nthNamesAbbreviated","padZeroLeft","repeat","getDateString","getTimeString","getDateTimeString","getDatesFromRangeOrPeriod","startDate","getDateFromString","dates","startsWith","getPeriodDurationInDays","endDate","getDateTimeFromString","period","endsWith","getRecurrenceDates","recurrenceDates","valueParts","valueType","valuePart","getWeekdayName","dateMatchesDays","rockDate","dateMatchesOffsetDayOfWeeks","offsets","dayOfMonth","lastDayOfMonth","getDayOfWeekFromIcalDay","getiCalDay","normalizeLineLength","lines","newLines","lineNumber","currentLine","newLine","denormalizeLineLength","LineFeeder","peek","RecurrenceRule","_values$UNTIL","_values$UNTIL2","rule","values","_iterator4","_step4","attr","attrParts","Error","frequency","_getDateFromString","_getDateTimeFromStrin","_toNumberOrNull2","interval","byMonthDay","_iterator5","_step5","byDay","_iterator6","_step6","build","monthDayValues","md","dayValues","d","getDates","eventStartDateTime","startDateTime","endDateTime","dateCount","nextDate","nextDateAfter","loopCount","Event","icsContent","uid","feeder","buildLines","excludedDates","_iterator7","_step7","rDate","recurrenceRules","_iterator8","_step8","rrule","line","splitAt","keyAttributes","keySegments","_iterator9","_step9","attrSegments","_getDateTimeFromStrin2","_getDateTimeFromStrin3","dateValues","_iterator10","_step10","dateValue","isDateExcluded","rockDateOnly","_iterator11","_step11","excludedDate","_recurrenceDates","toFriendlyText","toFriendlyString","toFriendlyHtml","startTimeText","hour12","offsetNames","nameText","firstDate","lastDate","listHtml","_iterator12","_step12","Calendar","_iterator13","events","_step13","engine","Liquid","resolveMergeFields","template","mergeFields","tpl","renderSync","asListItemBagOrNull","bagJson","formatValue","_formatValue","selectedValue","fromEntries","res","entry","getValueFromPath","object","path","pathNames","pathName","prototype","hasOwnProperty","fetchPhoneNumberConfiguration","_fetchPhoneNumberConfiguration","_result$errorMessage","fetchPhoneNumberAndSmsConfiguration","_fetchPhoneNumberAndSmsConfiguration","_result$errorMessage2","showSmsOptIn","getPhoneNumberConfiguration","Cache","getPhoneNumberAndSmsConfiguration","defaultRulesConfig","formatPhoneNumber","stripPhoneNumber","_rule$match","regex","match","_rule$format","popover","_options$sanitize","$","sanitize","sleep","ms","isPromise","obj","PromiseCompletionSource","internalPromise","internalResolve","internalReject","reason","libraryObject","libraryPromise","getRealTimeObject","_getRealTimeObject","_window$Rock2","_window$Rock","getTopic","_getTopic","identifier","realTime","regexPatterns","specialCharacterPattern","emojiPattern","specialFontPattern","getSpecialCharacterPattern","getEmojiPattern","getSpecialFontPattern","RockCurrency","isZero","big","eq","number","isNegative","lt","units","times","Big","roundDown","create","asRockCurrency","currency","negate","neg","divide","divisor","quotient","div","remainder","minus","subtract","isNotEqualTo","isLessThan","isLessThanOrEqualTo","lte","noLessThan","isGreaterThan","gt","noGreaterThan","mod","_this$divide","excludeGroupingSeparators","valueString","toFixed","_toCurrencyOrNull","rangeTypeOptions","RangeType","Current","Previous","Last","Next","Upcoming","DateRange","timeUnitOptions","TimeUnit","Hour","Day","Week","Month","Year","getTextForValue","_matches$0$text","matches","getRangeTypeText","rangeType","_rangeTypes$0$text","rangeTypes","o","getTimeUnitText","timeUnit","_timeUnits$0$text","timeUnits","parseSlidingDateRangeString","_o$text","_o$text2","range","timeValue","lowerDate","upperDate","slidingDateRangeToString","_value$timeUnit$toStr","_value$timeUnit","_value$lowerDate","_value$upperDate","_value$timeValue","_value$timeUnit$toStr2","_value$timeUnit2","calculateSlidingDateRange","_result$start$addHour","_result$start","diff","_result$start$addMont","_result$start2","_value$timeValue2","roundUpCount","_RockDateTime$fromPar","_RockDateTime$fromPar2","_result$end$addHours","_result$end","_result$end$addDays","_result$end2","_RockDateTime$fromPar3","_RockDateTime$fromPar4","_result$end$addMonths","_result$end3","_RockDateTime$fromPar5","_RockDateTime$fromPar6","_result$end$addYears","_result$end4","cutoffDate","_value$timeValue3","_RockDateTime$fromPar7","_RockDateTime$fromPar8","_result$start$addHour2","_result$start3","_RockDateTime$fromPar9","_RockDateTime$fromPar10","_result$start$addMont2","_result$start4","_RockDateTime$fromPar11","_RockDateTime$fromPar12","_result$start$addYear","_result$start5","_value$lowerDate2","_value$upperDate2","getStructuredContentEditorConfiguration","_getStructuredContentEditorConfiguration","tooltip","showTooltip","CategoryTreeItemProvider","getItems","parentGuid","_this","entityTypeQualifierColumn","entityTypeQualifierValue","lazyLoad","getCategorizedItems","includeCategoriesWithoutChildren","includeInactiveItems","includeUnnamedEntityItems","getRootItems","_this2","rootCategoryGuid","getChildItems","item","_this3","LocationTreeItemProvider","_this4","_toGuidOrNull","rootLocationGuid","_this5","_this6","DataViewTreeItemProvider","_this7","entityTypeGuidFilter","displayPersistedOnly","_this8","_this9","WorkflowTypeTreeItemProvider","_this10","_this10$includeInacti","_this11","_this12","PageTreeItemProvider","_this13","_toGuidOrNull2","_this13$hidePageGuids","rootPageGuid","hidePageGuids","siteType","selectedPageGuids","getHierarchyToSelectedPage","getParentList","_this14","rootLayer","_this15","parents","childLists","all","allPages","parentPage","find","page","children","_this16","_this17","ConnectionRequestTreeItemProvider","_this18","_this19","_this20","GroupTreeItemProvider","_arguments","_this21","rootGroupGuid","includedGroupTypeGuids","includeInactiveGroups","limitToSchedulingEnabled","limitToRSVPEnabled","_this22","_this23","MergeTemplateTreeItemProvider","MergeTemplateOwnership","Global","_arguments2","_this24","mergeTemplateOwnership","_this25","_this26","MetricCategoryTreeItemProvider","_arguments3","_this27","_this28","_this29","MetricItemTreeItemProvider","_arguments4","_this30","includeCategoryGuids","_this31","_this32","RegistrationTemplateTreeItemProvider","_arguments5","_this33","_this34","_this35","ReportTreeItemProvider","_arguments6","_this36","_this37","_this38","ScheduleTreeItemProvider","_arguments7","_this39","includeInactive","_this40","_this41","WorkflowActionTypeTreeItemProvider","_arguments8","_this42","parentId","_this43","_this44","MergeFieldTreeItemProvider","_this45","id","additionalFields","selectedIds","getHierarchyToSelectedMergeField","_this46","allMergeFields","parentMergeField","splitSelectionIntoParents","sel","selection","parentIds","splitList","unshift","_this47","_this48","isUrl","makeUrlRedirectSafe","u","protocol","pathname","search","syncRefsWithQueryParams","refs","URLSearchParams","_ref2","_slicedToArray","param","_params$get","decodeURI","updater","encodeURI","history","replaceState","removeCurrentUrlQueryParams","_len","queryParamKeys","_key","removeUrlQueryParams","_len2","_key2","queryParams","searchParams","removedQueryParams","queryParamKey","delete","definedRules","rulesPropType","parseRule","colonIndex","normalizeRules","normalizedRules","containsRequiredRule","normalizeRulesToFunctions","ruleFunctions","ruleRef","normalizeRuleResult","validateValue","fns","defineRule","ruleName","validator"],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;MAqB0D,SAa3CA,YAAYA,CAAAC,EAAA,EAAAC,GAAA,EAAAC,GAAA,EAAAC,GAAA,EAAA;MAAA,EAAA,OAAAC,aAAA,CAAAC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAAA,SAAAF,aAAA,GAAA;QAAAA,aAAA,GAAAG,iBAAA,CAA3B,WAA4BC,MAAkB,EAAEC,GAAW,EAAEC,MAAqB,EAAEC,IAAkB,EAAmC;MACrI,IAAA,OAAA,MAAaC,KAAK,CAAC;YACfJ,MAAM;YACNC,GAAG;YACHC,MAAM;MACNC,MAAAA,IAAAA;MACJ,KAAC,CAAC,CAAA;SACL,CAAA,CAAA;MAAA,EAAA,OAAAP,aAAA,CAAAC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAYD,SAAsBO,SAASA,CAAAC,GAAA,EAAAC,GAAA,EAAA;MAAA,EAAA,OAAAC,UAAA,CAAAX,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MA0C9B,SAAAU,UAAA,GAAA;MAAAA,EAAAA,UAAA,GAAAT,iBAAA,CA1CM,WAA4BC,MAAkB,EAAEC,GAAW,EAA6F;MAAA,IAAA,IAA3FC,MAAqB,GAAAJ,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAGY,SAAS,CAAA;MAAA,IAAA,IAAEP,IAAkB,GAAAL,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAGY,SAAS,CAAA;UACjI,IAAI;YACA,IAAMC,MAAM,GAASpB,MAAAA,YAAY,CAACS,MAAM,EAAEC,GAAG,EAAEC,MAAM,EAAEC,IAAI,CAAC,CAAA;YAE5D,OAAO;cACHA,IAAI,EAAEQ,MAAM,CAACR,IAAS;MACtBS,QAAAA,OAAO,EAAE,KAAK;MACdC,QAAAA,SAAS,EAAE,IAAI;cACfC,UAAU,EAAEH,MAAM,CAACI,MAAM;MACzBC,QAAAA,YAAY,EAAE,IAAA;aACjB,CAAA;WACJ,CACD,OAAOC,CAAC,EAAE;MACN,MAAA,IAAIb,KAAK,CAACc,YAAY,CAACD,CAAC,CAAC,EAAE;cAAA,IAAAE,WAAA,EAAAC,gBAAA,EAAAC,YAAA,EAAAC,iBAAA,EAAAC,kBAAA,EAAAC,YAAA,CAAA;cACvB,IAAI,CAAAL,WAAA,GAAAF,CAAC,CAACQ,QAAQ,MAAA,IAAA,IAAAN,WAAA,KAAAC,KAAAA,CAAAA,IAAAA,CAAAA,gBAAA,GAAVD,WAAA,CAAYhB,IAAI,MAAAiB,IAAAA,IAAAA,gBAAA,eAAhBA,gBAAA,CAAkBM,OAAO,IAAIT,CAAC,aAADA,CAAC,KAAA,KAAA,CAAA,IAAA,CAAAI,YAAA,GAADJ,CAAC,CAAEQ,QAAQ,MAAA,IAAA,IAAAJ,YAAA,KAAAC,KAAAA,CAAAA,IAAAA,CAAAA,iBAAA,GAAXD,YAAA,CAAalB,IAAI,MAAAmB,IAAAA,IAAAA,iBAAA,eAAjBA,iBAAA,CAAmBK,OAAO,EAAE;MAAA,UAAA,IAAAC,qBAAA,EAAAC,YAAA,EAAAC,iBAAA,CAAA;gBACzD,OAAO;MACH3B,YAAAA,IAAI,EAAE,IAAI;MACVS,YAAAA,OAAO,EAAE,IAAI;MACbC,YAAAA,SAAS,EAAE,KAAK;MAChBC,YAAAA,UAAU,EAAEG,CAAC,CAACQ,QAAQ,CAACV,MAAM;MAC7BC,YAAAA,YAAY,GAAAY,qBAAA,GAAEX,CAAC,KAAA,IAAA,IAADA,CAAC,KAAAY,KAAAA,CAAAA,GAAAA,KAAAA,CAAAA,GAAAA,CAAAA,YAAA,GAADZ,CAAC,CAAEQ,QAAQ,MAAA,IAAA,IAAAI,YAAA,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAA,CAAAC,iBAAA,GAAXD,YAAA,CAAa1B,IAAI,cAAA2B,iBAAA,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAjBA,iBAAA,CAAmBJ,OAAO,MAAAE,IAAAA,IAAAA,qBAAA,KAAAA,KAAAA,CAAAA,GAAAA,qBAAA,GAAIX,CAAC,CAACQ,QAAQ,CAACtB,IAAI,CAACwB,OAAAA;iBAC/D,CAAA;MACL,SAAA;cAEA,OAAO;MACHxB,UAAAA,IAAI,EAAE,IAAI;MACVS,UAAAA,OAAO,EAAE,IAAI;MACbC,UAAAA,SAAS,EAAE,KAAK;MAChBC,UAAAA,UAAU,GAAAS,kBAAA,GAAA,CAAAC,YAAA,GAAEP,CAAC,CAACQ,QAAQ,MAAA,IAAA,IAAAD,YAAA,KAAVA,KAAAA,CAAAA,GAAAA,KAAAA,CAAAA,GAAAA,YAAA,CAAYT,MAAM,MAAA,IAAA,IAAAQ,kBAAA,KAAAA,KAAAA,CAAAA,GAAAA,kBAAA,GAAI,CAAC;MACnCP,UAAAA,YAAY,EAAE,IAAA;eACjB,CAAA;MACL,OAAC,MACI;cACD,OAAO;MACHb,UAAAA,IAAI,EAAE,IAAI;MACVS,UAAAA,OAAO,EAAE,IAAI;MACbC,UAAAA,SAAS,EAAE,KAAK;MAChBC,UAAAA,UAAU,EAAE,CAAC;MACbE,UAAAA,YAAY,EAAE,IAAA;eACjB,CAAA;MACL,OAAA;MACJ,KAAA;SACH,CAAA,CAAA;MAAA,EAAA,OAAAR,UAAA,CAAAX,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAUqBiC,SAAAA,KAAGA,CAAAC,GAAA,EAAA;MAAA,EAAA,OAAAC,IAAA,CAAApC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAExB,SAAAmC,IAAA,GAAA;MAAAA,EAAAA,IAAA,GAAAlC,iBAAA,CAFM,WAAsBE,GAAW,EAA6D;MAAA,IAAA,IAA3DC,MAAqB,GAAAJ,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAGY,SAAS,CAAA;UACvE,OAAaL,MAAAA,SAAS,CAAI,KAAK,EAAEJ,GAAG,EAAEC,MAAM,EAAEQ,SAAS,CAAC,CAAA;SAC3D,CAAA,CAAA;MAAA,EAAA,OAAAuB,IAAA,CAAApC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAWqBoC,SAAAA,IAAIA,CAAAC,GAAA,EAAA;MAAA,EAAA,OAAAC,KAAA,CAAAvC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAEzB,SAAAsC,KAAA,GAAA;MAAAA,EAAAA,KAAA,GAAArC,iBAAA,CAFM,WAAuBE,GAAW,EAA6F;MAAA,IAAA,IAA3FC,MAAqB,GAAAJ,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAGY,SAAS,CAAA;MAAA,IAAA,IAAEP,IAAkB,GAAAL,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAGY,SAAS,CAAA;UACxG,OAAaL,MAAAA,SAAS,CAAI,MAAM,EAAEJ,GAAG,EAAEC,MAAM,EAAEC,IAAI,CAAC,CAAA;SACvD,CAAA,CAAA;MAAA,EAAA,OAAAiC,KAAA,CAAAvC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAED,IAAMuC,mBAAmB,GAAGC,MAAM,CAAC,gBAAgB,CAAC,CAAA;MAQ7C,SAASC,WAAWA,CAACC,SAAwB,EAAQ;MACxDC,EAAAA,OAAO,CAACJ,mBAAmB,EAAEG,SAAS,CAAC,CAAA;MAC3C,CAAA;MAQO,SAASE,OAAOA,GAAkB;MACrC,EAAA,IAAIC,IAA+B,CAAA;QAInC,IAAIC,kBAAkB,EAAE,EAAE;MACtBD,IAAAA,IAAI,GAAGE,MAAM,CAAgBR,mBAAmB,CAAC,CAAA;MACrD,GAAA;MAEA,EAAA,OAAOM,IAAI,IAAI;MACXtC,IAAAA,SAAS,EAAEA,SAAS;MACpB0B,IAAAA,GAAG,EAAEA,KAAG;MACRG,IAAAA,IAAI,EAAEA,IAAAA;SACT,CAAA;MACL,CAAA;MAAC,SA6CcY,UAAUA,CAAAC,GAAA,EAAAC,IAAA,EAAAC,IAAA,EAAA;MAAA,EAAA,OAAAC,WAAA,CAAArD,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAAA,SAAAoD,WAAA,GAAA;QAAAA,WAAA,GAAAnD,iBAAA,CAAzB,WAA0BE,GAAW,EAAEE,IAAc,EAAEgD,QAA4C,EAA+B;UAC9H,IAAMxC,MAAM,SAASP,KAAK,CAAC8B,IAAI,CAA8BjC,GAAG,EAAEE,IAAI,EAAE;MACpEiD,MAAAA,OAAO,EAAE;MACL,QAAA,cAAc,EAAE,qBAAA;aACnB;YACDC,gBAAgB,EAAGC,KAAoB,IAAK;MACxC,QAAA,IAAIH,QAAQ,EAAE;gBACVA,QAAQ,CAACG,KAAK,CAACC,MAAM,EAAED,KAAK,CAACE,KAAK,EAAEC,IAAI,CAACC,KAAK,CAACJ,KAAK,CAACC,MAAM,GAAG,GAAG,GAAGD,KAAK,CAACE,KAAK,CAAC,CAAC,CAAA;MACrF,SAAA;MACJ,OAAA;MACJ,KAAC,CAAC,CAAA;MAGF,IAAA,IAAI7C,MAAM,CAACI,MAAM,KAAK,GAAG,IAAI,OAAOJ,MAAM,CAACR,IAAI,KAAK,QAAQ,EAAE;YAC1D,OAAOQ,MAAM,CAACR,IAAI,CAAA;MACtB,KAAA;MAEA,IAAA,IAAIQ,MAAM,CAACI,MAAM,KAAK,GAAG,EAAE;MACvB,MAAA,MAAM,2BAA2B,CAAA;MACrC,KAAA;MAEA,IAAA,IAAI,OAAOJ,MAAM,CAACR,IAAI,KAAK,QAAQ,EAAE;YACjC,MAAMQ,MAAM,CAACR,IAAI,CAAA;MACrB,KAAA;MAEA,IAAA,MAAM,gBAAgB,CAAA;SACzB,CAAA,CAAA;MAAA,EAAA,OAAA+C,WAAA,CAAArD,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAaqB6D,SAAAA,iBAAiBA,CAAAC,IAAA,EAAAC,IAAA,EAAAC,IAAA,EAAAC,IAAA,EAAA;MAAA,EAAA,OAAAC,kBAAA,CAAAnE,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAgBtC,SAAAkE,kBAAA,GAAA;QAAAA,kBAAA,GAAAjE,iBAAA,CAhBM,WAAiCkE,IAAU,EAAEC,mBAA2B,EAAEC,UAAkB,EAAEC,OAAuB,EAAwB;MAAA,IAAA,IAAAC,gBAAA,CAAA;UAChJ,IAAMpE,GAAG,MAAAqE,MAAA,CAAA,CAAAD,gBAAA,GAAMD,OAAO,KAAPA,IAAAA,IAAAA,OAAO,KAAPA,KAAAA,CAAAA,GAAAA,KAAAA,CAAAA,GAAAA,OAAO,CAAEG,OAAO,MAAA,IAAA,IAAAF,gBAAA,KAAA,KAAA,CAAA,GAAAA,gBAAA,GAAI,oBAAoB,EAAAC,cAAAA,CAAAA,CAAAA,MAAA,CAAeJ,mBAAmB,CAAE,CAAA;MAC3F,IAAA,IAAMM,QAAQ,GAAG,IAAIC,QAAQ,EAAE,CAAA;MAE/BD,IAAAA,QAAQ,CAACE,MAAM,CAAC,MAAM,EAAET,IAAI,CAAC,CAAA;MAE7B,IAAA,IAAIE,UAAU,EAAE;MACZK,MAAAA,QAAQ,CAACE,MAAM,CAAC,YAAY,EAAEP,UAAU,CAAC,CAAA;MAC7C,KAAA;MAEA,IAAA,IAAMxD,MAAM,GAAA,MAASmC,UAAU,CAAC7C,GAAG,EAAEuE,QAAQ,EAAEJ,OAAO,aAAPA,OAAO,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAPA,OAAO,CAAEjB,QAAQ,CAAC,CAAA;UAEjE,OAAO;MACHwB,MAAAA,KAAK,EAAE,EAAE;YACTC,IAAI,EAAEjE,MAAM,CAACkE,QAAAA;WAChB,CAAA;SACJ,CAAA,CAAA;MAAA,EAAA,OAAAb,kBAAA,CAAAnE,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAYD,SAAsBgF,gBAAgBA,CAAAC,IAAA,EAAAC,IAAA,EAAAC,IAAA,EAAA;MAAA,EAAA,OAAAC,iBAAA,CAAArF,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAqBrC,SAAAoF,iBAAA,GAAA;QAAAA,iBAAA,GAAAnF,iBAAA,CArBM,WAAgCkE,IAAU,EAAEkB,kBAAwB,EAAEf,OAAuB,EAAwB;MAAA,IAAA,IAAAgB,iBAAA,CAAA;UACxH,IAAInF,GAAG,MAAAqE,MAAA,CAAA,CAAAc,iBAAA,GAAMhB,OAAO,KAAPA,IAAAA,IAAAA,OAAO,KAAPA,KAAAA,CAAAA,GAAAA,KAAAA,CAAAA,GAAAA,OAAO,CAAEG,OAAO,MAAA,IAAA,IAAAa,iBAAA,KAAA,KAAA,CAAA,GAAAA,iBAAA,GAAI,oBAAoB,EAAAd,kCAAAA,CAAAA,CAAAA,MAAA,CAAmCa,kBAAkB,CAAE,CAAA;UAI5G,IAAI,CAAAf,OAAO,KAAA,IAAA,IAAPA,OAAO,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAPA,OAAO,CAAEiB,WAAW,MAAK,KAAK,EAAE;MAChCpF,MAAAA,GAAG,IAAI,oBAAoB,CAAA;MAC/B,KAAC,MACI;MACDA,MAAAA,GAAG,IAAI,mBAAmB,CAAA;MAC9B,KAAA;MAEA,IAAA,IAAMuE,QAAQ,GAAG,IAAIC,QAAQ,EAAE,CAAA;MAC/BD,IAAAA,QAAQ,CAACE,MAAM,CAAC,MAAM,EAAET,IAAI,CAAC,CAAA;MAE7B,IAAA,IAAMtD,MAAM,GAAA,MAASmC,UAAU,CAAC7C,GAAG,EAAEuE,QAAQ,EAAEJ,OAAO,aAAPA,OAAO,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAPA,OAAO,CAAEjB,QAAQ,CAAC,CAAA;UAEjE,OAAO;YACHwB,KAAK,EAAEhE,MAAM,CAAC2E,IAAI;YAClBV,IAAI,EAAEjE,MAAM,CAACkE,QAAAA;WAChB,CAAA;SACJ,CAAA,CAAA;MAAA,EAAA,OAAAK,iBAAA,CAAArF,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;AAID,mBAAe;QACXO,SAAS;QACT6B,IAAI;MACJH,OAAAA,KAAAA;MACJ,CAAC;;;;;;;;;;;;;;;MChRM,SAASwD,6BAA6BA,GAAsB;QAC/D,OAAO;MACHC,IAAAA,KAAK,EAAE,IAAI;MACXC,IAAAA,OAAO,EAAE,IAAA;SACZ,CAAA;MACL,CAAA;MAEO,SAASC,eAAeA,CAACC,OAAgD,EAAgE;MAC5I,EAAA,OAAOzD,IAAI,CAA0C,gDAAgD,EAAExB,SAAS,EAAEiF,OAAO,CAAC,CAAA;MAC9H,CAAA;MAEO,SAASC,gBAAgBA,CAACD,OAA0B,EAA+B;MACtF,EAAA,OAAOzD,IAAI,CAAS,uDAAuD,EAAExB,SAAS,EAAEiF,OAAO,CAAC,CAAA;MACpG;;;;;;;;;;MCTO,IAAME,OAAO,GAAG,SAAVA,OAAOA,CAAOC,GAAU,EAA6B;MAAA,EAAA,IAA3BC,KAAa,GAAAjG,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAG,CAAC,CAAA;QACpD,IAAMa,MAAW,GAAG,EAAE,CAAA;MACtB,EAAA,IAAMqF,OAAO,GAAGrF,MAAM,CAACqF,OAAO,CAAA;QAE9B,IAAMC,QAAQ,GAAG,SAAXA,QAAQA,CAAaH,GAAG,EAAEC,KAAK,EAAQ;MACzCC,IAAAA,OAAO,CAACE,IAAI,CAACJ,GAAG,EAAE,UAAUK,GAAG,EAAE;YAC7B,IAAIJ,KAAK,GAAG,CAAC,IAAIK,KAAK,CAACC,OAAO,CAACF,GAAG,CAAC,EAAE;MACjCF,QAAAA,QAAQ,CAACE,GAAG,EAAEJ,KAAK,GAAG,CAAC,CAAC,CAAA;MAC5B,OAAC,MACI;MACDpF,QAAAA,MAAM,CAAC2F,IAAI,CAACH,GAAG,CAAC,CAAA;MACpB,OAAA;MACJ,KAAC,CAAC,CAAA;SACL,CAAA;MAEDF,EAAAA,QAAQ,CAACH,GAAG,EAAEC,KAAK,CAAC,CAAA;MACpB,EAAA,OAAOpF,MAAM,CAAA;MACjB,CAAC;;;;;;;;MC3BD,IAAM4F,kBAAkB,GAAG,gDAAgD,CAAA;MAE3E,IAAMC,eAAe,GAAG,qCAAqC,CAAA;MAY7D,SAASC,aAAaA,CAAIC,WAA6B,EAAEC,UAAmB,EAAoB;MAC5F,EAAA,OAAO,CAACC,CAAI,EAAEC,CAAI,KAAa;MAC3B,IAAA,IAAMC,MAAM,GAAGJ,WAAW,CAACE,CAAC,CAAC,CAAA;MAC7B,IAAA,IAAMG,MAAM,GAAGL,WAAW,CAACG,CAAC,CAAC,CAAA;MAI7B,IAAA,IAAIC,MAAM,KAAKpG,SAAS,IAAIoG,MAAM,KAAK,IAAI,EAAE;MAEzC,MAAA,IAAIC,MAAM,KAAKrG,SAAS,IAAIqG,MAAM,KAAK,IAAI,EAAE;MACzC,QAAA,OAAO,CAAC,CAAA;MACZ,OAAA;MAEA,MAAA,OAAO,CAACJ,UAAU,GAAG,CAAC,CAAC,GAAG,CAAC,CAAA;MAC/B,KAAA;MAIA,IAAA,IAAII,MAAM,KAAKrG,SAAS,IAAIqG,MAAM,KAAK,IAAI,EAAE;MACzC,MAAA,OAAO,CAACJ,UAAU,GAAG,CAAC,GAAG,CAAC,CAAC,CAAA;MAC/B,KAAA;UAGA,IAAIG,MAAM,GAAGC,MAAM,EAAE;MACjB,MAAA,OAAO,CAACJ,UAAU,GAAG,CAAC,GAAG,CAAC,CAAC,CAAA;MAC/B,KAAC,MACI,IAAIG,MAAM,GAAGC,MAAM,EAAE;MACtB,MAAA,OAAO,CAACJ,UAAU,GAAG,CAAC,CAAC,GAAG,CAAC,CAAA;MAC/B,KAAC,MACI;MACD,MAAA,OAAO,CAAC,CAAA;MACZ,KAAA;SACH,CAAA;MACL,CAAA;MAMO,MAAMK,IAAI,CAAI;QAWjBC,WAAWA,CAACC,QAAc,EAAE;UACxB,IAAIA,QAAQ,KAAKxG,SAAS,EAAE;YACxB,IAAI,CAACwG,QAAQ,GAAG,EAAE,CAAA;MACtB,KAAC,MACI;MAED,MAAA,IAAI,CAACA,QAAQ,GAAG,CAAC,GAAGA,QAAQ,CAAC,CAAA;MACjC,KAAA;MACJ,GAAA;QAQA,OAAcC,eAAeA,CAAID,QAAa,EAAW;MACrD,IAAA,IAAME,IAAI,GAAG,IAAIJ,IAAI,EAAK,CAAA;UAE1BI,IAAI,CAACF,QAAQ,GAAGA,QAAQ,CAAA;MAExB,IAAA,OAAOE,IAAI,CAAA;MACf,GAAA;QA6BOC,GAAGA,CAACC,SAA0B,EAAW;MAC5C,IAAA,IAAIJ,QAAQ,GAAG,IAAI,CAACA,QAAQ,CAAA;UAE5B,IAAII,SAAS,KAAK5G,SAAS,EAAE;MACzBwG,MAAAA,QAAQ,GAAGA,QAAQ,CAACK,MAAM,CAACD,SAAS,CAAC,CAAA;MACzC,KAAA;MAEA,IAAA,OAAOJ,QAAQ,CAACzG,MAAM,GAAG,CAAC,CAAA;MAC9B,GAAA;QA4BO+G,KAAKA,CAACF,SAA0B,EAAK;MACxC,IAAA,IAAIJ,QAAQ,GAAG,IAAI,CAACA,QAAQ,CAAA;UAE5B,IAAII,SAAS,KAAK5G,SAAS,EAAE;MACzBwG,MAAAA,QAAQ,GAAGA,QAAQ,CAACK,MAAM,CAACD,SAAS,CAAC,CAAA;MACzC,KAAA;MAEA,IAAA,IAAIJ,QAAQ,CAACzG,MAAM,IAAI,CAAC,EAAE;YACtB,OAAOyG,QAAQ,CAAC,CAAC,CAAC,CAAA;MACtB,KAAC,MACI;MACD,MAAA,MAAMV,eAAe,CAAA;MACzB,KAAA;MACJ,GAAA;QA8BOiB,gBAAgBA,CAACH,SAA0B,EAAiB;MAC/D,IAAA,IAAIJ,QAAQ,GAAG,IAAI,CAACA,QAAQ,CAAA;UAE5B,IAAII,SAAS,KAAK5G,SAAS,EAAE;MACzBwG,MAAAA,QAAQ,GAAGA,QAAQ,CAACK,MAAM,CAACD,SAAS,CAAC,CAAA;MACzC,KAAA;MAEA,IAAA,IAAIJ,QAAQ,CAACzG,MAAM,KAAK,CAAC,EAAE;YACvB,OAAOyG,QAAQ,CAAC,CAAC,CAAC,CAAA;MACtB,KAAC,MACI;MACD,MAAA,OAAOxG,SAAS,CAAA;MACpB,KAAA;MACJ,GAAA;QA8BOgH,MAAMA,CAACJ,SAA0B,EAAK;MACzC,IAAA,IAAIJ,QAAQ,GAAG,IAAI,CAACA,QAAQ,CAAA;UAE5B,IAAII,SAAS,KAAK5G,SAAS,EAAE;MACzBwG,MAAAA,QAAQ,GAAGA,QAAQ,CAACK,MAAM,CAACD,SAAS,CAAC,CAAA;MACzC,KAAA;MAEA,IAAA,IAAIJ,QAAQ,CAACzG,MAAM,KAAK,CAAC,EAAE;YACvB,OAAOyG,QAAQ,CAAC,CAAC,CAAC,CAAA;MACtB,KAAC,MACI;MACD,MAAA,MAAMX,kBAAkB,CAAA;MAC5B,KAAA;MACJ,GAAA;QAiCOoB,iBAAiBA,CAACL,SAA0B,EAAiB;MAChE,IAAA,IAAIJ,QAAQ,GAAG,IAAI,CAACA,QAAQ,CAAA;UAE5B,IAAII,SAAS,KAAK5G,SAAS,EAAE;MACzBwG,MAAAA,QAAQ,GAAGA,QAAQ,CAACK,MAAM,CAACD,SAAS,CAAC,CAAA;MACzC,KAAA;MAEA,IAAA,IAAIJ,QAAQ,CAACzG,MAAM,KAAK,CAAC,EAAE;MACvB,MAAA,OAAOC,SAAS,CAAA;MACpB,KAAC,MACI,IAAIwG,QAAQ,CAACzG,MAAM,KAAK,CAAC,EAAE;YAC5B,OAAOyG,QAAQ,CAAC,CAAC,CAAC,CAAA;MACtB,KAAC,MACI;MACD,MAAA,MAAMX,kBAAkB,CAAA;MAC5B,KAAA;MACJ,GAAA;QASOqB,OAAOA,CAAClB,WAA6B,EAAkB;MAC1D,IAAA,IAAMmB,QAAQ,GAAGpB,aAAa,CAACC,WAAW,EAAE,KAAK,CAAC,CAAA;UAElD,OAAO,IAAIoB,WAAW,CAAC,IAAI,CAACZ,QAAQ,EAAEW,QAAQ,CAAC,CAAA;MACnD,GAAA;QASOE,iBAAiBA,CAACrB,WAA6B,EAAkB;MACpE,IAAA,IAAMmB,QAAQ,GAAGpB,aAAa,CAACC,WAAW,EAAE,IAAI,CAAC,CAAA;UAEjD,OAAO,IAAIoB,WAAW,CAAC,IAAI,CAACZ,QAAQ,EAAEW,QAAQ,CAAC,CAAA;MACnD,GAAA;QAUOG,KAAKA,CAACV,SAAyB,EAAW;UAC7C,OAAO,IAAIN,IAAI,CAAI,IAAI,CAACE,QAAQ,CAACK,MAAM,CAACD,SAAS,CAAC,CAAC,CAAA;MACvD,GAAA;MAOOW,EAAAA,OAAOA,GAAQ;MAClB,IAAA,OAAO,CAAC,GAAG,IAAI,CAACf,QAAQ,CAAC,CAAA;MAC7B,GAAA;MACJ,CAAA;MAKA,MAAMY,WAAW,SAAYd,IAAI,CAAI;MAMjCC,EAAAA,WAAWA,CAACC,QAAa,EAAEgB,YAA8B,EAAE;UACvD,KAAK,CAAChB,QAAQ,CAAC,CAAA;UAEf,IAAI,CAACgB,YAAY,GAAGA,YAAY,CAAA;UAChC,IAAI,CAAChB,QAAQ,CAACiB,IAAI,CAAC,IAAI,CAACD,YAAY,CAAC,CAAA;MACzC,GAAA;QAWOE,MAAMA,CAAC1B,WAA6B,EAAkB;MACzD,IAAA,IAAMmB,QAAQ,GAAGpB,aAAa,CAACC,WAAW,EAAE,KAAK,CAAC,CAAA;UAElD,OAAO,IAAIoB,WAAW,CAAC,IAAI,CAACZ,QAAQ,EAAE,CAACN,CAAI,EAAEC,CAAI,KAAK,IAAI,CAACqB,YAAY,CAACtB,CAAC,EAAEC,CAAC,CAAC,IAAIgB,QAAQ,CAACjB,CAAC,EAAEC,CAAC,CAAC,CAAC,CAAA;MACpG,GAAA;QASOwB,gBAAgBA,CAAC3B,WAA6B,EAAkB;MACnE,IAAA,IAAMmB,QAAQ,GAAGpB,aAAa,CAACC,WAAW,EAAE,IAAI,CAAC,CAAA;UAEjD,OAAO,IAAIoB,WAAW,CAAC,IAAI,CAACZ,QAAQ,EAAE,CAACN,CAAI,EAAEC,CAAI,KAAK,IAAI,CAACqB,YAAY,CAACtB,CAAC,EAAEC,CAAC,CAAC,IAAIgB,QAAQ,CAACjB,CAAC,EAAEC,CAAC,CAAC,CAAC,CAAA;MACpG,GAAA;MACJ;;;;;;;;MCrYO,IAAMyB,SAAS,GAAG,sCAAsC,CAAA;MAKxD,SAASC,OAAOA,GAAU;MAC7B,EAAA,OAAO,sCAAsC,CAACC,OAAO,CAAC,OAAO,EAAGC,CAAC,IAAK;UAClE,IAAMC,CAAC,GAAGjF,IAAI,CAACkF,MAAM,EAAE,GAAG,EAAE,GAAG,CAAC,CAAA;MAChC,IAAA,IAAMC,CAAC,GAAGH,CAAC,KAAK,GAAG,GAAGC,CAAC,GAAGA,CAAC,GAAG,GAAG,GAAG,GAAG,CAAA;MACvC,IAAA,OAAOE,CAAC,CAACC,QAAQ,CAAC,EAAE,CAAC,CAAA;MACzB,GAAC,CAAC,CAAA;MACN,CAAA;MAMO,SAASC,SAASA,CAAElC,CAA0B,EAAe;QAChE,IAAI,CAACA,CAAC,EAAE;MACJ,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;QAEA,OAAOA,CAAC,CAACmC,WAAW,EAAE,CAAA;MAC1B,CAAA;MASO,SAASC,WAAWA,CAACC,IAAmB,EAAW;MACtD,EAAA,OAAO,wDAAwD,CAACC,IAAI,CAACD,IAAI,CAAC,CAAA;MAC9E,CAAA;MAQO,SAASE,YAAYA,CAACxE,KAAgC,EAAe;MACxE,EAAA,IAAIA,KAAK,KAAK,IAAI,IAAIA,KAAK,KAAKjE,SAAS,EAAE;MACvC,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;MAEA,EAAA,IAAI,CAACsI,WAAW,CAACrE,KAAK,CAAC,EAAE;MACrB,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;MAEA,EAAA,OAAOA,KAAK,CAAA;MAChB,CAAA;MAOO,SAASyE,QAAQA,CAAExC,CAA0B,EAAEC,CAA0B,EAAW;QACvF,OAAOiC,SAAS,CAAClC,CAAC,CAAC,KAAKkC,SAAS,CAACjC,CAAC,CAAC,CAAA;MACxC,CAAA;AAEA,iBAAe;QACX0B,OAAO;QACPO,SAAS;MACTM,EAAAA,QAAAA;MACJ,CAAC;;;;;;;;;;;;;;MC/DM,SAASC,OAAOA,CAAClD,GAAY,EAAW;MAC3C,EAAA,IAAI,OAAOA,GAAG,KAAK,QAAQ,EAAE;MACzB,IAAA,OAAOA,GAAG,CAAC1F,MAAM,KAAK,CAAC,CAAA;MAC3B,GAAA;MAEA,EAAA,OAAO,KAAK,CAAA;MAChB,CAAA;MAMO,SAAS6I,YAAYA,CAACnD,GAAY,EAAW;MAChD,EAAA,IAAI,OAAOA,GAAG,KAAK,QAAQ,EAAE;MACzB,IAAA,OAAOA,GAAG,CAACoD,IAAI,EAAE,CAAC9I,MAAM,KAAK,CAAC,CAAA;MAClC,GAAA;MAEA,EAAA,OAAO,KAAK,CAAA;MAChB,CAAA;MAMO,SAAS+I,kBAAkBA,CAACrD,GAAY,EAAW;QACtD,OAAOmD,YAAY,CAACnD,GAAG,CAAC,IAAIA,GAAG,KAAKzF,SAAS,IAAIyF,GAAG,KAAK,IAAI,CAAA;MACjE,CAAA;MAMO,SAASsD,SAASA,CAACtD,GAAW,EAAU;QAE3CA,GAAG,GAAGA,GAAG,CAACqC,OAAO,CAAC,uBAAuB,EAAE,OAAO,CAAC,CAAA;MAEnD,EAAA,OAAOrC,GAAG,CAACqC,OAAO,CAAC,oBAAoB,EAAE,OAAO,CAAC,CAAA;MACrD,CAAA;MAcO,SAASkB,UAAUA,CAACC,IAAc,EAAEC,MAAe,EAAU;MAChE,EAAA,IAAID,IAAI,CAAClJ,MAAM,KAAK,CAAC,EAAE;MACnB,IAAA,OAAO,EAAE,CAAA;MACb,GAAA;MAEA,EAAA,IAAIkJ,IAAI,CAAClJ,MAAM,KAAK,CAAC,EAAE;UACnB,OAAOkJ,IAAI,CAAC,CAAC,CAAC,CAAA;MAClB,GAAA;QAEA,IAAI,CAACC,MAAM,EAAE;MACTA,IAAAA,MAAM,GAAG,KAAK,CAAA;MAClB,GAAA;MAEA,EAAA,IAAID,IAAI,CAAClJ,MAAM,KAAK,CAAC,EAAE;MACnB,IAAA,OAAA,EAAA,CAAA6D,MAAA,CAAUqF,IAAI,CAAC,CAAC,CAAC,EAAArF,GAAAA,CAAAA,CAAAA,MAAA,CAAIsF,MAAM,OAAAtF,MAAA,CAAIqF,IAAI,CAAC,CAAC,CAAC,CAAA,CAAA;MAC1C,GAAA;MAEA,EAAA,IAAME,IAAI,GAAGF,IAAI,CAACG,GAAG,EAAE,CAAA;MACvB,EAAA,OAAA,EAAA,CAAAxF,MAAA,CAAUqF,IAAI,CAACI,IAAI,CAAC,IAAI,CAAC,EAAA,GAAA,CAAA,CAAAzF,MAAA,CAAIsF,MAAM,EAAAtF,GAAAA,CAAAA,CAAAA,MAAA,CAAIuF,IAAI,CAAA,CAAA;MAC/C,CAAA;MAOO,SAASG,WAAWA,CAACC,GAAkB,EAAU;QACpD,IAAI,CAACA,GAAG,EAAE;MACN,IAAA,OAAO,EAAE,CAAA;MACb,GAAA;MAEA,EAAA,OAAOA,GAAG,CAACzB,OAAO,CAAC,QAAQ,EAAG0B,IAAI,IAAK;MACnC,IAAA,OAAOA,IAAI,CAACC,MAAM,CAAC,CAAC,CAAC,CAACC,WAAW,EAAE,GAAGF,IAAI,CAACG,SAAS,CAAC,CAAC,CAAC,CAACtB,WAAW,EAAE,CAAA;MACzE,GAAC,CAAC,CAAA;MACN,CAAA;MAKO,SAASuB,uBAAuBA,CAACL,GAAkB,EAAU;QAChE,IAAI,CAACA,GAAG,EAAE;MACN,IAAA,OAAO,EAAE,CAAA;MACb,GAAA;MAEA,EAAA,OAAOA,GAAG,CAACE,MAAM,CAAC,CAAC,CAAC,CAACC,WAAW,EAAE,GAAGH,GAAG,CAACI,SAAS,CAAC,CAAC,CAAC,CAAA;MACzD,CAAA;MAYO,SAASE,SAASA,CAACL,IAAY,EAAEM,KAAc,EAAU;MAC5D,EAAA,OAAOC,SAAS,CAACP,IAAI,EAAEM,KAAK,CAAC,CAAA;MACjC,CAAA;MAWO,SAASE,iBAAiBA,CAACC,GAAW,EAAEC,QAAgB,EAAEC,MAAc,EAAU;MACrF,EAAA,OAAOF,GAAG,KAAK,CAAC,GAAGC,QAAQ,GAAGC,MAAM,CAAA;MACxC,CAAA;MASO,SAASC,OAAOA,CAACb,GAA8B,EAAExJ,MAAc,EAAsC;MAAA,EAAA,IAApCsK,YAAoB,GAAAjL,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAG,GAAG,CAAA;QAC9F,IAAIiL,YAAY,IAAI,EAAE,EAAE;MACpBA,IAAAA,YAAY,GAAG,GAAG,CAAA;MACtB,GAAC,MACI,IAAIA,YAAY,CAACtK,MAAM,GAAG,CAAC,EAAE;UAC9BsK,YAAY,GAAGA,YAAY,CAACV,SAAS,CAAC,CAAC,EAAE,CAAC,CAAC,CAAA;MAC/C,GAAA;QAEA,IAAI,CAACJ,GAAG,EAAE;UACN,OAAO7D,KAAK,CAAC3F,MAAM,GAAG,CAAC,CAAC,CAACsJ,IAAI,CAACgB,YAAY,CAAC,CAAA;MAC/C,GAAA;MAEA,EAAA,IAAId,GAAG,CAACxJ,MAAM,IAAIA,MAAM,EAAE;MACtB,IAAA,OAAOwJ,GAAG,CAAA;MACd,GAAA;MAEA,EAAA,OAAO7D,KAAK,CAAC3F,MAAM,GAAGwJ,GAAG,CAACxJ,MAAM,GAAG,CAAC,CAAC,CAACsJ,IAAI,CAACgB,YAAY,CAAC,GAAGd,GAAG,CAAA;MAClE,CAAA;MASO,SAASe,QAAQA,CAACf,GAA8B,EAAExJ,MAAc,EAAsC;MAAA,EAAA,IAApCsK,YAAoB,GAAAjL,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAG,GAAG,CAAA;QAC/F,IAAIiL,YAAY,IAAI,EAAE,EAAE;MACpBA,IAAAA,YAAY,GAAG,GAAG,CAAA;MACtB,GAAC,MACI,IAAIA,YAAY,CAACtK,MAAM,GAAG,CAAC,EAAE;UAC9BsK,YAAY,GAAGA,YAAY,CAACV,SAAS,CAAC,CAAC,EAAE,CAAC,CAAC,CAAA;MAC/C,GAAA;QAEA,IAAI,CAACJ,GAAG,EAAE;UACN,OAAO7D,KAAK,CAAC3F,MAAM,CAAC,CAACsJ,IAAI,CAACgB,YAAY,CAAC,CAAA;MAC3C,GAAA;MAEA,EAAA,IAAId,GAAG,CAACxJ,MAAM,IAAIA,MAAM,EAAE;MACtB,IAAA,OAAOwJ,GAAG,CAAA;MACd,GAAA;MAEA,EAAA,OAAOA,GAAG,GAAG7D,KAAK,CAAC3F,MAAM,GAAGwJ,GAAG,CAACxJ,MAAM,GAAG,CAAC,CAAC,CAACsJ,IAAI,CAACgB,YAAY,CAAC,CAAA;MAClE,CAAA;MAgBO,SAASE,QAAQA,CAAChB,GAAW,EAAEiB,KAAa,EAAE9G,OAAyB,EAAU;MAEpF,EAAA,IAAI6F,GAAG,CAACxJ,MAAM,IAAIyK,KAAK,EAAE;MACrB,IAAA,OAAOjB,GAAG,CAAA;MACd,GAAA;QAGA,IAAMkB,SAAS,GAAG,8JAA8J,CAAA;QAChL,IAAMC,GAAG,GAAG,IAAIC,MAAM,QAAA/G,MAAA,CAAQ6G,SAAS,EAAK,IAAA,CAAA,CAAA,CAAA;MAC5C,EAAA,IAAMG,KAAK,GAAGrB,GAAG,CAACsB,KAAK,CAACH,GAAG,CAAC,CAAA;QAC5B,IAAIZ,KAAK,GAAG,CAAC,CAAA;MAGb,EAAA,IAAIpG,OAAO,IAAIA,OAAO,CAACoH,QAAQ,KAAK,IAAI,EAAE;MACtCN,IAAAA,KAAK,IAAI,CAAC,CAAA;MACd,GAAA;QAGA,IAAMO,YAAY,GAAGH,KAAK,CAAC/D,MAAM,CAAC,UAAU2C,IAAI,EAAE;UAC9CM,KAAK,IAAIN,IAAI,CAACzJ,MAAM,CAAA;UACpB,OAAO+J,KAAK,IAAIU,KAAK,CAAA;MACzB,GAAC,CAAC,CAAA;MAEF,EAAA,OAAA,EAAA,CAAA5G,MAAA,CAAUmH,YAAY,CAAC1B,IAAI,CAAC,EAAE,CAAC,EAAA,KAAA,CAAA,CAAA;MACnC,CAAA;MAGA,IAAM2B,gBAAgB,GAAG,UAAU,CAAA;MAGnC,IAAMC,aAAqC,GAAG;MAC1C,EAAA,GAAG,EAAE,QAAQ;MACb,EAAA,GAAG,EAAE,OAAO;MACZ,EAAA,GAAG,EAAE,OAAO;MACZ,EAAA,GAAG,EAAE,MAAM;MACX,EAAA,GAAG,EAAE,MAAA;MACT,CAAC,CAAA;MASM,SAASC,UAAUA,CAAC3B,GAAW,EAAU;MAC5C,EAAA,OAAOA,GAAG,CAACzB,OAAO,CAACkD,gBAAgB,EAAGG,EAAE,IAAK;UACzC,OAAOF,aAAa,CAACE,EAAE,CAAC,CAAA;MAC5B,GAAC,CAAC,CAAA;MACN,CAAA;MAYO,SAASC,0BAA0BA,CAACnH,KAAa,EAAEoH,SAAiB,EAAW;MAClF,EAAA,IAAMC,SAAS,GAAG7C,YAAY,CAACxE,KAAK,CAAC,CAAA;MACrC,EAAA,IAAMsH,aAAa,GAAG9C,YAAY,CAAC4C,SAAS,CAAC,CAAA;MAE7C,EAAA,IAAIC,SAAS,KAAK,IAAI,IAAIC,aAAa,KAAK,IAAI,EAAE;MAC9C,IAAA,OAAO7C,QAAQ,CAAC4C,SAAS,EAAEC,aAAa,CAAC,CAAA;MAC7C,GAAA;QAEA,OAAOtH,KAAK,KAAKoH,SAAS,CAAA;MAC9B,CAAA;MASO,SAASG,eAAeA,CAACvH,KAAa,EAAW;MACpD,EAAA,OAAO,eAAe,CAACuE,IAAI,CAACvE,KAAK,CAAC,CAAA;MACtC,CAAA;AAEA,wBAAe;QACX+E,UAAU;QACVwC,eAAe;QACfN,UAAU;QACVnC,SAAS;QACTD,kBAAkB;QAClBF,YAAY;QACZD,OAAO;QACPW,WAAW;QACXU,iBAAiB;QACjBI,OAAO;QACPE,QAAQ;MACRC,EAAAA,QAAAA;MACJ,CAAC;;;;;;;;;;;;;;;;;;;;;;;MC7RM,MAAMkB,mBAAmB,CAAC;QA0BrBlF,WAAWA,CAACmF,kBAA0B,EAAE;UAC5C,IAAI,CAACA,kBAAkB,GAAGA,kBAAkB,CAAA;MAChD,GAAA;QASA,OAAcC,WAAWA,GAAwB;UAM7C,IAAMC,IAAI,GAAG,IAAIC,IAAI,CAAC,IAAI,EAAE,CAAC,EAAE,CAAC,CAAC,CAAA;MACjC,IAAA,IAAMC,gBAAgB,GAAGF,IAAI,CAACG,kBAAkB,CAAC/L,SAAS,EAAE;MACxDgM,MAAAA,IAAI,EAAE,SAAS;MACfC,MAAAA,KAAK,EAAE,SAAS;MAChBC,MAAAA,GAAG,EAAE,SAAA;MACT,KAAC,CAAC,CAAA;UAIF,IAAMC,mBAAmB,GAAG,YAAY,CAAA;UAExC,IAAIC,kBAAkB,GAAGN,gBAAgB,CAAA;MAGzC,IAAA,IAAIA,gBAAgB,CAACO,QAAQ,CAAC,MAAM,CAAC,EAAE;YACnCD,kBAAkB,GAAGN,gBAAgB,CAChChE,OAAO,CAAC,MAAM,EAAE,MAAM,CAAC,CAAA;WAC/B,MACI,IAAIgE,gBAAgB,CAACO,QAAQ,CAAC,IAAI,CAAC,EAAE;YACtCD,kBAAkB,GAAGN,gBAAgB,CAChChE,OAAO,CAAC,IAAI,EAAE,IAAI,CAAC,CAAA;MAC5B,KAAC,MACI;MACD,MAAA,OAAO,IAAI2D,mBAAmB,CAACU,mBAAmB,CAAC,CAAA;MACvD,KAAA;MAGA,IAAA,IAAIC,kBAAkB,CAACC,QAAQ,CAAC,IAAI,CAAC,EAAE;YACnCD,kBAAkB,GAAGA,kBAAkB,CAACtE,OAAO,CAAC,IAAI,EAAE,IAAI,CAAC,CAAA;WAC9D,MACI,IAAIsE,kBAAkB,CAACC,QAAQ,CAAC,GAAG,CAAC,EAAE;YACvCD,kBAAkB,GAAGA,kBAAkB,CAACtE,OAAO,CAAC,GAAG,EAAE,GAAG,CAAC,CAAA;MAC7D,KAAC,MACI;MACD,MAAA,OAAO,IAAI2D,mBAAmB,CAACU,mBAAmB,CAAC,CAAA;MACvD,KAAA;MAGA,IAAA,IAAIC,kBAAkB,CAACC,QAAQ,CAAC,IAAI,CAAC,EAAE;YACnCD,kBAAkB,GAAGA,kBAAkB,CAACtE,OAAO,CAAC,IAAI,EAAE,IAAI,CAAC,CAAA;WAC9D,MACI,IAAIsE,kBAAkB,CAACC,QAAQ,CAAC,GAAG,CAAC,EAAE;YACvCD,kBAAkB,GAAGA,kBAAkB,CAACtE,OAAO,CAAC,GAAG,EAAE,GAAG,CAAC,CAAA;MAC7D,KAAC,MACI;MACD,MAAA,OAAO,IAAI2D,mBAAmB,CAACU,mBAAmB,CAAC,CAAA;MACvD,KAAA;MAEA,IAAA,OAAO,IAAIV,mBAAmB,CAACW,kBAAkB,CAAC,CAAA;MACtD,GAAA;QAMA,IAAWE,aAAaA,GAAW;MAC/B,IAAA,IAAI,CAAC,IAAI,CAACC,mBAAmB,EAAE;MAI3B,MAAA,IAAI,CAACA,mBAAmB,GAAG,IAAI,CAACb,kBAAkB,CAC7C5D,OAAO,CAAC,IAAI,EAAE,GAAG,CAAC,CAClBA,OAAO,CAAC,IAAI,EAAE,GAAG,CAAC,CAAA;MAC3B,KAAA;UAEA,OAAO,IAAI,CAACyE,mBAAmB,CAAA;MACnC,GAAA;QAMA,IAAWC,gBAAgBA,GAAW;MAClC,IAAA,IAAI,CAAC,IAAI,CAACC,sBAAsB,EAAE;YAI9B,IAAI,CAACA,sBAAsB,GAAG,IAAI,CAACf,kBAAkB,CAChD5D,OAAO,CAAC,IAAI,EAAE,GAAG,CAAC,CAClBA,OAAO,CAAC,IAAI,EAAE,GAAG,CAAC,CAClBA,OAAO,CAAC,IAAI,EAAE,GAAG,CAAC,CAAA;MAC3B,KAAA;UAEA,OAAO,IAAI,CAAC2E,sBAAsB,CAAA;MACtC,GAAA;MACJ;;;;;;;;MC9HA,SAASC,WAAWA,CAACzI,KAAa,EAAU;QACxC,OAAO0I,QAAQ,CAAC1I,KAAK,CAAC,KAAK,CAAC,GAAG,EAAE,GAAGA,KAAK,CAAA;MAC7C,CAAA;MAQA,SAAS2I,cAAcA,CAACC,IAAY,EAAU;QAC1C,IAAIA,IAAI,IAAI,CAAC,EAAE;MACX,IAAA,OAAO,EAAE,CAAA;MACb,GAAC,MACI,IAAIA,IAAI,GAAG,EAAE,EAAE;MAChB,IAAA,OAAOA,IAAI,CAAA;MACf,GAAC,MACI;UACD,OAAOA,IAAI,GAAG,EAAE,CAAA;MACpB,GAAA;MACJ,CAAA;MAGA,IAAMC,eAAe,GAAG,CAAC,QAAQ,EAAE,QAAQ,EAAE,SAAS,EAAE,WAAW,EAAE,UAAU,EAAE,QAAQ,EAAE,UAAU,CAAC,CAAA;MACtG,IAAMC,iBAAiB,GAAG,CAAC,SAAS,EAAE,UAAU,EAAE,OAAO,EAAE,OAAO,EAAE,KAAK,EAAE,MAAM,EAAE,MAAM,EAAE,QAAQ,EAAE,WAAW,EAAE,SAAS,EAAE,UAAU,EAAE,UAAU,CAAC,CAAA;MAEpJ,IAAMC,cAAoD,GAAG;MACzD,EAAA,OAAO,EAAEpB,IAAI,IAAIxB,OAAO,CAACwB,IAAI,CAACI,IAAI,CAAC7D,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC;MACtD,EAAA,MAAM,EAAEyD,IAAI,IAAIxB,OAAO,CAACwB,IAAI,CAACI,IAAI,CAAC7D,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC;MACrD,EAAA,KAAK,EAAEyD,IAAI,IAAIxB,OAAO,CAACwB,IAAI,CAACI,IAAI,CAAC7D,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC;MACpD,EAAA,IAAI,EAAEyD,IAAI,IAAIxB,OAAO,CAAC,CAACwB,IAAI,CAACI,IAAI,GAAG,GAAG,EAAE7D,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC;QAC3D,GAAG,EAAEyD,IAAI,IAAI,CAACA,IAAI,CAACI,IAAI,GAAG,GAAG,EAAE7D,QAAQ,EAAE;QAEzC,MAAM,EAAEyD,IAAI,IAAImB,iBAAiB,CAACnB,IAAI,CAACK,KAAK,GAAG,CAAC,CAAC;MACjD,EAAA,KAAK,EAAEL,IAAI,IAAImB,iBAAiB,CAACnB,IAAI,CAACK,KAAK,GAAG,CAAC,CAAC,CAACgB,MAAM,CAAC,CAAC,EAAE,CAAC,CAAC;MAC7D,EAAA,IAAI,EAAErB,IAAI,IAAIxB,OAAO,CAACwB,IAAI,CAACK,KAAK,CAAC9D,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC;QACpD,GAAG,EAAEyD,IAAI,IAAIA,IAAI,CAACK,KAAK,CAAC9D,QAAQ,EAAE;QAElC,MAAM,EAAEyD,IAAI,IAAIkB,eAAe,CAAClB,IAAI,CAACsB,SAAS,CAAC;MAC/C,EAAA,KAAK,EAAEtB,IAAI,IAAIkB,eAAe,CAAClB,IAAI,CAACsB,SAAS,CAAC,CAACD,MAAM,CAAC,CAAC,EAAE,CAAC,CAAC;MAC3D,EAAA,IAAI,EAAErB,IAAI,IAAIxB,OAAO,CAACwB,IAAI,CAACM,GAAG,CAAC/D,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC;QAClD,GAAG,EAAEyD,IAAI,IAAIA,IAAI,CAACM,GAAG,CAAC/D,QAAQ,EAAE;MAEhC,EAAA,SAAS,EAAEyD,IAAI,IAAItB,QAAQ,CAAC,CAACsB,IAAI,CAACuB,WAAW,GAAG,KAAK,EAAEhF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC;MAC1E,EAAA,QAAQ,EAAEyD,IAAI,IAAItB,QAAQ,CAAC,CAACsB,IAAI,CAACuB,WAAW,GAAG,IAAI,EAAEhF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC;MACxE,EAAA,OAAO,EAAEyD,IAAI,IAAItB,QAAQ,CAAC,CAACsB,IAAI,CAACuB,WAAW,GAAG,GAAG,EAAEhF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC;MACtE,EAAA,MAAM,EAAEyD,IAAI,IAAItB,QAAQ,CAAC,CAACsB,IAAI,CAACuB,WAAW,GAAG,EAAE,EAAEhF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC;MACpE,EAAA,KAAK,EAAEyD,IAAI,IAAItB,QAAQ,CAACsB,IAAI,CAACuB,WAAW,CAAChF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC;QAC5D,IAAI,EAAEyD,IAAI,IAAItB,QAAQ,CAACvH,IAAI,CAACC,KAAK,CAAC4I,IAAI,CAACuB,WAAW,GAAG,EAAE,CAAC,CAAChF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC;QAC5E,GAAG,EAAEyD,IAAI,IAAItB,QAAQ,CAACvH,IAAI,CAACC,KAAK,CAAC4I,IAAI,CAACuB,WAAW,GAAG,GAAG,CAAC,CAAChF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC;QAE5E,SAAS,EAAEyD,IAAI,IAAIc,WAAW,CAACpC,QAAQ,CAAC,CAACsB,IAAI,CAACuB,WAAW,GAAG,KAAK,EAAEhF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC,CAAC;QACvF,QAAQ,EAAEyD,IAAI,IAAIc,WAAW,CAACpC,QAAQ,CAAC,CAACsB,IAAI,CAACuB,WAAW,GAAG,IAAI,EAAEhF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC,CAAC;QACrF,OAAO,EAAEyD,IAAI,IAAIc,WAAW,CAACpC,QAAQ,CAAC,CAACsB,IAAI,CAACuB,WAAW,GAAG,GAAG,EAAEhF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC,CAAC;QACnF,MAAM,EAAEyD,IAAI,IAAIc,WAAW,CAACpC,QAAQ,CAAC,CAACsB,IAAI,CAACuB,WAAW,GAAG,EAAE,EAAEhF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC,CAAC;MACjF,EAAA,KAAK,EAAEyD,IAAI,IAAIc,WAAW,CAACpC,QAAQ,CAACsB,IAAI,CAACuB,WAAW,CAAChF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC,CAAC;QACzE,IAAI,EAAEyD,IAAI,IAAIc,WAAW,CAACpC,QAAQ,CAACvH,IAAI,CAACC,KAAK,CAAC4I,IAAI,CAACuB,WAAW,GAAG,EAAE,CAAC,CAAChF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC,CAAC;QACzF,GAAG,EAAEyD,IAAI,IAAIc,WAAW,CAACpC,QAAQ,CAACvH,IAAI,CAACC,KAAK,CAAC4I,IAAI,CAACuB,WAAW,GAAG,GAAG,CAAC,CAAChF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC,CAAC;QAEzF,GAAG,EAAEyD,IAAI,IAAIA,IAAI,CAACI,IAAI,GAAG,CAAC,GAAG,MAAM,GAAG,MAAM;QAC5C,IAAI,EAAEJ,IAAI,IAAIA,IAAI,CAACI,IAAI,GAAG,CAAC,GAAG,MAAM,GAAG,MAAM;MAE7C,EAAA,IAAI,EAAEJ,IAAI,IAAIxB,OAAO,CAACwC,cAAc,CAAChB,IAAI,CAACiB,IAAI,CAAC,CAAC1E,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC;QACnE,GAAG,EAAEyD,IAAI,IAAIgB,cAAc,CAAChB,IAAI,CAACiB,IAAI,CAAC,CAAC1E,QAAQ,EAAE;MAEjD,EAAA,IAAI,EAAEyD,IAAI,IAAIxB,OAAO,CAACwB,IAAI,CAACiB,IAAI,CAAC1E,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC;QACnD,GAAG,EAAEyD,IAAI,IAAIA,IAAI,CAACiB,IAAI,CAAC1E,QAAQ,EAAE;MAEjC,EAAA,IAAI,EAAEyD,IAAI,IAAIxB,OAAO,CAACwB,IAAI,CAACwB,MAAM,CAACjF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC;QACrD,GAAG,EAAEyD,IAAI,IAAIA,IAAI,CAACwB,MAAM,CAACjF,QAAQ,EAAE;MAEnC,EAAA,IAAI,EAAEyD,IAAI,IAAIxB,OAAO,CAACwB,IAAI,CAACyB,MAAM,CAAClF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC;QACrD,GAAG,EAAEyD,IAAI,IAAIA,IAAI,CAACyB,MAAM,CAAClF,QAAQ,EAAE;QAEnC,GAAG,EAAEyD,IAAI,IAAI;MACT,IAAA,IAAM0B,MAAM,GAAG1B,IAAI,CAAC0B,MAAM,CAAA;MAC1B,IAAA,IAAMC,UAAU,GAAGxK,IAAI,CAACyK,GAAG,CAACzK,IAAI,CAACC,KAAK,CAACsK,MAAM,GAAG,EAAE,CAAC,CAAC,CAAA;UACpD,IAAMG,YAAY,GAAG1K,IAAI,CAACyK,GAAG,CAACF,MAAM,GAAG,EAAE,CAAC,CAAA;MAC1C,IAAA,OAAA,EAAA,CAAA1J,MAAA,CAAU0J,MAAM,IAAI,CAAC,GAAG,GAAG,GAAG,GAAG,CAAA,CAAA1J,MAAA,CAAGwG,OAAO,CAACmD,UAAU,CAACpF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC,EAAAvE,GAAAA,CAAAA,CAAAA,MAAA,CAAIwG,OAAO,CAACqD,YAAY,CAACtF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC,CAAA,CAAA;SACzH;QAED,IAAI,EAAEyD,IAAI,IAAIA,IAAI,CAACiB,IAAI,IAAI,EAAE,GAAG,IAAI,GAAG,IAAI;QAC3C,GAAG,EAAEjB,IAAI,IAAIA,IAAI,CAACiB,IAAI,IAAI,EAAE,GAAG,GAAG,GAAG,GAAG;QAExC,KAAK,EAAEjB,IAAI,IAAI;MACX,IAAA,IAAM0B,MAAM,GAAG1B,IAAI,CAAC0B,MAAM,CAAA;MAC1B,IAAA,IAAMC,UAAU,GAAGxK,IAAI,CAACyK,GAAG,CAACzK,IAAI,CAACC,KAAK,CAACsK,MAAM,GAAG,EAAE,CAAC,CAAC,CAAA;UACpD,IAAMG,YAAY,GAAG1K,IAAI,CAACyK,GAAG,CAACF,MAAM,GAAG,EAAE,CAAC,CAAA;MAC1C,IAAA,OAAA,EAAA,CAAA1J,MAAA,CAAU0J,MAAM,IAAI,CAAC,GAAG,GAAG,GAAG,GAAG,CAAA,CAAA1J,MAAA,CAAGwG,OAAO,CAACmD,UAAU,CAACpF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC,EAAAvE,GAAAA,CAAAA,CAAAA,MAAA,CAAIwG,OAAO,CAACqD,YAAY,CAACtF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC,CAAA,CAAA;SACzH;QACD,IAAI,EAAEyD,IAAI,IAAI;MACV,IAAA,IAAM0B,MAAM,GAAG1B,IAAI,CAAC0B,MAAM,CAAA;MAC1B,IAAA,IAAMC,UAAU,GAAGxK,IAAI,CAACyK,GAAG,CAACzK,IAAI,CAACC,KAAK,CAACsK,MAAM,GAAG,EAAE,CAAC,CAAC,CAAA;UACpD,OAAA1J,EAAAA,CAAAA,MAAA,CAAU0J,MAAM,IAAI,CAAC,GAAG,GAAG,GAAG,GAAG,CAAA1J,CAAAA,MAAA,CAAGwG,OAAO,CAACmD,UAAU,CAACpF,QAAQ,EAAE,EAAE,CAAC,EAAE,GAAG,CAAC,CAAA,CAAA;SAC7E;QACD,GAAG,EAAEyD,IAAI,IAAI;MACT,IAAA,IAAM0B,MAAM,GAAG1B,IAAI,CAAC0B,MAAM,CAAA;MAC1B,IAAA,IAAMC,UAAU,GAAGxK,IAAI,CAACyK,GAAG,CAACzK,IAAI,CAACC,KAAK,CAACsK,MAAM,GAAG,EAAE,CAAC,CAAC,CAAA;MACpD,IAAA,OAAA,EAAA,CAAA1J,MAAA,CAAU0J,MAAM,IAAI,CAAC,GAAG,GAAG,GAAG,GAAG,CAAA,CAAA1J,MAAA,CAAG2J,UAAU,CAAA,CAAA;SACjD;QAED,GAAG,EAAEG,MAAM,GAAG;QACd,GAAG,EAAEC,MAAM,GAAA;MACf,CAAC,CAAA;MAED,IAAMC,iBAAiB,GAAG,IAAItH,IAAI,CAASuH,MAAM,CAACC,IAAI,CAACd,cAAc,CAAC,CAAC,CAClE3F,iBAAiB,CAAC0G,CAAC,IAAIA,CAAC,CAAChO,MAAM,CAAC,CAChCwH,OAAO,EAAE,CAAA;MAEd,IAAMyG,0BAA0B,GAAGvC,mBAAmB,CAACE,WAAW,EAAE,CAAA;MAEpE,IAAMsC,mBAAyD,GAAG;QAC9D,GAAG,EAAErC,IAAI,IAAIsC,aAAa,CAACtC,IAAI,EAAEoC,0BAA0B,CAAC1B,aAAa,CAAC;QAC1E,GAAG,EAAEV,IAAI,IAAIsC,aAAa,CAACtC,IAAI,EAAE,qBAAqB,CAAC;QACvD,GAAG,EAAEA,IAAI,IAAIsC,aAAa,CAACtC,IAAI,EAAE,SAAS,CAAC;QAC3C,GAAG,EAAEA,IAAI,IAAIsC,aAAa,CAACtC,IAAI,EAAE,YAAY,CAAC;QAC9C,GAAG,EAAEA,IAAI,IAAIsC,aAAa,CAACtC,IAAI,EAAE,SAAS,CAAC;QAC3C,GAAG,EAAEA,IAAI,IAAIsC,aAAa,CAACtC,IAAI,EAAE,SAAS,CAAC;QAC3C,GAAG,EAAEA,IAAI,IAAIsC,aAAa,CAACtC,IAAI,EAAE,WAAW,CAAC;QAC7C,GAAG,EAAEA,IAAI,IAAIsC,aAAa,CAACtC,IAAI,EAAE,WAAW,CAAC;QAC7C,GAAG,EAAEA,IAAI,IAAAhI,EAAAA,CAAAA,MAAA,CAAOsK,aAAa,CAACtC,IAAI,EAAE,GAAG,CAAC,EAAAhI,GAAAA,CAAAA,CAAAA,MAAA,CAAIsK,aAAa,CAACtC,IAAI,EAAE,GAAG,CAAC,CAAE;QACtE,GAAG,EAAEA,IAAI,IAAAhI,EAAAA,CAAAA,MAAA,CAAOsK,aAAa,CAACtC,IAAI,EAAE,GAAG,CAAC,EAAAhI,GAAAA,CAAAA,CAAAA,MAAA,CAAIsK,aAAa,CAACtC,IAAI,EAAE,GAAG,CAAC,CAAE;QACtE,GAAG,EAAEA,IAAI,IAAAhI,EAAAA,CAAAA,MAAA,CAAOsK,aAAa,CAACtC,IAAI,EAAE,GAAG,CAAC,EAAAhI,GAAAA,CAAAA,CAAAA,MAAA,CAAIsK,aAAa,CAACtC,IAAI,EAAE,GAAG,CAAC,CAAE;QACtE,GAAG,EAAEA,IAAI,IAAAhI,EAAAA,CAAAA,MAAA,CAAOsK,aAAa,CAACtC,IAAI,EAAE,GAAG,CAAC,EAAAhI,GAAAA,CAAAA,CAAAA,MAAA,CAAIsK,aAAa,CAACtC,IAAI,EAAE,GAAG,CAAC,CAAE;MACtE,EAAA,GAAG,EAAEA,IAAI,IAAIsC,aAAa,CAACtC,IAAI,EAA+C,4CAAA,CAAA;MAC9E,EAAA,GAAG,EAAEA,IAAI,IAAIsC,aAAa,CAACtC,IAAI,EAA+C,4CAAA,CAAA;MAC9E,EAAA,GAAG,EAAEA,IAAI,IAAIsC,aAAa,CAACtC,IAAI,EAAwC,qCAAA,CAAA;MACvE,EAAA,GAAG,EAAEA,IAAI,IAAIsC,aAAa,CAACtC,IAAI,EAAwC,qCAAA,CAAA;MACvE,EAAA,GAAG,EAAEA,IAAI,IAAIsC,aAAa,CAACtC,IAAI,EAAkC,+BAAA,CAAA;MACjE,EAAA,GAAG,EAAEA,IAAI,IAAIsC,aAAa,CAACtC,IAAI,EAAmC,gCAAA,CAAA;QAClE,GAAG,EAAEA,IAAI,IAAI;MACT,IAAA,OAAOsC,aAAa,CAACtC,IAAI,CAACuC,iBAAiB,EAAM,GAAA,CAAA,CAAA;MACrD,GAAA;MACJ,CAAC,CAAA;MASD,SAASC,mBAAmBA,CAACxC,IAAkB,EAAEyC,MAAc,EAAU;QACrE,IAAIpO,MAAM,GAAG,EAAE,CAAA;QAEf,KAAK,IAAIqO,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGD,MAAM,CAACtO,MAAM,GAAG;UAChC,IAAIwO,UAAU,GAAG,KAAK,CAAA;MAAC,IAAA,IAAAC,SAAA,GAAAC,0BAAA,CAEPb,iBAAiB,CAAA;YAAAc,KAAA,CAAA;MAAA,IAAA,IAAA;YAAjC,KAAAF,SAAA,CAAAG,CAAA,EAAAD,EAAAA,CAAAA,CAAAA,KAAA,GAAAF,SAAA,CAAAI,CAAA,EAAAC,EAAAA,IAAA,GAAmC;MAAA,QAAA,IAAxBd,CAAC,GAAAW,KAAA,CAAAzK,KAAA,CAAA;MACR,QAAA,IAAIoK,MAAM,CAACpB,MAAM,CAACqB,CAAC,EAAEP,CAAC,CAAChO,MAAM,CAAC,KAAKgO,CAAC,EAAE;MAClC9N,UAAAA,MAAM,IAAI+M,cAAc,CAACe,CAAC,CAAC,CAACnC,IAAI,CAAC,CAAA;MACjC2C,UAAAA,UAAU,GAAG,IAAI,CAAA;gBACjBD,CAAC,IAAIP,CAAC,CAAChO,MAAM,CAAA;MACb,UAAA,MAAA;MACJ,SAAA;MACJ,OAAA;MAAC,KAAA,CAAA,OAAA+O,GAAA,EAAA;YAAAN,SAAA,CAAAjO,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,KAAA,SAAA;MAAAN,MAAAA,SAAA,CAAAO,CAAA,EAAA,CAAA;MAAA,KAAA;MAED,IAAA,IAAIR,UAAU,EAAE;MACZ,MAAA,SAAA;MACJ,KAAA;MAEA,IAAA,IAAIF,MAAM,CAACC,CAAC,CAAC,KAAK,IAAI,EAAE;MACpBA,MAAAA,CAAC,EAAE,CAAA;MACH,MAAA,IAAIA,CAAC,GAAGD,MAAM,CAACtO,MAAM,EAAE;MACnBE,QAAAA,MAAM,IAAIoO,MAAM,CAACC,CAAC,EAAE,CAAC,CAAA;MACzB,OAAA;WACH,MACI,IAAID,MAAM,CAACC,CAAC,CAAC,KAAK,GAAG,EAAE;MACxBA,MAAAA,CAAC,EAAE,CAAA;MACH,MAAA,OAAOA,CAAC,GAAGD,MAAM,CAACtO,MAAM,IAAIsO,MAAM,CAACC,CAAC,CAAC,KAAK,GAAG,EAAEA,CAAC,EAAE,EAAE;MAChDrO,QAAAA,MAAM,IAAIoO,MAAM,CAACC,CAAC,CAAC,CAAA;MACvB,OAAA;MACAA,MAAAA,CAAC,EAAE,CAAA;WACN,MACI,IAAID,MAAM,CAACC,CAAC,CAAC,KAAK,GAAG,EAAE;MACxBA,MAAAA,CAAC,EAAE,CAAA;MACH,MAAA,OAAOA,CAAC,GAAGD,MAAM,CAACtO,MAAM,IAAIsO,MAAM,CAACC,CAAC,CAAC,KAAK,GAAG,EAAEA,CAAC,EAAE,EAAE;MAChDrO,QAAAA,MAAM,IAAIoO,MAAM,CAACC,CAAC,CAAC,CAAA;MACvB,OAAA;MACAA,MAAAA,CAAC,EAAE,CAAA;MACP,KAAC,MACI;MACDrO,MAAAA,MAAM,IAAIoO,MAAM,CAACC,CAAC,EAAE,CAAC,CAAA;MACzB,KAAA;MACJ,GAAA;MAEA,EAAA,OAAOrO,MAAM,CAAA;MACjB,CAAA;MASA,SAAS+O,qBAAqBA,CAACpD,IAAkB,EAAEyC,MAAc,EAAU;MACvE,EAAA,IAAIJ,mBAAmB,CAACI,MAAM,CAAC,KAAKrO,SAAS,EAAE;MAC3C,IAAA,OAAOiO,mBAAmB,CAACI,MAAM,CAAC,CAACzC,IAAI,CAAC,CAAA;MAC5C,GAAA;MAEA,EAAA,OAAOyC,MAAM,CAAA;MACjB,CAAA;MASO,SAASH,aAAaA,CAACtC,IAAkB,EAAEyC,MAAc,EAAU;MACtE,EAAA,IAAIA,MAAM,CAACtO,MAAM,KAAK,CAAC,EAAE;MACrB,IAAA,OAAOiP,qBAAqB,CAACpD,IAAI,EAAEyC,MAAM,CAAC,CAAA;MAC9C,GAAC,MACI,IAAIA,MAAM,CAACtO,MAAM,KAAK,CAAC,IAAIsO,MAAM,CAAC,CAAC,CAAC,KAAK,GAAG,EAAE;UAC/C,OAAOD,mBAAmB,CAACxC,IAAI,EAAEyC,MAAM,CAAC,CAAC,CAAC,CAAC,CAAA;MAC/C,GAAC,MACI;MACD,IAAA,OAAOD,mBAAmB,CAACxC,IAAI,EAAEyC,MAAM,CAAC,CAAA;MAC5C,GAAA;MACJ;;;;;;;;MC7OO,IAAMY,cAA0D,GAAG;MACtEC,EAAAA,QAAQ,EAAE;MACNlD,IAAAA,IAAI,EAAE,SAAS;MACfC,IAAAA,KAAK,EAAE,MAAM;MACbC,IAAAA,GAAG,EAAE,SAAA;SACR;MAEDiD,EAAAA,UAAU,EAAE;MACRnD,IAAAA,IAAI,EAAE,SAAS;MACfC,IAAAA,KAAK,EAAE,OAAO;MACdC,IAAAA,GAAG,EAAE,SAAA;SACR;MAEDkD,EAAAA,SAAS,EAAE;MACPpD,IAAAA,IAAI,EAAE,SAAS;MACfC,IAAAA,KAAK,EAAE,SAAS;MAChBC,IAAAA,GAAG,EAAE,SAAA;SACR;MAEDmD,EAAAA,SAAS,EAAE;MACPxC,IAAAA,IAAI,EAAE,SAAS;MACfO,IAAAA,MAAM,EAAE,SAAA;SACX;MAEDkC,EAAAA,eAAe,EAAE;MACbzC,IAAAA,IAAI,EAAE,SAAS;MACfO,IAAAA,MAAM,EAAE,SAAS;MACjBC,IAAAA,MAAM,EAAE,SAAA;SACX;MAEDkC,EAAAA,aAAa,EAAE;MACXvD,IAAAA,IAAI,EAAE,SAAS;MACfC,IAAAA,KAAK,EAAE,SAAS;MAChBC,IAAAA,GAAG,EAAE,SAAS;MACdW,IAAAA,IAAI,EAAE,SAAS;MACfO,IAAAA,MAAM,EAAE,SAAA;SACX;MAEDoC,EAAAA,wBAAwB,EAAE;MACtBxD,IAAAA,IAAI,EAAE,SAAS;MACfC,IAAAA,KAAK,EAAE,SAAS;MAChBC,IAAAA,GAAG,EAAE,SAAS;MACdW,IAAAA,IAAI,EAAE,SAAS;MACfO,IAAAA,MAAM,EAAE,SAAS;MACjBC,IAAAA,MAAM,EAAE,SAAA;SACX;MAEDoC,EAAAA,cAAc,EAAE;MACZzD,IAAAA,IAAI,EAAE,SAAS;MACfC,IAAAA,KAAK,EAAE,OAAO;MACdC,IAAAA,GAAG,EAAE,SAAS;MACdW,IAAAA,IAAI,EAAE,SAAS;MACfO,IAAAA,MAAM,EAAE,SAAA;SACX;MAEDsC,EAAAA,yBAAyB,EAAE;MACvB1D,IAAAA,IAAI,EAAE,SAAS;MACfC,IAAAA,KAAK,EAAE,OAAO;MACdC,IAAAA,GAAG,EAAE,SAAS;MACdW,IAAAA,IAAI,EAAE,SAAS;MACfO,IAAAA,MAAM,EAAE,SAAS;MACjBC,IAAAA,MAAM,EAAE,SAAA;SACX;MAEDsC,EAAAA,YAAY,EAAE;MACV3D,IAAAA,IAAI,EAAE,SAAS;MACfC,IAAAA,KAAK,EAAE,MAAM;MACbC,IAAAA,GAAG,EAAE,SAAS;MACdW,IAAAA,IAAI,EAAE,SAAS;MACfO,IAAAA,MAAM,EAAE,SAAA;SACX;MAEDwC,EAAAA,uBAAuB,EAAE;MACrB5D,IAAAA,IAAI,EAAE,SAAS;MACfC,IAAAA,KAAK,EAAE,MAAM;MACbC,IAAAA,GAAG,EAAE,SAAS;MACdW,IAAAA,IAAI,EAAE,SAAS;MACfO,IAAAA,MAAM,EAAE,SAAS;MACjBC,IAAAA,MAAM,EAAE,SAAA;MACZ,GAAA;MACJ,CAAC,CAAA;MAOM,MAAMwC,YAAY,CAAC;QAWdtJ,WAAWA,CAACuJ,QAAkB,EAAE;UACpC,IAAI,CAACA,QAAQ,GAAGA,QAAQ,CAAA;MAC5B,GAAA;MAgBA,EAAA,OAAcC,SAASA,CAAC/D,IAAY,EAAEC,KAAa,EAAEC,GAAW,EAAEW,IAAa,EAAEO,MAAe,EAAEC,MAAe,EAAEF,WAAoB,EAAE6C,IAAsB,EAAuB;MAClL,IAAA,IAAIC,SAAoC,CAAA;UAExC,IAAID,IAAI,KAAKhQ,SAAS,EAAE;MACpB,MAAA,IAAI,OAAOgQ,IAAI,KAAK,QAAQ,EAAE;MAC1BC,QAAAA,SAAS,GAAGC,eAAe,CAACC,QAAQ,CAACH,IAAI,CAAC,CAAA;MAC9C,OAAC,MACI;MACDC,QAAAA,SAAS,GAAGD,IAAI,CAAA;MACpB,OAAA;MACJ,KAAA;MAEA,IAAA,IAAMF,QAAQ,GAAGM,QAAQ,CAACC,UAAU,CAAC;YACjCrE,IAAI;YACJC,KAAK;YACLC,GAAG;YACHW,IAAI;YACJO,MAAM;YACNC,MAAM;MACNF,MAAAA,WAAAA;MACJ,KAAC,EAAE;MACC6C,MAAAA,IAAI,EAAEC,SAAAA;MACV,KAAC,CAAC,CAAA;MAEF,IAAA,IAAI,CAACH,QAAQ,CAACQ,OAAO,EAAE;MACnB,MAAA,OAAO,IAAI,CAAA;MACf,KAAA;MAEA,IAAA,OAAO,IAAIT,YAAY,CAACC,QAAQ,CAAC,CAAA;MACrC,GAAA;QAWA,OAAcS,gBAAgBA,CAACC,YAAoB,EAAuB;MACtE,IAAA,IAAMV,QAAQ,GAAGM,QAAQ,CAACK,UAAU,CAACD,YAAY,CAAC,CAAA;MAElD,IAAA,IAAI,CAACV,QAAQ,CAACQ,OAAO,EAAE;MACnB,MAAA,OAAO,IAAI,CAAA;MACf,KAAA;MAEA,IAAA,OAAO,IAAIT,YAAY,CAACC,QAAQ,CAAC,CAAA;MACrC,GAAA;QASA,OAAcY,UAAUA,CAAC9E,IAAU,EAAuB;MACtD,IAAA,IAAMkE,QAAQ,GAAGM,QAAQ,CAACM,UAAU,CAAC9E,IAAI,CAAC,CAAA;MAE1C,IAAA,IAAI,CAACkE,QAAQ,CAACQ,OAAO,EAAE;MACnB,MAAA,OAAO,IAAI,CAAA;MACf,KAAA;MAEA,IAAA,OAAO,IAAIT,YAAY,CAACC,QAAQ,CAAC,CAAA;MACrC,GAAA;QAUA,OAAca,QAAQA,CAACC,UAAkB,EAAuB;MAC5D,IAAA,IAAMd,QAAQ,GAAGM,QAAQ,CAACS,OAAO,CAACD,UAAU,EAAE;MAAEE,MAAAA,OAAO,EAAE,IAAA;MAAK,KAAC,CAAC,CAAA;MAEhE,IAAA,IAAI,CAAChB,QAAQ,CAACQ,OAAO,EAAE;MACnB,MAAA,OAAO,IAAI,CAAA;MACf,KAAA;MAEA,IAAA,OAAO,IAAIT,YAAY,CAACC,QAAQ,CAAC,CAAA;MACrC,GAAA;QAUA,OAAciB,SAASA,CAACH,UAAkB,EAAuB;MAC7D,IAAA,IAAMd,QAAQ,GAAGM,QAAQ,CAACY,QAAQ,CAACJ,UAAU,EAAE;MAAEE,MAAAA,OAAO,EAAE,IAAA;MAAK,KAAC,CAAC,CAAA;MAEjE,IAAA,IAAI,CAAChB,QAAQ,CAACQ,OAAO,EAAE;MACnB,MAAA,OAAO,IAAI,CAAA;MACf,KAAA;MAEA,IAAA,OAAO,IAAIT,YAAY,CAACC,QAAQ,CAAC,CAAA;MACrC,GAAA;QAOA,OAAcmB,GAAGA,GAAiB;MAC9B,IAAA,OAAO,IAAIpB,YAAY,CAACO,QAAQ,CAACa,GAAG,EAAE,CAAC,CAAA;MAC3C,GAAA;QAOA,OAAcC,MAAMA,GAAiB;UACjC,OAAO,IAAIrB,YAAY,CAACO,QAAQ,CAACa,GAAG,EAAE,CAACE,KAAK,EAAE,CAAC,CAAA;MACnD,GAAA;QAUA,IAAWvF,IAAIA,GAAiB;MAC5B,IAAA,IAAMA,IAAI,GAAGiE,YAAY,CAACE,SAAS,CAAC,IAAI,CAAC/D,IAAI,EAAE,IAAI,CAACC,KAAK,EAAE,IAAI,CAACC,GAAG,EAAE,CAAC,EAAE,CAAC,EAAE,CAAC,EAAE,CAAC,EAAE,IAAI,CAACoB,MAAM,CAAC,CAAA;UAE7F,IAAI1B,IAAI,KAAK,IAAI,EAAE;MACf,MAAA,MAAM,qCAAqC,CAAA;MAC/C,KAAA;MAEA,IAAA,OAAOA,IAAI,CAAA;MACf,GAAA;QAYA,IAAWwF,OAAOA,GAAiB;UAC/B,IAAMxF,IAAI,GAAGiE,YAAY,CAACE,SAAS,CAAC,IAAI,CAAC/D,IAAI,EAAE,IAAI,CAACC,KAAK,EAAE,IAAI,CAACC,GAAG,EAAE,CAAC,EAAE,CAAC,EAAE,CAAC,EAAE,CAAC,CAAC,CAAA;UAEhF,IAAIN,IAAI,KAAK,IAAI,EAAE;MACf,MAAA,MAAM,qCAAqC,CAAA;MAC/C,KAAA;MAEA,IAAA,OAAOA,IAAI,CAAA;MACf,GAAA;QAKA,IAAWM,GAAGA,GAAW;MACrB,IAAA,OAAO,IAAI,CAAC4D,QAAQ,CAAC5D,GAAG,CAAA;MAC5B,GAAA;QAKA,IAAWgB,SAASA,GAAc;MAC9B,IAAA,QAAQ,IAAI,CAAC4C,QAAQ,CAACuB,OAAO;MACzB,MAAA,KAAK,CAAC;cACF,OAAOC,SAAS,CAACC,MAAM,CAAA;MAE3B,MAAA,KAAK,CAAC;cACF,OAAOD,SAAS,CAACE,OAAO,CAAA;MAE5B,MAAA,KAAK,CAAC;cACF,OAAOF,SAAS,CAACG,SAAS,CAAA;MAE9B,MAAA,KAAK,CAAC;cACF,OAAOH,SAAS,CAACI,QAAQ,CAAA;MAE7B,MAAA,KAAK,CAAC;cACF,OAAOJ,SAAS,CAACK,MAAM,CAAA;MAE3B,MAAA,KAAK,CAAC;cACF,OAAOL,SAAS,CAACM,QAAQ,CAAA;MAE7B,MAAA,KAAK,CAAC;cACF,OAAON,SAAS,CAACO,MAAM,CAAA;MAAC,KAAA;MAGhC,IAAA,MAAM,kCAAkC,CAAA;MAC5C,GAAA;QAKA,IAAWC,SAASA,GAAW;MAC3B,IAAA,OAAO,IAAI,CAAChC,QAAQ,CAACiC,OAAO,CAAA;MAChC,GAAA;QAKA,IAAWlF,IAAIA,GAAW;MACtB,IAAA,OAAO,IAAI,CAACiD,QAAQ,CAACjD,IAAI,CAAA;MAC7B,GAAA;QAKA,IAAWM,WAAWA,GAAW;MAC7B,IAAA,OAAO,IAAI,CAAC2C,QAAQ,CAAC3C,WAAW,CAAA;MACpC,GAAA;QAKA,IAAWC,MAAMA,GAAW;MACxB,IAAA,OAAO,IAAI,CAAC0C,QAAQ,CAAC1C,MAAM,CAAA;MAC/B,GAAA;QAKA,IAAWnB,KAAKA,GAAW;MACvB,IAAA,OAAO,IAAI,CAAC6D,QAAQ,CAAC7D,KAAK,CAAA;MAC9B,GAAA;QAMA,IAAWqB,MAAMA,GAAW;MACxB,IAAA,OAAO,IAAI,CAACwC,QAAQ,CAACxC,MAAM,CAAA;MAC/B,GAAA;QAKA,IAAWD,MAAMA,GAAW;MACxB,IAAA,OAAO,IAAI,CAACyC,QAAQ,CAACzC,MAAM,CAAA;MAC/B,GAAA;QAKA,IAAWrB,IAAIA,GAAW;MACtB,IAAA,OAAO,IAAI,CAAC8D,QAAQ,CAAC9D,IAAI,CAAA;MAC7B,GAAA;QAMA,IAAWgG,aAAaA,GAAiB;UACrC,OAAO,IAAInC,YAAY,CAAC,IAAI,CAACC,QAAQ,CAACmC,OAAO,EAAE,CAAC,CAAA;MACpD,GAAA;QAMA,IAAWC,oBAAoBA,GAAiB;MAC5C,IAAA,MAAM,iBAAiB,CAAA;MAC3B,GAAA;QAMA,IAAW/D,iBAAiBA,GAAiB;UACzC,OAAO,IAAI0B,YAAY,CAAC,IAAI,CAACC,QAAQ,CAACqB,KAAK,EAAE,CAAC,CAAA;MAClD,GAAA;QAcOgB,OAAOA,CAACC,IAAY,EAAgB;MACvC,IAAA,IAAMtC,QAAQ,GAAG,IAAI,CAACA,QAAQ,CAACuC,IAAI,CAAC;MAAED,MAAAA,IAAI,EAAEA,IAAAA;MAAK,KAAC,CAAC,CAAA;MAEnD,IAAA,IAAI,CAACtC,QAAQ,CAACQ,OAAO,EAAE;MACnB,MAAA,MAAM,qCAAqC,CAAA;MAC/C,KAAA;MAEA,IAAA,OAAO,IAAIT,YAAY,CAACC,QAAQ,CAAC,CAAA;MACrC,GAAA;MASOwC,EAAAA,UAAUA,GAAiB;UAC9B,IAAMxC,QAAQ,GAAG,IAAI,CAACA,QAAQ,CAACyC,KAAK,CAAC,OAAO,CAAC,CAAA;MAE7C,IAAA,IAAI,CAACzC,QAAQ,CAACQ,OAAO,EAAE;MACnB,MAAA,MAAM,qCAAqC,CAAA;MAC/C,KAAA;MAEA,IAAA,OAAO,IAAIT,YAAY,CAACC,QAAQ,CAAC,CAAA;MACrC,GAAA;QAUO0C,QAAQA,CAACC,KAAa,EAAgB;MACzC,IAAA,IAAM3C,QAAQ,GAAG,IAAI,CAACA,QAAQ,CAACuC,IAAI,CAAC;MAAEI,MAAAA,KAAK,EAAEA,KAAAA;MAAM,KAAC,CAAC,CAAA;MAErD,IAAA,IAAI,CAAC3C,QAAQ,CAACQ,OAAO,EAAE;MACnB,MAAA,MAAM,qCAAqC,CAAA;MAC/C,KAAA;MAEA,IAAA,OAAO,IAAIT,YAAY,CAACC,QAAQ,CAAC,CAAA;MACrC,GAAA;QAUO4C,eAAeA,CAAClC,YAAoB,EAAgB;MACvD,IAAA,IAAMV,QAAQ,GAAG,IAAI,CAACA,QAAQ,CAACuC,IAAI,CAAC;MAAE7B,MAAAA,YAAY,EAAEA,YAAAA;MAAa,KAAC,CAAC,CAAA;MAEnE,IAAA,IAAI,CAACV,QAAQ,CAACQ,OAAO,EAAE;MACnB,MAAA,MAAM,qCAAqC,CAAA;MAC/C,KAAA;MAEA,IAAA,OAAO,IAAIT,YAAY,CAACC,QAAQ,CAAC,CAAA;MACrC,GAAA;QAUO6C,UAAUA,CAACC,OAAe,EAAgB;MAC7C,IAAA,IAAM9C,QAAQ,GAAG,IAAI,CAACA,QAAQ,CAACuC,IAAI,CAAC;MAAEO,MAAAA,OAAO,EAAEA,OAAAA;MAAQ,KAAC,CAAC,CAAA;MAEzD,IAAA,IAAI,CAAC9C,QAAQ,CAACQ,OAAO,EAAE;MACnB,MAAA,MAAM,qCAAqC,CAAA;MAC/C,KAAA;MAEA,IAAA,OAAO,IAAIT,YAAY,CAACC,QAAQ,CAAC,CAAA;MACrC,GAAA;QAUO+C,SAASA,CAACC,MAAc,EAAgB;MAC3C,IAAA,IAAMhD,QAAQ,GAAG,IAAI,CAACA,QAAQ,CAACuC,IAAI,CAAC;MAAES,MAAAA,MAAM,EAAEA,MAAAA;MAAO,KAAC,CAAC,CAAA;MAEvD,IAAA,IAAI,CAAChD,QAAQ,CAACQ,OAAO,EAAE;MACnB,MAAA,MAAM,qCAAqC,CAAA;MAC/C,KAAA;MAEA,IAAA,OAAO,IAAIT,YAAY,CAACC,QAAQ,CAAC,CAAA;MACrC,GAAA;QAUOiD,UAAUA,CAACC,OAAe,EAAgB;MAC7C,IAAA,IAAMlD,QAAQ,GAAG,IAAI,CAACA,QAAQ,CAACuC,IAAI,CAAC;MAAEW,MAAAA,OAAO,EAAEA,OAAAA;MAAQ,KAAC,CAAC,CAAA;MAEzD,IAAA,IAAI,CAAClD,QAAQ,CAACQ,OAAO,EAAE;MACnB,MAAA,MAAM,qCAAqC,CAAA;MAC/C,KAAA;MAEA,IAAA,OAAO,IAAIT,YAAY,CAACC,QAAQ,CAAC,CAAA;MACrC,GAAA;QAUOmD,QAAQA,CAACC,KAAa,EAAgB;MACzC,IAAA,IAAMpD,QAAQ,GAAG,IAAI,CAACA,QAAQ,CAACuC,IAAI,CAAC;MAAEa,MAAAA,KAAK,EAAEA,KAAAA;MAAM,KAAC,CAAC,CAAA;MAErD,IAAA,IAAI,CAACpD,QAAQ,CAACQ,OAAO,EAAE;MACnB,MAAA,MAAM,qCAAqC,CAAA;MAC/C,KAAA;MAEA,IAAA,OAAO,IAAIT,YAAY,CAACC,QAAQ,CAAC,CAAA;MACrC,GAAA;MAQOqD,EAAAA,cAAcA,GAAW;MAC5B,IAAA,OAAO,IAAI,CAACrD,QAAQ,CAACsD,QAAQ,EAAE,CAAA;MACnC,GAAA;QAUOC,QAAQA,CAACrD,IAAqB,EAAgB;MACjD,IAAA,IAAIF,QAAkB,CAAA;MAEtB,IAAA,IAAI,OAAOE,IAAI,KAAK,QAAQ,EAAE;MAC1BF,MAAAA,QAAQ,GAAG,IAAI,CAACA,QAAQ,CAACgB,OAAO,CAACZ,eAAe,CAACC,QAAQ,CAACH,IAAI,CAAC,CAAC,CAAA;MACpE,KAAC,MACI;YACDF,QAAQ,GAAG,IAAI,CAACA,QAAQ,CAACgB,OAAO,CAACd,IAAI,CAAC,CAAA;MAC1C,KAAA;MAEA,IAAA,IAAI,CAACF,QAAQ,CAACQ,OAAO,EAAE;MACnB,MAAA,MAAM,8BAA8B,CAAA;MACxC,KAAA;MAEA,IAAA,OAAO,IAAIT,YAAY,CAACC,QAAQ,CAAC,CAAA;MACrC,GAAA;QASOwD,WAAWA,CAACjF,MAAc,EAAU;MACvC,IAAA,OAAOH,aAAa,CAAC,IAAI,EAAEG,MAAM,CAAC,CAAA;MACtC,GAAA;MAOOkF,EAAAA,WAAWA,GAAW;MACzB,IAAA,OAAO,IAAI,CAACzD,QAAQ,CAAC0D,KAAK,EAAE,CAAA;MAChC,GAAA;QAUOC,cAAcA,CAACpF,MAAkC,EAAU;MAC9D,IAAA,OAAO,IAAI,CAACyB,QAAQ,CAAC2D,cAAc,CAACpF,MAAM,CAAC,CAAA;MAC/C,GAAA;QAWOqF,eAAeA,CAACC,eAA8B,EAAU;UAC3D,IAAMC,WAAW,GAAG,IAAI,CAAA;MACxB,IAAA,IAAMC,WAAW,GAAE,IAAI,GAAG,EAAE,CAAA;MAC5B,IAAA,IAAMC,SAAS,GAAG,IAAI,GAAG,EAAE,GAAG,EAAE,CAAA;UAChC,IAAMC,WAAW,GAAG,EAAE,CAAA;UACtB,IAAMC,WAAW,GAAG,GAAG,CAAA;UAEvB,IAAIC,KAAK,GAAG,IAAIpE,YAAY,CAAC,IAAI,CAACC,QAAQ,CAAC,CAAA;UAC3C,IAAIoE,GAAG,GAAGP,eAAe,KAAfA,IAAAA,IAAAA,eAAe,KAAfA,KAAAA,CAAAA,GAAAA,eAAe,GAAI9D,YAAY,CAACoB,GAAG,EAAE,CAAA;UAC/C,IAAIkD,SAAS,GAAG,KAAK,CAAA;UACrB,IAAIC,OAAO,GAAGF,GAAG,CAACf,cAAc,EAAE,GAAGc,KAAK,CAACd,cAAc,EAAE,CAAA;UAE3D,IAAIiB,OAAO,GAAG,CAAC,EAAE;MACbD,MAAAA,SAAS,GAAG,UAAU,CAAA;MACtBC,MAAAA,OAAO,GAAGrR,IAAI,CAACyK,GAAG,CAAC4G,OAAO,CAAC,CAAA;MAC3BH,MAAAA,KAAK,GAAGC,GAAG,CAAA;MACXA,MAAAA,GAAG,GAAG,IAAIrE,YAAY,CAAC,IAAI,CAACC,QAAQ,CAAC,CAAA;MACzC,KAAA;MAEA,IAAA,IAAMuE,YAAY,GAAGD,OAAO,GAAGR,WAAW,CAAA;MAC1C,IAAA,IAAMU,YAAY,GAAGF,OAAO,GAAGP,WAAW,CAAA;MAC1C,IAAA,IAAMU,UAAU,GAAGH,OAAO,GAAGN,SAAS,CAAA;MACtC,IAAA,IAAMU,SAAS,GAAGD,UAAU,GAAGR,WAAW,CAAA;UAE1C,IAAIQ,UAAU,GAAG,EAAE,EAAE;YACjB,IAAIF,YAAY,GAAG,CAAC,EAAE;cAClB,OAAAzQ,WAAAA,CAAAA,MAAA,CAAmBuQ,SAAS,CAAA,CAAA;MAChC,OAAA;YAEA,IAAIE,YAAY,GAAG,EAAE,EAAE;cACnB,OAAAzQ,EAAAA,CAAAA,MAAA,CAAUb,IAAI,CAACC,KAAK,CAACqR,YAAY,CAAC,EAAA,WAAA,CAAA,CAAAzQ,MAAA,CAAYuQ,SAAS,CAAA,CAAA;MAC3D,OAAA;YAEA,IAAIG,YAAY,GAAG,CAAC,EAAE;cAClB,OAAA1Q,WAAAA,CAAAA,MAAA,CAAmBuQ,SAAS,CAAA,CAAA;MAChC,OAAA;YAEA,IAAIG,YAAY,GAAG,EAAE,EAAE;cACnB,OAAA1Q,EAAAA,CAAAA,MAAA,CAAUb,IAAI,CAACC,KAAK,CAACsR,YAAY,CAAC,EAAA,WAAA,CAAA,CAAA1Q,MAAA,CAAYuQ,SAAS,CAAA,CAAA;MAC3D,OAAA;YAEA,IAAII,UAAU,GAAG,CAAC,EAAE;cAChB,OAAA3Q,SAAAA,CAAAA,MAAA,CAAiBuQ,SAAS,CAAA,CAAA;MAC9B,OAAA;YAEA,IAAII,UAAU,GAAG,EAAE,EAAE;cACjB,OAAA3Q,EAAAA,CAAAA,MAAA,CAAUb,IAAI,CAACC,KAAK,CAACuR,UAAU,CAAC,EAAA,SAAA,CAAA,CAAA3Q,MAAA,CAAUuQ,SAAS,CAAA,CAAA;MACvD,OAAA;MACJ,KAAA;UAEA,IAAIK,SAAS,GAAG,CAAC,EAAE;YACf,OAAA5Q,QAAAA,CAAAA,MAAA,CAAgBuQ,SAAS,CAAA,CAAA;MAC7B,KAAA;UAEA,IAAIK,SAAS,GAAG,EAAE,EAAE;YAChB,OAAA5Q,EAAAA,CAAAA,MAAA,CAAUb,IAAI,CAACC,KAAK,CAACwR,SAAS,CAAC,EAAA,QAAA,CAAA,CAAA5Q,MAAA,CAASuQ,SAAS,CAAA,CAAA;MACrD,KAAA;MAEA,IAAA,IAAMM,WAAW,GAAGP,GAAG,CAACO,WAAW,CAACR,KAAK,CAAC,CAAA;UAE1C,IAAIQ,WAAW,IAAI,CAAC,EAAE;YAClB,OAAA7Q,UAAAA,CAAAA,MAAA,CAAkBuQ,SAAS,CAAA,CAAA;MAC/B,KAAA;UAEA,IAAIM,WAAW,IAAI,EAAE,EAAE;YACnB,OAAA7Q,EAAAA,CAAAA,MAAA,CAAUb,IAAI,CAAC2R,KAAK,CAACD,WAAW,CAAC,EAAA,UAAA,CAAA,CAAA7Q,MAAA,CAAWuQ,SAAS,CAAA,CAAA;MACzD,KAAA;UAEA,IAAMQ,UAAU,GAAG5R,IAAI,CAACC,KAAK,CAACwR,SAAS,GAAGR,WAAW,CAAC,CAAA;UAEtD,IAAIW,UAAU,IAAI,CAAC,EAAE;YACjB,OAAA/Q,SAAAA,CAAAA,MAAA,CAAiBuQ,SAAS,CAAA,CAAA;MAC9B,KAAA;UAEA,OAAAvQ,EAAAA,CAAAA,MAAA,CAAUb,IAAI,CAAC2R,KAAK,CAACC,UAAU,CAAC,EAAA,SAAA,CAAA,CAAA/Q,MAAA,CAAUuQ,SAAS,CAAA,CAAA;MACvD,GAAA;MAQOS,EAAAA,YAAYA,GAAW;MAC1B,IAAA,OAAO,IAAI,CAAC9E,QAAQ,CAAC+E,MAAM,EAAE,CAAA;MACjC,GAAA;MAQOC,EAAAA,OAAOA,GAAW;MACrB,IAAA,OAAO,IAAI,CAAChF,QAAQ,CAACgF,OAAO,EAAE,CAAA;MAClC,GAAA;MAOO3M,EAAAA,QAAQA,GAAW;MACtB,IAAA,OAAO,IAAI,CAACsL,cAAc,CAACxE,cAAc,CAACU,YAAY,CAAC,CAAA;MAC3D,GAAA;QAYOoF,SAASA,CAACC,aAA2B,EAAW;MACnD,IAAA,OAAO,IAAI,CAAClF,QAAQ,CAACsD,QAAQ,EAAE,KAAK4B,aAAa,CAAClF,QAAQ,CAACsD,QAAQ,EAAE,CAAA;MACzE,GAAA;QASO6B,WAAWA,CAACD,aAA2B,EAAW;MACrD,IAAA,OAAO,IAAI,CAAClF,QAAQ,CAACsD,QAAQ,EAAE,GAAG4B,aAAa,CAAClF,QAAQ,CAACsD,QAAQ,EAAE,CAAA;MACvE,GAAA;QASO8B,aAAaA,CAACF,aAA2B,EAAW;MACvD,IAAA,OAAO,IAAI,CAAClF,QAAQ,CAACsD,QAAQ,EAAE,GAAG4B,aAAa,CAAClF,QAAQ,CAACsD,QAAQ,EAAE,CAAA;MACvE,GAAA;QAUO+B,eAAeA,CAACH,aAA4B,EAAU;MAAA,IAAA,IAAAI,cAAA,CAAA;MACzDJ,IAAAA,aAAa,GAAAI,CAAAA,cAAA,GAAGJ,aAAa,MAAAI,IAAAA,IAAAA,cAAA,KAAAA,KAAAA,CAAAA,GAAAA,cAAA,GAAIvF,YAAY,CAACoB,GAAG,EAAE,CAAA;UAEnD,IAAMoD,YAAY,GAAGtR,IAAI,CAACC,KAAK,CAAC,CAACgS,aAAa,CAAClF,QAAQ,CAACsD,QAAQ,EAAE,GAAG,IAAI,CAACtD,QAAQ,CAACsD,QAAQ,EAAE,IAAI,IAAI,CAAC,CAAA;UAEtG,IAAIiB,YAAY,IAAI,CAAC,EAAE;MACnB,MAAA,OAAO,WAAW,CAAA;MACtB,KAAC,MACI,IAAIA,YAAY,GAAG,EAAE,EAAE;YACxB,OAAAzQ,EAAAA,CAAAA,MAAA,CAAUyQ,YAAY,EAAA,cAAA,CAAA,CAAA;MAC1B,KAAC,MACI,IAAIA,YAAY,GAAG,IAAI,EAAE;YAC1B,OAAAzQ,EAAAA,CAAAA,MAAA,CAAUb,IAAI,CAACC,KAAK,CAACqR,YAAY,GAAG,EAAE,CAAC,EAAA,cAAA,CAAA,CAAA;MAC3C,KAAC,MACI,IAAIA,YAAY,GAAG,KAAK,EAAE;YAC3B,OAAAzQ,EAAAA,CAAAA,MAAA,CAAUb,IAAI,CAACC,KAAK,CAACqR,YAAY,GAAG,IAAI,CAAC,EAAA,YAAA,CAAA,CAAA;MAC7C,KAAC,MACI,IAAIA,YAAY,GAAG,QAAQ,EAAE;YAC9B,OAAAzQ,EAAAA,CAAAA,MAAA,CAAUb,IAAI,CAACC,KAAK,CAACqR,YAAY,GAAG,KAAK,CAAC,EAAA,WAAA,CAAA,CAAA;MAC9C,KAAC,MACI;YACD,OAAAzQ,EAAAA,CAAAA,MAAA,CAAUb,IAAI,CAACC,KAAK,CAACqR,YAAY,GAAG,QAAQ,CAAC,EAAA,YAAA,CAAA,CAAA;MACjD,KAAA;MACJ,GAAA;QAOOI,WAAWA,CAACO,aAA2B,EAAU;MACpD,IAAA,OAAS,IAAI,CAAChJ,IAAI,GAAG,EAAE,GAAI,IAAI,CAACC,KAAK,IAAM+I,aAAa,CAAChJ,IAAI,GAAG,EAAE,GAAIgJ,aAAa,CAAC/I,KAAK,CAAC,CAAA;MAC9F,GAAA;MAGJ;;;;;;;;;;MCnwBA,SAASoJ,sBAAsBA,CAACC,QAAoB,EAAQ;MACxDC,EAAAA,MAAM,CAACC,UAAU,CAACF,QAAQ,EAAE,CAAC,CAAC,CAAA;MAClC,CAAA;MASO,SAASG,mBAAmBA,CAACC,KAAc,EAA+B;MAC7E,EAAA,IAAIA,KAAK,KAAKC,qBAAqB,IAAID,KAAK,KAAKE,0BAA0B,EAAE;MACzE,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;QACA,IAAIF,KAAK,YAAYG,YAAY,EAAE;MAC/B,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;MACA,EAAA,IAAI,CAACH,KAAK,IAAI,OAAOA,KAAK,KAAK,QAAQ,EAAE;MACrC,IAAA,OAAO,KAAK,CAAA;MAChB,GAAA;MACA,EAAA,OAAO,OAAQA,KAAK,CAAwBI,uBAAuB,KAAK,SAAS,IAC1E,OAAQJ,KAAK,CAAwBK,uBAAuB,KAAK,UAAU,CAAA;MACtF,CAAA;MAKO,IAAMJ,qBAAqB,GAAG9H,MAAM,CAACmI,MAAM,CAAqB;MACnEF,EAAAA,uBAAuB,EAAE,KAAK;QAC9BC,uBAAuBA,GAAG,EAE1B;MACJ,CAAC,CAAC,CAAA;MAKK,IAAMH,0BAA0B,GAAG/H,MAAM,CAACmI,MAAM,CAAqB;MACxEF,EAAAA,uBAAuB,EAAE,IAAI;MAC7BC,EAAAA,uBAAuB,EAAEV,sBAAAA;MAC7B,CAAC,CAAC,CAAA;MAMF,MAAMQ,YAAY,CAA+B;QAAAtP,WAAA,GAAA;MAAA0P,IAAAA,eAAA,sBACd,KAAK,CAAA,CAAA;MAAAA,IAAAA,eAAA,kBACuB,IAAI,CAAA,CAAA;MAAA,GAAA;MAKxDC,EAAAA,MAAMA,GAAS;MAClB,IAAA,IAAI,CAAC,IAAI,CAACC,WAAW,EAAE;YACnB,IAAI,CAACA,WAAW,GAAG,IAAI,CAAA;YACvB,IAAI,IAAI,CAACC,OAAO,EAAE;cACd,IAAI,CAACA,OAAO,CAACC,IAAI,CAAC,QAAQ,EAAErW,SAAS,CAAC,CAAA;cACtC,IAAI,CAACoW,OAAO,GAAG,IAAI,CAAA;MACvB,OAAA;MACJ,KAAA;MACJ,GAAA;QAIA,IAAIN,uBAAuBA,GAAY;UACnC,OAAO,IAAI,CAACK,WAAW,CAAA;MAC3B,GAAA;QAEAJ,uBAAuBA,CAACT,QAAoB,EAAQ;UAChD,IAAI,IAAI,CAACa,WAAW,EAAE;YAClB,OAAOd,sBAAsB,CAACC,QAAQ,CAAC,CAAA;MAC3C,KAAA;MAEA,IAAA,IAAI,CAAC,IAAI,CAACc,OAAO,EAAE;MACf,MAAA,IAAI,CAACA,OAAO,GAAGE,IAAI,EAAE,CAAA;MACzB,KAAA;UAEA,IAAI,CAACF,OAAO,CAACG,EAAE,CAAC,QAAQ,EAAEjB,QAAQ,CAAC,CAAA;MACvC,GAAA;MAGJ,CAAA;MAMO,MAAMkB,uBAAuB,CAAC;QASjCjQ,WAAWA,CAACkQ,MAA2B,EAAE;MAAAR,IAAAA,eAAA,wBAPIjW,SAAS,CAAA,CAAA;MAQlD,IAAA,IAAIyW,MAAM,EAAE;YACRA,MAAM,CAACV,uBAAuB,CAAC,MAAM,IAAI,CAACG,MAAM,EAAE,CAAC,CAAA;MACvD,KAAA;MACJ,GAAA;QAMA,IAAIQ,KAAKA,GAAuB;MAC5B,IAAA,IAAI,CAAC,IAAI,CAACC,aAAa,EAAE;MAGrB,MAAA,IAAI,CAACA,aAAa,GAAG,IAAId,YAAY,EAAE,CAAA;MAC3C,KAAA;UAEA,OAAO,IAAI,CAACc,aAAa,CAAA;MAC7B,GAAA;MAKAT,EAAAA,MAAMA,GAAS;MACX,IAAA,IAAI,CAAC,IAAI,CAACS,aAAa,EAAE;YAIrB,IAAI,CAACA,aAAa,GAAGf,0BAA0B,CAAA;MAEnD,KAAC,MACI,IAAI,IAAI,CAACe,aAAa,YAAYd,YAAY,EAAE;MAEjD,MAAA,IAAI,CAACc,aAAa,CAACT,MAAM,EAAE,CAAA;MAC/B,KAAA;MACJ,GAAA;MACJ;;;;;;;;;;;MCnJO,SAASU,SAASA,CAAC1Q,CAAU,EAAEC,CAAU,EAAE0Q,MAAe,EAAW;MAExE,EAAA,IAAIA,MAAM,IAAI3Q,CAAC,KAAKC,CAAC,EAAE;MACnB,IAAA,OAAO,IAAI,CAAA;SACd,MACI,IAAI,CAAC0Q,MAAM,IAAI3Q,CAAC,IAAIC,CAAC,EAAE;MACxB,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;MAGA,EAAA,IAAI,OAAOD,CAAC,KAAK,QAAQ,IAAI,OAAOC,CAAC,KAAK,QAAQ,IAAI2Q,KAAK,CAAC5Q,CAAC,CAAC,IAAI4Q,KAAK,CAAC3Q,CAAC,CAAC,EAAE;MACxE,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;MAGA,EAAA,IAAID,CAAC,IAAIC,CAAC,IAAI,OAAOD,CAAC,KAAK,QAAQ,IAAI,OAAOC,CAAC,KAAK,QAAQ,EAAE;MAE1D,IAAA,IAAIT,KAAK,CAACC,OAAO,CAACO,CAAC,CAAC,KAAKR,KAAK,CAACC,OAAO,CAACQ,CAAC,CAAC,EAAE;MACvC,MAAA,OAAO,KAAK,CAAA;MAChB,KAAA;MAEA,IAAA,IAAIT,KAAK,CAACC,OAAO,CAACO,CAAC,CAAC,IAAIR,KAAK,CAACC,OAAO,CAACQ,CAAC,CAAC,EAAE;MAEtC,MAAA,IAAID,CAAC,CAACnG,MAAM,KAAKoG,CAAC,CAACpG,MAAM,EAAE;MACvB,QAAA,OAAO,KAAK,CAAA;MAChB,OAAA;MAGA,MAAA,KAAK,IAAIuO,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGpI,CAAC,CAACnG,MAAM,EAAEuO,CAAC,EAAE,EAAE;MAC/B,QAAA,IAAI,CAACsI,SAAS,CAAC1Q,CAAC,CAACoI,CAAC,CAAC,EAAEnI,CAAC,CAACmI,CAAC,CAAC,EAAEuI,MAAM,CAAC,EAAE;MAChC,UAAA,OAAO,KAAK,CAAA;MAChB,SAAA;MACJ,OAAA;MAEA,MAAA,OAAO,IAAI,CAAA;MACf,KAAC,MACI;MAMD,MAAA,IAAI3Q,CAAC,CAACK,WAAW,KAAKJ,CAAC,CAACI,WAAW,EAAE;MACjC,QAAA,OAAO,KAAK,CAAA;MAChB,OAAA;MAIA,MAAA,IAAMwQ,QAAQ,GAAGlJ,MAAM,CAACmJ,OAAO,CAAC9Q,CAAC,CAAC,CAACuB,IAAI,CAAC,CAACvB,CAAC,EAAEC,CAAC,KAAKD,CAAC,CAAC,CAAC,CAAC,GAAGC,CAAC,CAAC,CAAC,CAAC,GAAG,CAAC,CAAC,GAAID,CAAC,CAAC,CAAC,CAAC,GAAGC,CAAC,CAAC,CAAC,CAAC,GAAG,CAAC,GAAG,CAAE,CAAC,CAAA;MAC3F,MAAA,IAAM8Q,QAAQ,GAAGpJ,MAAM,CAACmJ,OAAO,CAAC7Q,CAAC,CAAC,CAACsB,IAAI,CAAC,CAACvB,CAAC,EAAEC,CAAC,KAAKD,CAAC,CAAC,CAAC,CAAC,GAAGC,CAAC,CAAC,CAAC,CAAC,GAAG,CAAC,CAAC,GAAID,CAAC,CAAC,CAAC,CAAC,GAAGC,CAAC,CAAC,CAAC,CAAC,GAAG,CAAC,GAAG,CAAE,CAAC,CAAA;MAG3F,MAAA,IAAI4Q,QAAQ,CAAChX,MAAM,KAAKkX,QAAQ,CAAClX,MAAM,EAAE;MACrC,QAAA,OAAO,KAAK,CAAA;MAChB,OAAA;MAEA,MAAA,KAAK,IAAIuO,EAAC,GAAG,CAAC,EAAEA,EAAC,GAAGyI,QAAQ,CAAChX,MAAM,EAAEuO,EAAC,EAAE,EAAE;MACtC,QAAA,IAAM4I,MAAM,GAAGH,QAAQ,CAACzI,EAAC,CAAC,CAAA;MAC1B,QAAA,IAAM6I,MAAM,GAAGF,QAAQ,CAAC3I,EAAC,CAAC,CAAA;MAG1B,QAAA,IAAI,CAACsI,SAAS,CAACM,MAAM,CAAC,CAAC,CAAC,EAAEC,MAAM,CAAC,CAAC,CAAC,EAAE,IAAI,CAAC,EAAE;MACxC,UAAA,OAAO,KAAK,CAAA;MAChB,SAAA;MAGA,QAAA,IAAI,CAACP,SAAS,CAACM,MAAM,CAAC,CAAC,CAAC,EAAEC,MAAM,CAAC,CAAC,CAAC,EAAEN,MAAM,CAAC,EAAE;MAC1C,UAAA,OAAO,KAAK,CAAA;MAChB,SAAA;MACJ,OAAA;MAEA,MAAA,OAAO,IAAI,CAAA;MACf,KAAA;MACJ,GAAA;MAEA,EAAA,OAAO,KAAK,CAAA;MAChB,CAAA;MAiBO,SAASO,QAAQA,CAACC,EAAgB,EAA6D;MAAA,EAAA,IAA3DC,KAAa,GAAAlY,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAG,GAAG,CAAA;MAAA,EAAA,IAAEmY,KAAc,GAAAnY,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAG,KAAK,CAAA;QAClF,IAAIoY,OAA8B,GAAG,IAAI,CAAA;MAEzC,EAAA,OAAO,MAAY;MACf,IAAA,IAAIA,OAAO,EAAE;YACTC,YAAY,CAACD,OAAO,CAAC,CAAA;WACxB,MACI,IAAID,KAAK,EAAE;MAGZF,MAAAA,EAAE,EAAE,CAAA;YAGJG,OAAO,GAAGhC,UAAU,CAAC,MAAMgC,OAAO,GAAG,IAAI,EAAEF,KAAK,CAAC,CAAA;MAEjD,MAAA,OAAA;MACJ,KAAA;UAIAE,OAAO,GAAGhC,UAAU,CAAC,MAAM;MACvBgC,MAAAA,OAAO,GAAG,IAAI,CAAA;MACdH,MAAAA,EAAE,EAAE,CAAA;WACP,EAAEC,KAAK,CAAC,CAAA;SACZ,CAAA;MACL,CAAA;MAyCO,SAASI,aAAaA,CACzBL,EAAmE,EACnE3T,OAA8B,EACmC;QAAA,IAAAiU,cAAA,EAAAC,cAAA,CAAA;MACjE,EAAA,IAAMN,KAAK,GAAAK,CAAAA,cAAA,GAAGjU,OAAO,aAAPA,OAAO,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAPA,OAAO,CAAE4T,KAAK,MAAAK,IAAAA,IAAAA,cAAA,KAAAA,KAAAA,CAAAA,GAAAA,cAAA,GAAI,GAAG,CAAA;MACnC,EAAA,IAAMJ,KAAK,GAAAK,CAAAA,cAAA,GAAGlU,OAAO,aAAPA,OAAO,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAPA,OAAO,CAAE6T,KAAK,MAAAK,IAAAA,IAAAA,cAAA,KAAAA,KAAAA,CAAAA,GAAAA,cAAA,GAAI,KAAK,CAAA;QAErC,IAAIJ,OAA8B,GAAG,IAAI,CAAA;QACzC,IAAIK,MAAsC,GAAG,IAAI,CAAA;QACjD,IAAIC,0BAA0B,GAAG,KAAK,CAAA;MAEtC,EAAA,OAAA,YAAA;MAAA,IAAA,IAAAC,IAAA,GAAA1Y,iBAAA,CAAO,WAAO2Y,uBAA4C,EAAoB;MAAA,MAAA,IAAAC,OAAA,CAAA;YAE1E,CAAAA,OAAA,GAAAJ,MAAM,MAAA,IAAA,IAAAI,OAAA,KAANA,KAAAA,CAAAA,GAAAA,KAAAA,CAAAA,GAAAA,OAAA,CAAQ/B,MAAM,EAAE,CAAA;MAEhB,MAAA,IAAIsB,OAAO,EAAE;cACTC,YAAY,CAACD,OAAO,CAAC,CAAA;MACrBA,QAAAA,OAAO,GAAG,IAAI,CAAA;MAClB,OAAC,MACI,IAAID,KAAK,IAAI,CAACO,0BAA0B,EAAE;MAE3CA,QAAAA,0BAA0B,GAAG,IAAI,CAAA;MACjCD,QAAAA,MAAM,GAAG,IAAIrB,uBAAuB,CAACwB,uBAAuB,CAAC,CAAA;cAG7DR,OAAO,GAAGhC,UAAU,CAAC,MAAM;MACvBgC,UAAAA,OAAO,GAAG,IAAI,CAAA;MACdM,UAAAA,0BAA0B,GAAG,KAAK,CAAA;eACrC,EAAER,KAAK,CAAC,CAAA;cAET,IAAI;MACA,UAAA,MAAMD,EAAE,CAACQ,MAAM,CAACnB,KAAK,CAAC,CAAA;eACzB,CACD,OAAOnW,CAAC,EAAE;MACN2X,UAAAA,OAAO,CAACC,KAAK,CAAC5X,CAAC,IAAI,qDAAqD,CAAC,CAAA;MACzE,UAAA,MAAMA,CAAC,CAAA;MACX,SAAA;MAEA,QAAA,OAAA;MACJ,OAAA;MAGAsX,MAAAA,MAAM,GAAG,IAAIrB,uBAAuB,CAACwB,uBAAuB,CAAC,CAAA;YAC7D,IAAMI,GAAG,GAAGP,MAAM,CAAA;MAClBL,MAAAA,OAAO,GAAGhC,UAAU,CAAAnW,iBAAA,CAAC,aAAY;cAC7B,IAAI;MACA,UAAA,MAAMgY,EAAE,CAACe,GAAG,CAAC1B,KAAK,CAAC,CAAA;eACtB,CACD,OAAOnW,CAAC,EAAE;MACN2X,UAAAA,OAAO,CAACC,KAAK,CAAC5X,CAAC,IAAI,qDAAqD,CAAC,CAAA;MACzE,UAAA,MAAMA,CAAC,CAAA;MACX,SAAA;MAEAiX,QAAAA,OAAO,GAAG,IAAI,CAAA;MACdM,QAAAA,0BAA0B,GAAG,KAAK,CAAA;aACrC,CAAA,EAAER,KAAK,CAAC,CAAA;WACZ,CAAA,CAAA;MAAA,IAAA,OAAA,UAAAxY,EAAA,EAAA;MAAA,MAAA,OAAAiZ,IAAA,CAAA5Y,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,KAAA,CAAA;MAAA,GAAA,EAAA,CAAA;MACL;;;;;;;;;;MCzMO,IAAMiZ,YAAY,GAAG;MAIxBC,EAAAA,kBAAkB,EAAE,8BAAA;MACxB,CAAU,CAAA;MAKH,IAAMC,aAAa,GAAG;MAIzBC,EAAAA,SAAS,EAAE,sBAAsB;MAKjCC,EAAAA,OAAO,EAAE,oBAAA;MACb,CAAU,CAAA;MAoBH,SAASC,aAAaA,CAAChV,OAA2B,EAAc;QACnE,OAAO,IAAIiV,UAAU,CAACjV,OAAO,KAAA,IAAA,IAAPA,OAAO,KAAA,KAAA,CAAA,GAAPA,OAAO,GAAI,EAAE,CAAC,CAAA;MACxC,CAAA;MA2BA,IAAMkV,kBAAkB,GAAG,aAAa,CAAA;MAUjC,MAAMD,UAAU,CAAC;QAiBpBpS,WAAWA,CAAC7C,OAA0B,EAAE;MAAAuS,IAAAA,eAAA,mBAfH,EAAE,CAAA,CAAA;MAgBnC,IAAA,IAAI,CAACvS,OAAO,GAAAmV,cAAA,CAAA,EAAA,EAAQnV,OAAO,CAAE,CAAA;UAE7B,IAAI,CAACoV,aAAa,GAAGvY,CAAC,IAAI,IAAI,CAACwY,OAAO,CAACxY,CAAC,CAAC,CAAA;UACzCyY,QAAQ,CAACC,gBAAgB,CAACL,kBAAkB,EAAE,IAAI,CAACE,aAAa,CAAC,CAAA;MACrE,GAAA;QASQC,OAAOA,CAACnW,KAAY,EAAQ;MAChC,IAAA,IAAI,EAAEA,KAAK,YAAYsW,WAAW,CAAC,EAAE;MACjC,MAAA,OAAA;MACJ,KAAA;MAEA,IAAA,IAAIjY,OAAO,GAAG2B,KAAK,CAACuW,MAAiB,CAAA;MAGrC,IAAA,IAAI,CAAClY,OAAO,CAACmY,IAAI,EAAE;MACf,MAAA,OAAA;MACJ,KAAA;MAIA,IAAA,IAAI,OAAOnY,OAAO,CAACoY,SAAS,KAAK,WAAW,EAAE;MAC1CpY,MAAAA,OAAO,GAAA4X,cAAA,CAAAA,cAAA,KAAQ5X,OAAO,CAAA,EAAA,EAAA,EAAA;MAAEoY,QAAAA,SAAS,EAAE,CAAA;aAAG,CAAA,CAAA;MAC1C,KAAA;MAEA,IAAA,IAAI,CAACC,SAAS,CAACrY,OAAO,CAAC,CAAA;MAC3B,GAAA;QAOQqY,SAASA,CAACrY,OAAgB,EAAQ;MAGtC,IAAA,IAAMsY,QAAQ,GAAG,CAAC,GAAG,IAAI,CAACA,QAAQ,CAAC,CAAA;MAEnC,IAAA,KAAA,IAAAC,EAAA,GAAA,CAAA,EAAAC,SAAA,GAAsBF,QAAQ,EAAAC,EAAA,GAAAC,SAAA,CAAA1Z,MAAA,EAAAyZ,EAAA,EAAE,EAAA;MAA3B,MAAA,IAAME,OAAO,GAAAD,SAAA,CAAAD,EAAA,CAAA,CAAA;YACd,IAAI;cAGA,IAAIE,OAAO,CAACN,IAAI,IAAIM,OAAO,CAACN,IAAI,KAAKnY,OAAO,CAACmY,IAAI,EAAE;MAC/C,UAAA,SAAA;MACJ,SAAA;MAEA,QAAA,IAAIM,OAAO,CAACC,SAAS,IAAI,CAACjR,QAAQ,CAACgR,OAAO,CAACC,SAAS,EAAE1Y,OAAO,CAAC0Y,SAAS,CAAC,EAAE;MACtE,UAAA,SAAA;MACJ,SAAA;MAEA,QAAA,IAAID,OAAO,CAACE,KAAK,IAAI,CAAClR,QAAQ,CAACgR,OAAO,CAACE,KAAK,EAAE3Y,OAAO,CAAC2Y,KAAK,CAAC,EAAE;MAC1D,UAAA,SAAA;MACJ,SAAA;MAGAF,QAAAA,OAAO,CAACG,QAAQ,CAAC5Y,OAAO,CAAC,CAAA;aAC5B,CACD,OAAOV,CAAC,EAAE;MAGN2X,QAAAA,OAAO,CAACC,KAAK,CAAC5X,CAAC,CAAC,CAAA;MACpB,OAAA;MACJ,KAAA;MACJ,GAAA;MASOuZ,EAAAA,OAAOA,GAAS;UACnBd,QAAQ,CAACe,mBAAmB,CAACnB,kBAAkB,EAAE,IAAI,CAACE,aAAa,CAAC,CAAA;MACpE,IAAA,IAAI,CAACS,QAAQ,CAACS,MAAM,CAAC,CAAC,EAAE,IAAI,CAACT,QAAQ,CAACxZ,MAAM,CAAC,CAAA;MACjD,GAAA;MAuBOka,EAAAA,OAAOA,CAACC,WAAmB,EAAEza,IAAc,EAAQ;UACtD,IAAI,CAAC0a,cAAc,CAAC;MAChBf,MAAAA,IAAI,EAAEc,WAAW;MACjBb,MAAAA,SAAS,EAAExN,IAAI,CAACoF,GAAG,EAAE;MACrB0I,MAAAA,SAAS,EAAE,IAAI,CAACjW,OAAO,CAACiW,SAAS;MACjCC,MAAAA,KAAK,EAAE,IAAI,CAAClW,OAAO,CAACkW,KAAK;MACzBna,MAAAA,IAAAA;MACJ,KAAC,CAAC,CAAA;MACN,GAAA;QAYO0a,cAAcA,CAAClZ,OAAgB,EAAQ;MAC1C,IAAA,IAAM2B,KAAK,GAAG,IAAIsW,WAAW,CAAUN,kBAAkB,EAAE;MACvDO,MAAAA,MAAM,EAAElY,OAAAA;MACZ,KAAC,CAAC,CAAA;MAEF+X,IAAAA,QAAQ,CAACoB,aAAa,CAACxX,KAAK,CAAC,CAAA;MACjC,GAAA;MAoDOyX,EAAAA,SAASA,CAACC,qBAAuD,EAAET,QAAkC,EAAQ;MAChH,IAAA,IAAIT,IAAwB,CAAA;MAE5B,IAAA,IAAI,OAAOkB,qBAAqB,KAAK,QAAQ,EAAE;MAC3ClB,MAAAA,IAAI,GAAGkB,qBAAqB,CAAA;MAChC,KAAC,MACI;MACDlB,MAAAA,IAAI,GAAGpZ,SAAS,CAAA;MAChB6Z,MAAAA,QAAQ,GAAGS,qBAAqB,CAAA;MACpC,KAAA;UAEA,IAAI,CAACT,QAAQ,EAAE;MACX,MAAA,OAAA;MACJ,KAAA;MAEA,IAAA,IAAI,CAACN,QAAQ,CAAC3T,IAAI,CAAC;YACfwT,IAAI;MACJS,MAAAA,QAAAA;MACJ,KAAC,CAAC,CAAA;MACN,GAAA;MAsDOU,EAAAA,oBAAoBA,CAACC,sBAAqC,EAAEC,mBAAmD,EAAEZ,QAAkC,EAAQ;MAC9J,IAAA,IAAIT,IAAwB,CAAA;MAC5B,IAAA,IAAIO,SAAe,CAAA;MAEnB,IAAA,IAAI,OAAOc,mBAAmB,KAAK,QAAQ,EAAE;MACzCrB,MAAAA,IAAI,GAAGoB,sBAAsB,CAAA;MAC7Bb,MAAAA,SAAS,GAAGc,mBAAmB,CAAA;MACnC,KAAC,MACI;MACDd,MAAAA,SAAS,GAAGa,sBAAsB,CAAA;MAClCX,MAAAA,QAAQ,GAAGY,mBAAmB,CAAA;MAClC,KAAA;MAEA,IAAA,IAAI,CAACd,SAAS,IAAI,CAACE,QAAQ,EAAE;MACzB,MAAA,OAAA;MACJ,KAAA;MAEA,IAAA,IAAI,CAACN,QAAQ,CAAC3T,IAAI,CAAC;YACfwT,IAAI;YACJO,SAAS;MACTE,MAAAA,QAAAA;MACJ,KAAC,CAAC,CAAA;MACN,GAAA;MAiDOa,EAAAA,gBAAgBA,CAACC,kBAAiC,EAAEC,eAA+C,EAAEf,QAAkC,EAAQ;MAClJ,IAAA,IAAIT,IAAwB,CAAA;MAC5B,IAAA,IAAIQ,KAAW,CAAA;MAEf,IAAA,IAAI,OAAOgB,eAAe,KAAK,QAAQ,EAAE;MACrCxB,MAAAA,IAAI,GAAGuB,kBAAkB,CAAA;MACzBf,MAAAA,KAAK,GAAGgB,eAAe,CAAA;MAC3B,KAAC,MACI;MACDhB,MAAAA,KAAK,GAAGe,kBAAkB,CAAA;MAC1Bd,MAAAA,QAAQ,GAAGe,eAAe,CAAA;MAC9B,KAAA;MAEA,IAAA,IAAI,CAAChB,KAAK,IAAI,CAACC,QAAQ,EAAE;MACrB,MAAA,OAAA;MACJ,KAAA;MAEA,IAAA,IAAI,CAACN,QAAQ,CAAC3T,IAAI,CAAC;YACfwT,IAAI;YACJQ,KAAK;MACLC,MAAAA,QAAAA;MACJ,KAAC,CAAC,CAAA;MACN,GAAA;MAGJ;;;;;;;;;;;MC7cA,IAAMgB,iBAAiB,GAAGjZ,MAAM,EAAE,CAAA;MAClC,IAAMkZ,gCAAgC,GAAGlZ,MAAM,EAAE,CAAA;MACjD,IAAMmZ,mBAAmB,GAAGnZ,MAAM,CAAC,gBAAgB,CAAC,CAAA;MACpD,IAAMoZ,qBAAqB,GAAGpZ,MAAM,CAAC,mBAAmB,CAAC,CAAA;MASlD,SAASqZ,sBAAsBA,GAAS;MAC3C,EAAA,IAAMhb,MAAM,GAAGkC,MAAM,CAAS,qBAAqB,CAAC,CAAA;QAEpD,IAAIlC,MAAM,KAAKD,SAAS,EAAE;MACtB,IAAA,MAAM,iEAAiE,CAAA;MAC3E,GAAA;QAEA,OAAOC,MAAM,CAACgE,KAAK,CAAA;MACvB,CAAA;MAOO,SAASiX,oBAAoBA,GAA0B;MAC1D,EAAA,IAAMjb,MAAM,GAAGkC,MAAM,CAAwB,mBAAmB,CAAC,CAAA;QAEjE,IAAIlC,MAAM,KAAKD,SAAS,EAAE;MACtB,IAAA,MAAM,qEAAqE,CAAA;MAC/E,GAAA;MAEA,EAAA,OAAOC,MAAM,CAAA;MACjB,CAAA;MAOO,SAASkb,iBAAiBA,GAAmC;MAChE,EAAA,IAAMlb,MAAM,GAAGkC,MAAM,CAAiC,gBAAgB,CAAC,CAAA;QAEvE,IAAIlC,MAAM,KAAKD,SAAS,EAAE;MACtB,IAAA,MAAM,8DAA8D,CAAA;MACxE,GAAA;MAEA,EAAA,OAAOC,MAAM,CAAA;MACjB,CAAA;MAeO,SAASmb,uBAAuBA,CAAC5Z,IAAkB,EAAE6Z,QAAc,EAAEC,SAAe,EAAEC,cAAsC,EAAEC,eAAqB,EAAyB;QAAA,SAChKC,iBAAiBA,CAAA3c,EAAA,EAAA;MAAA,IAAA,OAAA4c,kBAAA,CAAAvc,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,GAAA;MAAA,EAAA,SAAAsc,kBAAA,GAAA;MAAAA,IAAAA,kBAAA,GAAArc,iBAAA,CAAhC,WAAoCsc,UAAkB,EAAoI;MAAA,MAAA,IAAlIlc,IAA8B,GAAAL,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAGY,SAAS,CAAA;MAAA,MAAA,IAAE4b,aAAgD,GAAAxc,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAGY,SAAS,CAAA;YAC5J,IAAI6b,OAA8B,GAAG,EAAE,CAAA;MAEvC,MAAA,IAAID,aAAa,EAAE;MACfC,QAAAA,OAAO,GAAAhD,cAAA,CAAQ+C,EAAAA,EAAAA,aAAa,CAAE,CAAA;MAClC,OAAA;YAEAC,OAAO,CAACN,cAAc,GAAGA,cAAc,CAAA;YACvCM,OAAO,CAACL,eAAe,GAAGA,eAAe,CAAA;MAEzC,MAAA,OAAA,MAAaha,IAAI,CAAAoC,uBAAAA,CAAAA,MAAA,CAA4ByX,QAAQ,OAAAzX,MAAA,CAAI0X,SAAS,EAAA,GAAA,CAAA,CAAA1X,MAAA,CAAI+X,UAAU,CAAI3b,EAAAA,SAAS,EAAA6Y,cAAA,CAAA;MACzFiD,QAAAA,SAAS,EAAED,OAAAA;MAAO,OAAA,EACfpc,IAAI,CACT,CAAA,CAAA;WACL,CAAA,CAAA;MAAA,IAAA,OAAAic,kBAAA,CAAAvc,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,GAAA;MAED,EAAA,OAAOqc,iBAAiB,CAAA;MAC5B,CAAA;MAQO,SAASM,kBAAkBA,CAAClC,QAAoB,EAAQ;MAC3D9X,EAAAA,OAAO,CAAC8Y,iBAAiB,EAAEhB,QAAQ,CAAC,CAAA;MACxC,CAAA;MAOO,SAASmC,cAAcA,GAAe;MACzC,EAAA,OAAO7Z,MAAM,CAAa0Y,iBAAiB,EAAE,MAAM,EAElD,CAAC,CAAA;MACN,CAAA;MAQO,SAASoB,iCAAiCA,GAA8C;QAC3F,IAAMC,SAAyB,GAAG,EAAE,CAAA;MAEpCna,EAAAA,OAAO,CAAC+Y,gCAAgC,EAAEoB,SAAS,CAAC,CAAA;QAEpD,OAAO;UACHC,MAAM,EAAEA,MAAY;MAChB,MAAA,KAAA,IAAA3C,EAAA,GAAA,CAAA,EAAA4C,UAAA,GAAgBF,SAAS,EAAA1C,EAAA,GAAA4C,UAAA,CAAArc,MAAA,EAAAyZ,EAAA,EAAE,EAAA;MAAtB,QAAA,IAAMzR,CAAC,GAAAqU,UAAA,CAAA5C,EAAA,CAAA,CAAA;MACRzR,QAAAA,CAAC,EAAE,CAAA;MACP,OAAA;WACH;UAEDsU,KAAK,EAAEA,MAAY;YACfH,SAAS,CAAClC,MAAM,CAAC,CAAC,EAAEkC,SAAS,CAACnc,MAAM,CAAC,CAAA;MACzC,KAAA;SACH,CAAA;MACL,CAAA;MAQO,SAASuc,4BAA4BA,CAACzC,QAAoB,EAAQ;MACrE,EAAA,IAAMqC,SAAS,GAAG/Z,MAAM,CAAiB2Y,gCAAgC,CAAC,CAAA;QAE1E,IAAIoB,SAAS,KAAKlc,SAAS,EAAE;MACzBkc,IAAAA,SAAS,CAACtW,IAAI,CAACiU,QAAQ,CAAC,CAAA;MAC5B,GAAA;MACJ,CAAA;MAOO,SAAS0C,oBAAoBA,CAACC,OAAoB,EAAQ;MAC7Dza,EAAAA,OAAO,CAACgZ,mBAAmB,EAAEyB,OAAO,CAAC,CAAA;MACzC,CAAA;MAOO,SAASC,gBAAgBA,GAAW;MACvC,EAAA,IAAMD,OAAO,GAAGra,MAAM,CAAc4Y,mBAAmB,CAAC,CAAA;QAExD,IAAI,CAACyB,OAAO,EAAE;MACV,IAAA,OAAO,EAAE,CAAA;MACb,GAAA;QAEA,OAAOA,OAAO,CAACvY,KAAK,CAAA;MACxB,CAAA;MAQO,SAASyY,sBAAsBA,CAACC,GAAe,EAAQ;MAC1D5a,EAAAA,OAAO,CAACiZ,qBAAqB,EAAE2B,GAAG,CAAC,CAAA;MACvC,CAAA;MAUO,SAASC,kBAAkBA,GAAe;QAC7C,OAAOza,MAAM,CAAa6Y,qBAAqB,EAAE,MAAMtC,aAAa,EAAE,EAAE,IAAI,CAAC,CAAA;MACjF,CAAA;MAyBO,SAASmE,yBAAyBA,CAAiHC,GAAM,EAAEC,YAAe,EAAE9Y,KAAW,EAAQ;MAClM,EAAA,IAAI,CAAC6Y,GAAG,CAACE,QAAQ,EAAE;MACfF,IAAAA,GAAG,CAACE,QAAQ,GAAG,EAA6B,CAAA;MAChD,GAAA;MAEAF,EAAAA,GAAG,CAACE,QAAQ,CAACD,YAAY,CAAC,GAAG9Y,KAAK,CAAA;MAElC,EAAA,IAAI,CAAC6Y,GAAG,CAACG,eAAe,EAAE;UACtBH,GAAG,CAACG,eAAe,GAAG,EAAE,CAAA;MAC5B,GAAA;QAEA,IAAI,CAACH,GAAG,CAACG,eAAe,CAAC5Q,QAAQ,CAAC0Q,YAAY,CAAC,EAAE;MAC7CD,IAAAA,GAAG,CAACG,eAAe,CAACrX,IAAI,CAACmX,YAAY,CAAC,CAAA;MAC1C,GAAA;MACJ,CAAA;MAUO,SAASG,qBAAqBA,CAAgEJ,GAA0B,EAAEC,YAAe,EAAE9Y,KAAW,EAAQ;MACjK,EAAA,IAAI,CAAC6Y,GAAG,CAACK,GAAG,EAAE;MACVL,IAAAA,GAAG,CAACK,GAAG,GAAG,EAAkC,CAAA;MAChD,GAAA;MAEAL,EAAAA,GAAG,CAACK,GAAG,CAACJ,YAAY,CAAC,GAAG9Y,KAAK,CAAA;MAE7B,EAAA,IAAI,CAAC6Y,GAAG,CAACG,eAAe,EAAE;UACtBH,GAAG,CAACG,eAAe,GAAG,EAAE,CAAA;MAC5B,GAAA;MAEA,EAAA,IAAI,CAACH,GAAG,CAACG,eAAe,CAACG,IAAI,CAACC,CAAC,IAAIA,CAAC,CAAChV,WAAW,EAAE,KAAK0U,YAAY,CAAC1U,WAAW,EAAE,CAAC,EAAE;MAChFyU,IAAAA,GAAG,CAACG,eAAe,CAACrX,IAAI,CAACmX,YAAY,CAAC,CAAA;MAC1C,GAAA;MACJ,CAAA;MAaO,SAASO,kBAAkBA,CAACC,SAAiB,EAAEjC,SAAe,EAAEkC,SAAmB,EAAW;MACjG,EAAA,IAAMC,EAAE,GAAG,IAAIvE,WAAW,CAACqE,SAAS,EAAE;MAClCG,IAAAA,UAAU,EAAE,IAAI;MAChBvE,IAAAA,MAAM,EAAE;MACJ5Q,MAAAA,IAAI,EAAE+S,SAAS;MACf7b,MAAAA,IAAI,EAAE+d,SAAAA;MACV,KAAA;MACJ,GAAC,CAAC,CAAA;MAEF,EAAA,OAAOxE,QAAQ,CAACoB,aAAa,CAACqD,EAAE,CAAC,CAAA;MACrC,CAAA;MAUO,SAASE,YAAYA,CAAoB/a,KAAY,EAA2C;MACnG,EAAA,OAAO,MAAM,IAAIA,KAAK,IAAI,MAAM,IAAIA,KAAK,CAAA;MAC7C,CAAA;MAIA,IAAMgb,oBAAoB,GAAGhc,MAAM,CAAC,gBAAgB,CAAC,CAAA;MACrD,IAAMic,oBAAoB,GAAGjc,MAAM,CAAC,gBAAgB,CAAC,CAAA;MAyB9C,SAASkc,oBAAoBA,CAACpa,OAAoC,EAA8B;QACnG,IAAMqa,aAAa,GAAGC,gBAAgB,CAACta,OAAO,CAACua,WAAW,CAACC,kBAAkB,CAAW,CAAA;QAExFC,oBAAoB,CAACJ,aAAa,CAAC,CAAA;MAEnC,EAAA,IAAIra,OAAO,CAACua,WAAW,CAACG,cAAc,EAAE;MACpCC,IAAAA,qBAAqB,CAAC3a,OAAO,CAACua,WAAW,CAACG,cAAc,CAAW,CAAA;MACvE,GAAA;MAEA,EAAA,IAAI1a,OAAO,CAACua,WAAW,CAACK,cAAc,EAAE;MACpCC,IAAAA,qBAAqB,CAAC7a,OAAO,CAACua,WAAW,CAACK,cAAc,CAAS,CAAA;MACrE,GAAA;MAEA,EAAA,IAAME,MAAM,GAAG9a,OAAO,CAAC8a,MAAM,CAAA;QAE7B,IAAMve,MAA+B,GAAG,EAAE,CAAA;MAE1C,EAAA,IAAIue,MAAM,EAAE;UACR,IAAM/C,iBAAiB,GAAGP,oBAAoB,EAAE,CAAA;MAChD,IAAA,IAAMuD,yBAAyB,GAAGrH,QAAQ,CAAC,MAAMsH,6BAA6B,CAACF,MAAM,EAAE/C,iBAAiB,CAAC,EAAEzb,SAAS,EAAE,IAAI,CAAC,CAAA;MAE3HC,IAAAA,MAAM,CAAC0e,iBAAiB,GAAI5B,YAAoB,IAAW;MAGvD,MAAA,IAAI,CAACrZ,OAAO,CAACua,WAAW,CAACW,4BAA4B,IAAI,CAAElb,OAAO,CAACua,WAAW,CAACW,4BAA4B,CAAcxB,IAAI,CAACxO,CAAC,IAAIA,CAAC,CAACvG,WAAW,EAAE,KAAK0U,YAAY,CAAC1U,WAAW,EAAE,CAAC,EAAE;MAChL,QAAA,OAAA;MACJ,OAAA;MAEAoW,MAAAA,yBAAyB,EAAE,CAAA;WAC9B,CAAA;MACL,GAAA;MAEA,EAAA,OAAOxe,MAAM,CAAA;MACjB,CAAA;MAOO,SAASoe,qBAAqBA,CAACjF,IAAY,EAAQ;MACtDrX,EAAAA,OAAO,CAAC6b,oBAAoB,EAAExE,IAAI,CAAC,CAAA;MACvC,CAAA;MAOO,SAASyF,iBAAiBA,GAAuB;MACpD,EAAA,OAAO1c,MAAM,CAAqByb,oBAAoB,EAAE5d,SAAS,CAAC,CAAA;MACtE,CAAA;MAOO,SAASue,qBAAqBA,CAAChW,IAAU,EAAQ;MACpDxG,EAAAA,OAAO,CAAC8b,oBAAoB,EAAEtV,IAAI,CAAC,CAAA;MACvC,CAAA;MAOO,SAASuW,iBAAiBA,GAAqB;MAClD,EAAA,OAAO3c,MAAM,CAAqB0b,oBAAoB,EAAE7d,SAAS,CAAC,CAAA;MACtE,CAAA;MAMA,IAAM+e,mBAAmB,GAAGnd,MAAM,EAAE,CAAA;MAY7B,SAASoc,gBAAgBA,CAACtH,KAAgC,EAAiB;MAE9E,EAAA,IAAMsI,QAAQ,GAAGC,GAAG,CAACvI,KAAK,IAAI,IAAI,CAAC,CAAA;QACnC,IAAM+E,iBAAiB,GAAGP,oBAAoB,EAAE,CAAA;QAChD,IAAIgE,cAAqC,GAAG,IAAI,CAAA;MAGhD,EAAA,IAAMC,UAAU,GAAA,YAAA;MAAA,IAAA,IAAApH,IAAA,GAAA1Y,iBAAA,CAAG,aAA2B;MAC1C,MAAA,IAAMY,MAAM,GAAA,MAASwb,iBAAiB,CAAS,yBAAyB,CAAC,CAAA;MAEzE,MAAA,IAAIxb,MAAM,CAACE,SAAS,IAAIF,MAAM,CAACR,IAAI,EAAE;MACjCuf,QAAAA,QAAQ,CAAC/a,KAAK,GAAGhE,MAAM,CAACR,IAAI,CAAA;MAE5B2f,QAAAA,eAAe,EAAE,CAAA;MACrB,OAAA;WACH,CAAA,CAAA;MAAA,IAAA,OAAA,SARKD,UAAUA,GAAA;MAAA,MAAA,OAAApH,IAAA,CAAA5Y,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,KAAA,CAAA;SAQf,EAAA,CAAA;QAID,IAAMggB,eAAe,GAAGA,MAAY;MAAA,IAAA,IAAAC,eAAA,CAAA;UAEhC,IAAIH,cAAc,KAAK,IAAI,EAAE;YACzBzH,YAAY,CAACyH,cAAc,CAAC,CAAA;MAC5BA,MAAAA,cAAc,GAAG,IAAI,CAAA;MACzB,KAAA;MAGA,IAAA,IAAIF,QAAQ,CAAC/a,KAAK,KAAK,IAAI,EAAE;MACzB,MAAA,OAAA;MACJ,KAAA;MAEA,IAAA,IAAMqb,QAAQ,GAAA,CAAAD,eAAA,GAAGL,QAAQ,CAAC/a,KAAK,MAAAob,IAAAA,IAAAA,eAAA,uBAAdA,eAAA,CAAgBxU,KAAK,CAAC,GAAG,CAAC,CAAA;MAG3C,IAAA,IAAIyU,QAAQ,CAACvf,MAAM,KAAK,CAAC,IAAIuf,QAAQ,CAAC,CAAC,CAAC,KAAK,GAAG,EAAE;MAC9C,MAAA,OAAA;MACJ,KAAA;UAEA,IAAMC,eAAe,GAAG1P,YAAY,CAACc,QAAQ,CAAC2O,QAAQ,CAAC,CAAC,CAAC,CAAC,CAAA;UAG1D,IAAIC,eAAe,KAAK,IAAI,EAAE;MAC1B,MAAA,OAAA;MACJ,KAAA;MAEA,IAAA,IAAMC,YAAY,GAAGD,eAAe,CAAC5M,UAAU,CAAC,CAAC,EAAE,CAAC,CAACQ,cAAc,EAAE,GAAGtD,YAAY,CAACoB,GAAG,EAAE,CAACkC,cAAc,EAAE,CAAA;UAG3G,IAAIqM,YAAY,GAAG,CAAC,EAAE;MAClB,MAAA,OAAA;MACJ,KAAA;MAGAN,IAAAA,cAAc,GAAG1J,UAAU,CAAC2J,UAAU,EAAEK,YAAY,CAAC,CAAA;SACxD,CAAA;MAEDJ,EAAAA,eAAe,EAAE,CAAA;QAEjB,OAAO;MACH1I,IAAAA,KAAK,EAAEsI,QAAQ;UACfS,WAAWA,CAACC,QAAQ,EAAE;MAClBV,MAAAA,QAAQ,CAAC/a,KAAK,GAAGyb,QAAQ,IAAI,IAAI,CAAA;MACjCN,MAAAA,eAAe,EAAE,CAAA;MACrB,KAAA;SACH,CAAA;MACL,CAAA;MAOO,SAASjB,oBAAoBA,CAACwB,KAAoB,EAAQ;MAC7D5d,EAAAA,OAAO,CAACgd,mBAAmB,EAAEY,KAAK,CAAC,CAAA;MACvC,CAAA;MASO,SAASC,qBAAqBA,GAAuB;MACxD,EAAA,IAAMD,KAAK,GAAGxd,MAAM,CAAgB4c,mBAAmB,CAAC,CAAA;QAExD,OAAOY,KAAK,GAAGA,KAAK,CAACjJ,KAAK,GAAGuI,GAAG,CAAC,IAAI,CAAC,CAAA;MAC1C,CAAA;MAiBO,SAASY,oBAAoBA,CAA8BC,YAAoC,EAAEzJ,IAA8B,EAAQ;MAAA,EAAA,IAAA7H,SAAA,GAAAC,0BAAA,CACpHqR,YAAY,CAAA;UAAApR,KAAA,CAAA;MAAA,EAAA,IAAA;UAAA,IAAAqR,KAAA,GAAAA,SAAAA,KAAAA,GAAE;MAAA,MAAA,IAAzBC,OAAO,GAAAtR,KAAA,CAAAzK,KAAA,CAAA;YACdgc,KAAK,CAACD,OAAO,EAAE,MAAM;MACjB,QAAA,IAAIA,OAAO,CAACnE,OAAO,CAACkB,YAAY,EAAE;gBAC9B1G,IAAI,CAAC,iBAAiB,EAAE2J,OAAO,CAACnE,OAAO,CAACkB,YAAY,CAAC,CAAA;MACzD,SAAA;MACJ,OAAC,CAAC,CAAA;WACL,CAAA;UAND,KAAAvO,SAAA,CAAAG,CAAA,EAAAD,EAAAA,CAAAA,CAAAA,KAAA,GAAAF,SAAA,CAAAI,CAAA,EAAA,EAAAC,IAAA,GAAA;YAAAkR,KAAA,EAAA,CAAA;MAAA,KAAA;MAMC,GAAA,CAAA,OAAAjR,GAAA,EAAA;UAAAN,SAAA,CAAAjO,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,GAAA,SAAA;MAAAN,IAAAA,SAAA,CAAAO,CAAA,EAAA,CAAA;MAAA,GAAA;MACL,CAAA;MAAC,SAUc2P,6BAA6BA,CAAA3f,GAAA,EAAAC,GAAA,EAAA;MAAA,EAAA,OAAAkhB,8BAAA,CAAA/gB,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAAA,SAAA8gB,8BAAA,GAAA;MAAAA,EAAAA,8BAAA,GAAA7gB,iBAAA,CAA5C,WAAyEyd,GAAwC,EAAErB,iBAAwC,EAAiB;MACxK,IAAA,IAAMxb,MAAM,GAAA,MAASwb,iBAAiB,CAAiC,mBAAmB,EAAE;YACxFqB,GAAG,EAAEA,GAAG,CAAC7Y,KAAAA;MACb,KAAC,CAAC,CAAA;UAEF,IAAIhE,MAAM,CAACE,SAAS,EAAE;MAClB,MAAA,IAAIF,MAAM,CAACG,UAAU,KAAK,GAAG,IAAIH,MAAM,CAACR,IAAI,IAAIqd,GAAG,CAAC7Y,KAAK,EAAE;cAAA,IAAAkc,gBAAA,EAAAC,iBAAA,CAAA;cACvD,IAAMC,MAAsC,GAAAxH,cAAA,CAAAA,cAAA,CACrCiE,EAAAA,EAAAA,GAAG,CAAC7Y,KAAK,CAAA,EAAA,EAAA,EAAA;gBACZkZ,GAAG,EAAAtE,cAAA,CAAAA,cAAA,KACIiE,GAAG,CAAC7Y,KAAK,CAACkZ,GAAG,CAAA,EAAA,EAAA,EAAA;MAChBmD,YAAAA,UAAU,EAAAH,CAAAA,gBAAA,GAAElgB,MAAM,CAACR,IAAI,CAAC0d,GAAG,MAAAgD,IAAAA,IAAAA,gBAAA,KAAfA,KAAAA,CAAAA,GAAAA,KAAAA,CAAAA,GAAAA,gBAAA,CAAiBG,UAAU;MACvCC,YAAAA,eAAe,EAAAH,CAAAA,iBAAA,GAAEngB,MAAM,CAACR,IAAI,CAAC0d,GAAG,MAAAiD,IAAAA,IAAAA,iBAAA,KAAfA,KAAAA,CAAAA,GAAAA,KAAAA,CAAAA,GAAAA,iBAAA,CAAiBG,eAAAA;MAAe,WAAA,CAAA;eAExD,CAAA,CAAA;cAEDzD,GAAG,CAAC7Y,KAAK,GAAGoc,MAAM,CAAA;MACtB,OAAA;MACJ,KAAA;SACH,CAAA,CAAA;MAAA,EAAA,OAAAH,8BAAA,CAAA/gB,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAYD,SAAsBohB,uBAAuBA,CAAAvhB,GAAA,EAAAW,GAAA,EAAAC,GAAA,EAAA;MAAA,EAAA,OAAA4gB,wBAAA,CAAAthB,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAsB5C,SAAAqhB,wBAAA,GAAA;QAAAA,wBAAA,GAAAphB,iBAAA,CAtBM,WAAmD8d,GAAoB,EAAEF,eAAyB,EAAExB,iBAAwC,EAAiB;MAChK,IAAA,IAAMhc,IAAsC,GAAG;YAC3C+e,MAAM,EAAErB,GAAG,CAAClZ,KAAK;MACjByc,MAAAA,UAAU,EAAE,IAAI;MAChBzD,MAAAA,eAAe,EAAEA,eAAAA;WACpB,CAAA;MAED,IAAA,IAAMhd,MAAM,GAAA,MAASwb,iBAAiB,CAAmD,mBAAmB,EAAE;MAC1GqB,MAAAA,GAAG,EAAErd,IAAAA;MACT,KAAC,CAAC,CAAA;UAEF,IAAIQ,MAAM,CAACE,SAAS,EAAE;MAClB,MAAA,IAAIF,MAAM,CAACG,UAAU,KAAK,GAAG,IAAIH,MAAM,CAACR,IAAI,IAAI0d,GAAG,CAAClZ,KAAK,EAAE;cAAA,IAAA0c,mBAAA,EAAAC,oBAAA,CAAA;cACvD,IAAMC,MAAkB,GAAAhI,cAAA,CAAAA,cAAA,CACjBsE,EAAAA,EAAAA,GAAG,CAAClZ,KAAK,CAAA,EAAA,EAAA,EAAA;MACZqc,UAAAA,UAAU,EAAAK,CAAAA,mBAAA,GAAE1gB,MAAM,CAACR,IAAI,CAAC+e,MAAM,MAAAmC,IAAAA,IAAAA,mBAAA,KAAlBA,KAAAA,CAAAA,GAAAA,KAAAA,CAAAA,GAAAA,mBAAA,CAAoBL,UAAU;MAC1CC,UAAAA,eAAe,EAAAK,CAAAA,oBAAA,GAAE3gB,MAAM,CAACR,IAAI,CAAC+e,MAAM,MAAAoC,IAAAA,IAAAA,oBAAA,KAAlBA,KAAAA,CAAAA,GAAAA,KAAAA,CAAAA,GAAAA,oBAAA,CAAoBL,eAAAA;eACxC,CAAA,CAAA;cAEDpD,GAAG,CAAClZ,KAAK,GAAG4c,MAAM,CAAA;MACtB,OAAA;MACJ,KAAA;SACH,CAAA,CAAA;MAAA,EAAA,OAAAJ,wBAAA,CAAAthB,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAMD,IAAM0hB,eAAe,GAAGlf,MAAM,CAAC,YAAY,CAAC,CAAA;MAC5C,IAAMmf,mBAAmB,GAAGnf,MAAM,CAAC,iBAAiB,CAAC,CAAA;MAQ9C,SAASof,gBAAgBA,CAAC1F,SAAiB,EAAQ;MACtDvZ,EAAAA,OAAO,CAAC+e,eAAe,EAAExF,SAAS,CAAC,CAAA;MACvC,CAAA;MAOO,SAAS2F,YAAYA,GAAqB;QAC7C,OAAO9e,MAAM,CAAO2e,eAAe,CAAC,CAAA;MACxC,CAAA;MAQO,SAASI,oBAAoBA,CAACC,aAAqB,EAAQ;MAC9Dpf,EAAAA,OAAO,CAACgf,mBAAmB,EAAEI,aAAa,CAAC,CAAA;MAC/C,CAAA;MAQO,SAASC,gBAAgBA,GAAqB;QACjD,OAAOjf,MAAM,CAAO4e,mBAAmB,CAAC,CAAA;MAC5C,CAAA;MAMA,IAAMM,6BAA6B,GAAGzf,MAAM,EAAE,CAAA;MAG9C,IAAM0f,gBAA6C,GAAG;MAClDC,EAAAA,QAAQA,GAAW;MACf,IAAA,OAAO,EAAE,CAAA;SACZ;QACDC,QAAQA,GAAS,EAEhB;MACDC,EAAAA,OAAOA,GAAa;MAChB,IAAA,OAAO,EAAE,CAAA;SACZ;MACDC,EAAAA,WAAWA,GAAY;MACnB,IAAA,OAAO,KAAK,CAAA;SACf;MACDC,EAAAA,IAAIA,GAAkB;UAClB,OAAOC,OAAO,CAACC,OAAO,EAAE,CAAA;SAC3B;MACDC,EAAAA,UAAUA,GAAgC;MACtC,IAAA,OAAOR,gBAAgB,CAAA;SAC1B;QACD/K,EAAEA,GAAS,EAEV;QACDwL,GAAGA,GAAS,EAEZ;MACJ,CAAC,CAAA;MAED,IAAMC,uBAAwD,GAAG;MAC7DC,EAAAA,gBAAgB,EAAEX,gBAAgB;MAClCY,EAAAA,oBAAoBA,GAAG;MACnB,IAAA,OAAON,OAAO,CAACC,OAAO,CAACP,gBAAgB,CAAC,CAAA;SAC3C;MACDa,EAAAA,oBAAoBA,GAAG;MACnB,IAAA,OAAOP,OAAO,CAACC,OAAO,CAACP,gBAAgB,CAAC,CAAA;MAC5C,GAAA;MACJ,CAAC,CAAA;MAUM,SAASc,wBAAwBA,CAACC,QAAyC,EAAQ;MACtFtgB,EAAAA,OAAO,CAACsf,6BAA6B,EAAEgB,QAAQ,CAAC,CAAA;MACpD,CAAA;MAQO,SAASC,oBAAoBA,GAAoC;MAAA,EAAA,IAAAC,OAAA,CAAA;QACpE,OAAAA,CAAAA,OAAA,GAAOpgB,MAAM,CAAkCkf,6BAA6B,CAAC,MAAA,IAAA,IAAAkB,OAAA,KAAA,KAAA,CAAA,GAAAA,OAAA,GACtEP,uBAAuB,CAAA;MAClC;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;MC7rBO,SAASQ,eAAeA,CAAC/c,GAAY,EAAkB;MAC1D,EAAA,IAAIA,GAAG,KAAKzF,SAAS,IAAIyF,GAAG,KAAK,IAAI,EAAE;MACnC,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;MAEA,EAAA,IAAI,OAAOA,GAAG,KAAK,SAAS,EAAE;MAC1B,IAAA,OAAOA,GAAG,CAAA;MACd,GAAA;MAEA,EAAA,IAAI,OAAOA,GAAG,KAAK,QAAQ,EAAE;UACzB,IAAMgd,QAAQ,GAAG,CAAChd,GAAG,IAAI,EAAE,EAAEoD,IAAI,EAAE,CAACR,WAAW,EAAE,CAAA;UAEjD,IAAI,CAACoa,QAAQ,EAAE;MACX,MAAA,OAAO,IAAI,CAAA;MACf,KAAA;MAEA,IAAA,OAAO,CAAC,MAAM,EAAE,KAAK,EAAE,GAAG,EAAE,GAAG,EAAE,GAAG,CAAC,CAACC,OAAO,CAACD,QAAQ,CAAC,KAAK,CAAC,CAAC,CAAA;MAClE,GAAA;MAEA,EAAA,IAAI,OAAOhd,GAAG,KAAK,QAAQ,EAAE;UACzB,OAAO,CAAC,CAACA,GAAG,CAAA;MAChB,GAAA;MAEA,EAAA,OAAO,IAAI,CAAA;MACf,CAAA;MAMO,SAASkd,SAASA,CAACld,GAAY,EAAW;MAC7C,EAAA,OAAO,CAAC,CAAC+c,eAAe,CAAC/c,GAAG,CAAC,CAAA;MACjC,CAAA;MAGO,SAASmd,aAAaA,CAACnd,GAAY,EAAuB;MAC7D,EAAA,IAAMod,UAAU,GAAGL,eAAe,CAAC/c,GAAG,CAAC,CAAA;QAEvC,IAAIod,UAAU,KAAK,IAAI,EAAE;MACrB,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;MAEA,EAAA,OAAOA,UAAU,GAAG,KAAK,GAAG,IAAI,CAAA;MACpC,CAAA;MAGO,SAASC,iBAAiBA,CAACrd,GAAY,EAA2B;MACrE,EAAA,IAAMod,UAAU,GAAGL,eAAe,CAAC/c,GAAG,CAAC,CAAA;QAEvC,IAAIod,UAAU,KAAK,IAAI,EAAE;MACrB,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;MAEA,EAAA,OAAOA,UAAU,GAAG,MAAM,GAAG,OAAO,CAAA;MACxC,CAAA;MAGO,SAASE,mBAAmBA,CAACtd,GAAY,EAAoB;MAChE,EAAA,IAAMod,UAAU,GAAGL,eAAe,CAAC/c,GAAG,CAAC,CAAA;MAEvC,EAAA,OAAOod,UAAU,GAAG,MAAM,GAAG,OAAO,CAAA;MACxC;;;;;;;;;;;;MCnDA,SAASG,GAAGA,CAAIC,GAAW,EAAEhf,KAAQ,EAAkD;MAAA,EAAA,IAAhDif,YAAiC,GAAA9jB,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAG,IAAI,CAAA;MAC3E,EAAA,IAAI+jB,UAAkB,CAAA;MAEtB,EAAA,IAAID,YAAY,EAAE;MACdC,IAAAA,UAAU,GAAGD,YAAY,CAAC/P,cAAc,EAAE,CAAA;MAC9C,GAAC,MACI;MAEDgQ,IAAAA,UAAU,GAAGtT,YAAY,CAACoB,GAAG,EAAE,CAAC0B,UAAU,CAAC,CAAC,CAAC,CAACQ,cAAc,EAAE,CAAA;MAClE,GAAA;MAEA,EAAA,IAAMiQ,KAAoB,GAAG;UAAED,UAAU;MAAElf,IAAAA,KAAAA;SAAO,CAAA;MAClD,EAAA,IAAMof,SAAS,GAAGC,IAAI,CAACC,SAAS,CAACH,KAAK,CAAC,CAAA;MACvCI,EAAAA,cAAc,CAACC,OAAO,CAACR,GAAG,EAAEI,SAAS,CAAC,CAAA;MAC1C,CAAA;MAMA,SAAShiB,GAAGA,CAAI4hB,GAAW,EAAY;MACnC,EAAA,IAAMI,SAAS,GAAGG,cAAc,CAACE,OAAO,CAACT,GAAG,CAAC,CAAA;QAE7C,IAAI,CAACI,SAAS,EAAE;MACZ,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;MAEA,EAAA,IAAMD,KAAK,GAAGE,IAAI,CAACK,KAAK,CAACN,SAAS,CAAkB,CAAA;MAEpD,EAAA,IAAI,CAACD,KAAK,IAAI,CAACA,KAAK,CAACD,UAAU,EAAE;MAC7B,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;QAEA,IAAIC,KAAK,CAACD,UAAU,GAAGtT,YAAY,CAACoB,GAAG,EAAE,CAACkC,cAAc,EAAE,EAAE;MACxD,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;QAEA,OAAOiQ,KAAK,CAACnf,KAAK,CAAA;MACtB,CAAA;MAEA,IAAM2f,YAA0D,GAAG,EAAE,CAAA;MAarE,SAASC,mBAAmBA,CAAIZ,GAAW,EAAE5L,EAAoB,EAA4D;MAAA,EAAA,IAA1D8L,UAA+B,GAAA/jB,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAG,IAAI,CAAA;QACrG,OAAAC,iBAAA,CAAO,aAA8B;MAAA,IAAA,IAAAykB,iBAAA,CAAA;MAEjC,IAAA,IAAMC,YAAY,GAAG1iB,GAAG,CAAI4hB,GAAG,CAAC,CAAA;MAChC,IAAA,IAAIc,YAAY,EAAE;MACd,MAAA,OAAOA,YAAY,CAAA;MACvB,KAAA;MAIA,IAAA,IAAIH,YAAY,CAACX,GAAG,CAAC,EAAE;YACnB,OAAOW,YAAY,CAACX,GAAG,CAAC,CAAA;MAC5B,KAAA;MAGAW,IAAAA,YAAY,CAACX,GAAG,CAAC,GAAG5L,EAAE,EAAE,CAAA;MAGxB,IAAA,CAAAyM,iBAAA,GAAAF,YAAY,CAACX,GAAG,CAAC,MAAA,IAAA,IAAAa,iBAAA,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAjBA,iBAAA,CAAmBE,IAAI,CAAE/jB,MAAM,IAAK;MAChC+iB,MAAAA,GAAG,CAACC,GAAG,EAAEhjB,MAAM,EAAEkjB,UAAU,CAAC,CAAA;YAC5B,OAAOS,YAAY,CAACX,GAAG,CAAC,CAAA;MACxB,MAAA,OAAOhjB,MAAM,CAAA;MACjB,KAAC,CAAC,CAACgkB,KAAK,CAAE1jB,CAAQ,IAAK;YAEnB,OAAOqjB,YAAY,CAACX,GAAG,CAAC,CAAA;MACxB,MAAA,MAAM1iB,CAAC,CAAA;MACX,KAAC,CAAC,CAAA;UAEF,OAAOqjB,YAAY,CAACX,GAAG,CAAC,CAAA;SAC3B,CAAA,CAAA;MACL,CAAA;AAGA,kBAAe;QACXD,GAAG;QACH3hB,GAAG;MACHwiB,EAAAA,mBAAmB,EAAEA,mBAAAA;MACzB,CAAC;;;;;;;;MCpGD,IAAMK,cAAc,GAAGtiB,MAAM,CAAC,cAAc,CAAC,CAAA;MAqCtC,MAAMuiB,qBAAqB,CAA8B;QAc5D5d,WAAWA,CAAC6d,cAA6C,EAAE;MACvD,IAAA,IAAI,CAACC,YAAY,GAAGxc,OAAO,EAAE,CAAA;UAC7B,IAAI,CAACuc,cAAc,GAAGA,cAAc,CAAA;UACpC,IAAI,CAACE,iBAAiB,GAAG,EAAE,CAAA;UAC3B,IAAI,CAACC,gBAAgB,GAAG,EAAE,CAAA;MAC9B,GAAA;MAMQC,EAAAA,qBAAqBA,GAAS;MAMlCC,IAAAA,QAAQ,CAAC,MAAM;MAGX,MAAA,IAAI,IAAI,CAACH,iBAAiB,CAACvkB,MAAM,KAAK,CAAC,EAAE;MACrC,QAAA,OAAA;MACJ,OAAA;MAAC,MAAA,IAAAyO,SAAA,GAAAC,0BAAA,CAGqB,IAAI,CAAC8V,gBAAgB,CAAA;cAAA7V,KAAA,CAAA;MAAA,MAAA,IAAA;cAA3C,KAAAF,SAAA,CAAAG,CAAA,EAAAD,EAAAA,CAAAA,CAAAA,KAAA,GAAAF,SAAA,CAAAI,CAAA,EAAAC,EAAAA,IAAA,GAA6C;MAAA,UAAA,IAAlC6K,OAAO,GAAAhL,KAAA,CAAAzK,KAAA,CAAA;MACdyV,UAAAA,OAAO,EAAE,CAAA;MACb,SAAA;MAAC,OAAA,CAAA,OAAA5K,GAAA,EAAA;cAAAN,SAAA,CAAAjO,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,OAAA,SAAA;MAAAN,QAAAA,SAAA,CAAAO,CAAA,EAAA,CAAA;MAAA,OAAA;YACD,IAAI,CAACwV,gBAAgB,GAAG,EAAE,CAAA;YAG1B,IAAI,IAAI,CAACH,cAAc,EAAE;cACrB,IAAI,CAACA,cAAc,CAACM,sBAAsB,CAAC,IAAI,CAACL,YAAY,CAAC,CAAA;MACjE,OAAA;MACJ,KAAC,CAAC,CAAA;MACN,GAAA;QAQOM,YAAYA,CAACC,SAA2B,EAAQ;UACnD,IAAMP,YAAY,GAAGxc,OAAO,EAAE,CAAA;MAE9B,IAAA,IAAI,CAACgd,mBAAmB,CAACR,YAAY,CAAC,CAAA;UAEtCO,SAAS,CAACZ,IAAI,CAAC,MAAM,IAAI,CAACU,sBAAsB,CAACL,YAAY,CAAC,CAAC,CAC1DJ,KAAK,CAAC,MAAM,IAAI,CAACS,sBAAsB,CAACL,YAAY,CAAC,CAAC,CAAA;MAC/D,GAAA;QAOOQ,mBAAmBA,CAAC5B,GAAS,EAAQ;MACxC,IAAA,IAAI,CAACqB,iBAAiB,CAAC1e,IAAI,CAACqd,GAAG,CAAC,CAAA;UAGhC,IAAI,IAAI,CAACqB,iBAAiB,CAACvkB,MAAM,KAAK,CAAC,IAAI,IAAI,CAACqkB,cAAc,EAAE;YAC5D,IAAI,CAACA,cAAc,CAACS,mBAAmB,CAAC,IAAI,CAACR,YAAY,CAAC,CAAA;MAC9D,KAAA;MACJ,GAAA;QAOOK,sBAAsBA,CAACzB,GAAS,EAAQ;UAC3C,IAAM6B,KAAK,GAAG,IAAI,CAACR,iBAAiB,CAAC5B,OAAO,CAACO,GAAG,CAAC,CAAA;MAEjD,IAAA,IAAI6B,KAAK,KAAK,CAAC,CAAC,EAAE;YACd,IAAI,CAACR,iBAAiB,CAACtK,MAAM,CAAC8K,KAAK,EAAE,CAAC,CAAC,CAAA;MAC3C,KAAA;MAGA,IAAA,IAAI,IAAI,CAACR,iBAAiB,CAACvkB,MAAM,KAAK,CAAC,EAAE;YACrC,IAAI,CAACykB,qBAAqB,EAAE,CAAA;MAChC,KAAA;MACJ,GAAA;MAQOO,EAAAA,oBAAoBA,GAAY;MACnC,IAAA,OAAO,IAAI,CAACT,iBAAiB,CAACvkB,MAAM,GAAG,CAAC,CAAA;MAC5C,GAAA;QAWOilB,kBAAkBA,CAACnL,QAAoB,EAAQ;MAClD,IAAA,IAAI,CAAC0K,gBAAgB,CAAC3e,IAAI,CAACiU,QAAQ,CAAC,CAAA;MACxC,GAAA;MACJ,CAAA;MAOO,SAASoL,eAAeA,CAAC5C,QAA2B,EAAQ;MAC/DtgB,EAAAA,OAAO,CAACmiB,cAAc,EAAE7B,QAAQ,CAAC,CAAA;MACrC,CAAA;MAOO,SAAS6C,WAAWA,GAAkC;QACzD,OAAO/iB,MAAM,CAAoB+hB,cAAc,CAAC,CAAA;MACpD;;;;;;;;;;MCtKO,SAASiB,iBAAiBA,CAAClb,GAAkB,EAAEmb,MAAe,EAA6C;MAAA,EAAA,IAA3C1hB,OAA4B,GAAAtE,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAG,EAAE,CAAA;QACpG,IAAI6K,GAAG,KAAK,IAAI,EAAE;MACd,IAAA,OAAO,EAAE,CAAA;MACb,GAAA;MAEA,EAAA,OAAOA,GAAG,CAACwJ,cAAc,CACrB,OAAO,EAAAoF,cAAA,CAAA;MAEHwM,IAAAA,qBAAqB,EAAED,MAAM;MAC7BE,IAAAA,qBAAqB,EAAEF,MAAM,KAAA,IAAA,IAANA,MAAM,KAAA,KAAA,CAAA,GAANA,MAAM,GAAI,CAAA;MAAC,GAAA,EAC/B1hB,OAAO,CAEjB,CAAA,CAAA;MACL,CAAA;MAOO,SAAS6hB,QAAQA,CAAChc,GAA4B,EAAU;MAC3D,EAAA,OAAOic,cAAc,CAACjc,GAAG,CAAC,IAAI,CAAC,CAAA;MACnC,CAAA;MAOO,SAASic,cAAcA,CAACjc,GAA4B,EAAiB;QACxE,IAAIA,GAAG,KAAK,IAAI,IAAIA,GAAG,KAAKvJ,SAAS,IAAIuJ,GAAG,KAAK,EAAE,EAAE;MACjD,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;MAEA,EAAA,IAAI,OAAOA,GAAG,KAAK,QAAQ,EAAE;MACzB,IAAA,OAAOA,GAAG,CAAA;MACd,GAAA;QAEA,IAAMkc,QAAQ,GAAGlc,GAAG,CAACzB,OAAO,CAAC,OAAO,EAAE,EAAE,CAAC,CAAA;MACzC,EAAA,IAAMmC,GAAG,GAAGyb,MAAM,CAACD,QAAQ,CAAC,CAAA;QAE5B,OAAO,CAAC3O,KAAK,CAAC7M,GAAG,CAAC,GAAGA,GAAG,GAAG,IAAI,CAAA;MACnC,CAAA;MAOO,SAAS0b,gBAAgBA,CAAC1hB,KAA8B,EAA8D;QAAA,IAAA2hB,oBAAA,EAAAC,qBAAA,CAAA;MAAA,EAAA,IAA5DC,YAAoC,GAAA1mB,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAG,IAAI,CAAA;MACxG,EAAA,IAAI,OAAO6E,KAAK,KAAK,QAAQ,EAAE;MAC3BA,IAAAA,KAAK,GAAGuhB,cAAc,CAACvhB,KAAK,CAAC,CAAA;MACjC,GAAA;MAEA,EAAA,IAAIA,KAAK,KAAK,IAAI,IAAIA,KAAK,KAAKjE,SAAS,EAAE;MACvC,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;MACA,EAAA,IAAM+lB,cAAc,GAAAH,CAAAA,oBAAA,GAAGE,YAAY,aAAZA,YAAY,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAZA,YAAY,CAAEE,MAAM,MAAAJ,IAAAA,IAAAA,oBAAA,KAAAA,KAAAA,CAAAA,GAAAA,oBAAA,GAAI,GAAG,CAAA;MAClD,EAAA,IAAMK,qBAAqB,GAAAJ,CAAAA,qBAAA,GAAGC,YAAY,aAAZA,YAAY,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAZA,YAAY,CAAEI,aAAa,MAAAL,IAAAA,IAAAA,qBAAA,KAAAA,KAAAA,CAAAA,GAAAA,qBAAA,GAAI,CAAC,CAAA;QAC9D,OAAAjiB,EAAAA,CAAAA,MAAA,CAAUmiB,cAAc,CAAAniB,CAAAA,MAAA,CAAGuhB,iBAAiB,CAAClhB,KAAK,EAAEgiB,qBAAqB,CAAC,CAAA,CAAA;MAC9E,CAAA;MAOO,SAASE,eAAeA,CAAClc,GAAmB,EAAU;QACzD,IAAI,CAACA,GAAG,EAAE;MACN,IAAA,OAAO,EAAE,CAAA;MACb,GAAA;MAEA,EAAA,IAAMmc,CAAC,GAAGnc,GAAG,GAAG,EAAE,CAAA;MAClB,EAAA,IAAM8D,CAAC,GAAG9D,GAAG,GAAG,GAAG,CAAA;MAEnB,EAAA,IAAImc,CAAC,IAAI,CAAC,IAAIrY,CAAC,IAAI,EAAE,EAAE;UACnB,OAAO9D,GAAG,GAAG,IAAI,CAAA;MACrB,GAAA;MACA,EAAA,IAAImc,CAAC,IAAI,CAAC,IAAIrY,CAAC,IAAI,EAAE,EAAE;UACnB,OAAO9D,GAAG,GAAG,IAAI,CAAA;MACrB,GAAA;MACA,EAAA,IAAImc,CAAC,IAAI,CAAC,IAAIrY,CAAC,IAAI,EAAE,EAAE;UACnB,OAAO9D,GAAG,GAAG,IAAI,CAAA;MACrB,GAAA;QACA,OAAOA,GAAG,GAAG,IAAI,CAAA;MACrB,CAAA;MAUO,SAASoc,SAASA,CAACpc,GAAmB,EAAU;QACnD,IAAI,CAACA,GAAG,EAAE;MACN,IAAA,OAAO,EAAE,CAAA;MACb,GAAA;MAEA,EAAA,QAAQA,GAAG;MACP,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,OAAO,CAAA;MACtB,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,QAAQ,CAAA;MACvB,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,OAAO,CAAA;MACtB,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,QAAQ,CAAA;MACvB,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,OAAO,CAAA;MACtB,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,OAAO,CAAA;MACtB,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,SAAS,CAAA;MACxB,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,QAAQ,CAAA;MACvB,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,OAAO,CAAA;MACtB,IAAA,KAAK,EAAE;MAAE,MAAA,OAAO,OAAO,CAAA;MACvB,IAAA;YAAS,OAAOkc,eAAe,CAAClc,GAAG,CAAC,CAAA;MAAC,GAAA;MAE7C,CAAA;MAUO,SAASqc,MAAMA,CAACrc,GAAmB,EAAU;MAChD,EAAA,IAAIA,GAAG,KAAK,IAAI,IAAIA,GAAG,KAAKjK,SAAS,EAAE;MACnC,IAAA,OAAO,EAAE,CAAA;MACb,GAAA;MAEA,EAAA,QAAQiK,GAAG;MACP,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,KAAK,CAAA;MACpB,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,KAAK,CAAA;MACpB,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,OAAO,CAAA;MACtB,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,MAAM,CAAA;MACrB,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,MAAM,CAAA;MACrB,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,KAAK,CAAA;MACpB,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,OAAO,CAAA;MACtB,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,OAAO,CAAA;MACtB,IAAA,KAAK,CAAC;MAAE,MAAA,OAAO,MAAM,CAAA;MACrB,IAAA,KAAK,EAAE;MAAE,MAAA,OAAO,KAAK,CAAA;MACrB,IAAA;YAAS,OAAArG,EAAAA,CAAAA,MAAA,CAAUqG,GAAG,CAAA,CAAA;MAAG,GAAA;MAEjC,CAAA;MAEO,SAASsc,OAAOA,CAACtc,GAAW,EAAElK,MAAc,EAAU;MACzD,EAAA,IAAIwJ,GAAG,GAAGU,GAAG,CAAC9B,QAAQ,EAAE,CAAA;MAExB,EAAA,OAAOoB,GAAG,CAACxJ,MAAM,GAAGA,MAAM,EAAE;UACxBwJ,GAAG,GAAG,GAAG,GAAGA,GAAG,CAAA;MACnB,GAAA;MAEA,EAAA,OAAOA,GAAG,CAAA;MACd,CAAA;MAEO,SAASid,eAAeA,CAACvc,GAAW,EAAEic,aAAqB,EAAU;MACxEA,EAAAA,aAAa,GAAGnjB,IAAI,CAACC,KAAK,CAACkjB,aAAa,CAAC,CAAA;QAEzC,OAAOnjB,IAAI,CAAC2R,KAAK,CAACzK,GAAG,GAAAlH,IAAA,CAAA0jB,GAAA,CAAG,EAAE,EAAIP,aAAa,EAAC,GAAAnjB,IAAA,CAAA0jB,GAAA,CAAG,EAAE,EAAIP,aAAa,CAAA,CAAA;MACtE,CAAA;MAeO,SAASQ,UAAUA,CAACC,IAAY,EAAU;MAC7C,EAAA,IAAMC,WAAW,GAAG;MAChB,IAAA,CAAC,EAAE,MAAM;MACT,IAAA,CAAC,EAAE,KAAK;MACR,IAAA,CAAC,EAAE,KAAK;MACR,IAAA,CAAC,EAAE,OAAO;MACV,IAAA,CAAC,EAAE,MAAM;MACT,IAAA,CAAC,EAAE,MAAM;MACT,IAAA,CAAC,EAAE,KAAK;MACR,IAAA,CAAC,EAAE,OAAO;MACV,IAAA,CAAC,EAAE,OAAO;MACV,IAAA,CAAC,EAAE,MAAM;MACT,IAAA,EAAE,EAAE,KAAK;MACT,IAAA,EAAE,EAAE,QAAQ;MACZ,IAAA,EAAE,EAAE,QAAQ;MACZ,IAAA,EAAE,EAAE,UAAU;MACd,IAAA,EAAE,EAAE,UAAU;MACd,IAAA,EAAE,EAAE,SAAS;MACb,IAAA,EAAE,EAAE,SAAS;MACb,IAAA,EAAE,EAAE,WAAW;MACf,IAAA,EAAE,EAAE,UAAU;MACd,IAAA,EAAE,EAAE,UAAU;MACd,IAAA,EAAE,EAAE,QAAQ;MACZ,IAAA,EAAE,EAAE,QAAQ;MACZ,IAAA,EAAE,EAAE,OAAO;MACX,IAAA,EAAE,EAAE,OAAO;MACX,IAAA,EAAE,EAAE,OAAO;MACX,IAAA,EAAE,EAAE,SAAS;MACb,IAAA,EAAE,EAAE,QAAQ;MACZ,IAAA,EAAE,EAAE,QAAQ;MACZ,IAAA,GAAG,EAAE,aAAa;MAClB,IAAA,IAAI,EAAE,cAAc;MACpB,IAAA,OAAO,EAAE,aAAa;MACtB,IAAA,UAAU,EAAE,aAAa;MACzB,IAAA,aAAa,EAAE,cAAc;MAC7B,IAAA,gBAAgB,EAAE,iBAAA;SACrB,CAAA;QAGD,IAAMC,UAAU,GAAG,GAAG,CAAA;QACtB,IAAMC,WAAW,GAAG,IAAI,CAAA;QACxB,IAAMC,UAAU,GAAG,OAAO,CAAA;QAC1B,IAAMC,UAAU,GAAG,UAAU,CAAA;QAC7B,IAAMC,WAAW,GAAG,aAAa,CAAA;QACjC,IAAMC,cAAc,GAAG,gBAAgB,CAAA;MAEvC,EAAA,IAAIN,WAAW,CAACD,IAAI,CAAC,EAAE;UACnB,OAAOC,WAAW,CAACD,IAAI,CAAC,CAAA;MAC5B,GAAA;QAEA,SAASQ,kBAAkBA,CAACR,IAAY,EAAU;MAC9C,IAAA,IAAMS,SAAS,GAAGC,eAAe,CAACV,IAAI,CAAC,CAAA;UACvC,IAAIA,IAAI,IAAIO,cAAc,EAAE;YACxB,IAAMI,YAAY,GAAGC,cAAc,CAAC7B,MAAM,CAACiB,IAAI,CAACxe,QAAQ,EAAE,CAACqf,KAAK,CAAC,CAAC,EAAE,EAAE,CAAC,EAAE,CAAC,CAAC,CAAC,CAAA;MAC5E,MAAA,IAAIJ,SAAS,EAAE;MACX,QAAA,OAAA,EAAA,CAAAxjB,MAAA,CAAU0jB,YAAY,EAAA1jB,eAAAA,CAAAA,CAAAA,MAAA,CAAgBwjB,SAAS,CAAA,CAAA;MACnD,OAAC,MACI;cACD,OAAAxjB,EAAAA,CAAAA,MAAA,CAAU0jB,YAAY,EAAA,cAAA,CAAA,CAAA;MAC1B,OAAA;MACJ,KAAC,MACI;MACD,MAAA,OAAOF,SAAS,CAAA;MACpB,KAAA;MACJ,GAAA;QAEA,SAASC,eAAeA,CAACV,IAAY,EAAU;MAC3CA,IAAAA,IAAI,GAAGjB,MAAM,CAACiB,IAAI,CAACxe,QAAQ,EAAE,CAACqf,KAAK,CAAC,CAAC,EAAE,CAAC,CAAC,CAAA;MACzC,IAAA,IAAMC,QAAQ,GAAGC,cAAc,CAACf,IAAI,CAAC,CAAA;UACrC,IAAIA,IAAI,IAAIM,WAAW,EAAE;YACrB,IAAMG,SAAS,GAAGG,cAAc,CAAC7B,MAAM,CAACiB,IAAI,CAACxe,QAAQ,EAAE,CAACqf,KAAK,CAAC,CAAC,EAAE,EAAE,CAAC,EAAE,CAAC,CAAC,CAAC,CAAA;MACzE,MAAA,IAAIC,QAAQ,EAAE;MACV,QAAA,OAAA,EAAA,CAAA7jB,MAAA,CAAUwjB,SAAS,EAAAxjB,YAAAA,CAAAA,CAAAA,MAAA,CAAa6jB,QAAQ,CAAA,CAAA;MAC5C,OAAC,MACI;cACD,OAAA7jB,EAAAA,CAAAA,MAAA,CAAUwjB,SAAS,EAAA,WAAA,CAAA,CAAA;MACvB,OAAA;MACJ,KAAC,MACI;MACD,MAAA,OAAOK,QAAQ,CAAA;MACnB,KAAA;MACJ,GAAA;QAEA,SAASC,cAAcA,CAACf,IAAY,EAAU;MAC1CA,IAAAA,IAAI,GAAGjB,MAAM,CAACiB,IAAI,CAACxe,QAAQ,EAAE,CAACqf,KAAK,CAAC,CAAC,EAAE,CAAC,CAAC,CAAA;MACzC,IAAA,IAAMG,QAAQ,GAAGC,cAAc,CAACjB,IAAI,CAAC,CAAA;UACrC,IAAIA,IAAI,IAAIK,UAAU,EAAE;YACpB,IAAMS,QAAQ,GAAGF,cAAc,CAAC7B,MAAM,CAACiB,IAAI,CAACxe,QAAQ,EAAE,CAACqf,KAAK,CAAC,CAAC,EAAE,EAAE,CAAC,CAAC,CAAC,CAAC,CAAC,CAAA;MACvE,MAAA,IAAIG,QAAQ,EAAE;MACV,QAAA,OAAA,EAAA,CAAA/jB,MAAA,CAAU6jB,QAAQ,EAAA7jB,WAAAA,CAAAA,CAAAA,MAAA,CAAY+jB,QAAQ,CAAA,CAAA;MAC1C,OAAC,MACI;cACD,OAAA/jB,EAAAA,CAAAA,MAAA,CAAU6jB,QAAQ,EAAA,UAAA,CAAA,CAAA;MACtB,OAAA;MACJ,KAAC,MACI;MACD,MAAA,OAAOE,QAAQ,CAAA;MACnB,KAAA;MACJ,GAAA;QAEA,SAASC,cAAcA,CAACjB,IAAY,EAAU;MAC1CA,IAAAA,IAAI,GAAGjB,MAAM,CAACiB,IAAI,CAACxe,QAAQ,EAAE,CAACqf,KAAK,CAAC,CAAC,CAAC,CAAC,CAAC,CAAA;MACxC,IAAA,IAAMK,SAAS,GAAGC,eAAe,CAACnB,IAAI,CAAC,CAAA;UACvC,IAAIA,IAAI,IAAII,UAAU,EAAE;YACpB,IAAMY,QAAQ,GAAGJ,cAAc,CAAC7B,MAAM,CAACiB,IAAI,CAACxe,QAAQ,EAAE,CAACqf,KAAK,CAAC,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC,CAAC,CAAA;MACtE,MAAA,IAAIK,SAAS,EAAE;MACX,QAAA,OAAA,EAAA,CAAAjkB,MAAA,CAAU+jB,QAAQ,EAAA/jB,WAAAA,CAAAA,CAAAA,MAAA,CAAYikB,SAAS,CAAA,CAAA;MAC3C,OAAC,MACI;cACD,OAAAjkB,EAAAA,CAAAA,MAAA,CAAU+jB,QAAQ,EAAA,UAAA,CAAA,CAAA;MACtB,OAAA;MACJ,KAAC,MACI;MACD,MAAA,OAAOE,SAAS,CAAA;MACpB,KAAA;MACJ,GAAA;QAEA,SAASC,eAAeA,CAACnB,IAAY,EAAU;MAC3CA,IAAAA,IAAI,GAAGjB,MAAM,CAACiB,IAAI,CAACxe,QAAQ,EAAE,CAACqf,KAAK,CAAC,CAAC,CAAC,CAAC,CAAC,CAAA;MACxC,IAAA,IAAMO,QAAQ,GAAGR,cAAc,CAACZ,IAAI,CAAC,CAAA;UACrC,IAAIA,IAAI,IAAIG,WAAW,EAAE;YACrB,IAAMe,SAAS,GAAGN,cAAc,CAAC7B,MAAM,CAACiB,IAAI,CAACxe,QAAQ,EAAE,CAACqf,KAAK,CAAC,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC,CAAC,CAAA;MACvE,MAAA,IAAIO,QAAQ,EAAE;MACV,QAAA,OAAA,EAAA,CAAAnkB,MAAA,CAAUikB,SAAS,EAAAjkB,YAAAA,CAAAA,CAAAA,MAAA,CAAamkB,QAAQ,CAAA,CAAA;MAC5C,OAAC,MACI;cACD,OAAAnkB,EAAAA,CAAAA,MAAA,CAAUikB,SAAS,EAAA,cAAA,CAAA,CAAA;MACvB,OAAA;MACJ,KAAC,MACI;MACD,MAAA,OAAOE,QAAQ,CAAA;MACnB,KAAA;MACJ,GAAA;QAEA,SAASR,cAAcA,CAACZ,IAAY,EAAU;MAC1CA,IAAAA,IAAI,GAAGjB,MAAM,CAACiB,IAAI,CAACxe,QAAQ,EAAE,CAACqf,KAAK,CAAC,CAAC,CAAC,CAAC,CAAC,CAAA;MAExC,IAAA,IAAIZ,WAAW,CAACD,IAAI,CAAC,EAAE;YACnB,OAAOC,WAAW,CAACD,IAAI,CAAC,CAAA;MAC5B,KAAA;MAEA,IAAA,IAAMqB,IAAI,GAAGC,UAAU,CAACtB,IAAI,CAAC,CAAA;UAE7B,IAAIA,IAAI,IAAIE,UAAU,EAAE;MACpB,MAAA,IAAMkB,QAAQ,GAAGrC,MAAM,CAACiB,IAAI,CAACxe,QAAQ,EAAE,CAACqf,KAAK,CAAC,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC,CAAA;MACtD,MAAA,IAAIQ,IAAI,EAAE;cACN,OAAApkB,EAAAA,CAAAA,MAAA,CAAUgjB,WAAW,CAACmB,QAAQ,CAAC,EAAA,WAAA,CAAA,CAAAnkB,MAAA,CAAYokB,IAAI,CAAA,CAAA;MACnD,OAAC,MACI;MACD,QAAA,OAAA,EAAA,CAAApkB,MAAA,CAAUgjB,WAAW,CAACmB,QAAQ,CAAC,EAAA,UAAA,CAAA,CAAA;MACnC,OAAA;MACJ,KAAC,MACI;MACD,MAAA,OAAOC,IAAI,CAAA;MACf,KAAA;MACJ,GAAA;QAEA,SAASC,UAAUA,CAACtB,IAAY,EAAU;MACtCA,IAAAA,IAAI,GAAGjB,MAAM,CAACiB,IAAI,CAACxe,QAAQ,EAAE,CAACqf,KAAK,CAAC,CAAC,CAAC,CAAC,CAAC,CAAA;MAExC,IAAA,IAAIZ,WAAW,CAACD,IAAI,CAAC,EAAE;YACnB,OAAOC,WAAW,CAACD,IAAI,CAAC,CAAA;MAC5B,KAAA;MAEA,IAAA,IAAMuB,IAAI,GAAGC,UAAU,CAACxB,IAAI,CAAC,CAAA;UAE7B,IAAIA,IAAI,IAAI,EAAE,EAAE;MACZ,MAAA,IAAMqB,IAAI,GAAGtC,MAAM,CAACiB,IAAI,CAACxe,QAAQ,EAAE,CAACqf,KAAK,CAAC,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC,CAAA;MAElD,MAAA,IAAIU,IAAI,EAAE;cACN,OAAAtkB,EAAAA,CAAAA,MAAA,CAAUgjB,WAAW,CAACoB,IAAI,GAAG,EAAE,CAAC,EAAA,GAAA,CAAA,CAAApkB,MAAA,CAAIskB,IAAI,CAAA,CAAA;MAC5C,OAAC,MACI;MACD,QAAA,OAAOtB,WAAW,CAACoB,IAAI,GAAG,EAAE,CAAC,CAAA;MACjC,OAAA;MACJ,KAAC,MACI;MACD,MAAA,OAAOE,IAAI,CAAA;MACf,KAAA;MACJ,GAAA;QAEA,SAASC,UAAUA,CAACxB,IAAY,EAAU;MACtCA,IAAAA,IAAI,GAAGjB,MAAM,CAACiB,IAAI,CAACxe,QAAQ,EAAE,CAACqf,KAAK,CAAC,CAAC,CAAC,CAAC,CAAC,CAAA;UACxC,OAAOZ,WAAW,CAACD,IAAI,CAAC,CAAA;MAC5B,GAAA;QAEA,OAAOQ,kBAAkB,CAACR,IAAI,CAAC,CAAA;MACnC,CAAA;AAEA,wBAAe;QACXN,SAAS;QACTF,eAAe;QACfX,cAAc;MACdL,EAAAA,iBAAAA;MACJ,CAAC;;;;;;;;;;;;;;;;;;MCpWM,SAASiD,oBAAoBA,CAAgEC,KAAQ,EAAEC,SAAY,EAAEjS,IAAe,EAAE3S,OAAsB,EAAa;QAC5K,IAAM6kB,aAAa,GAAGtJ,GAAG,CAACoJ,KAAK,CAACC,SAAS,CAAC,CAAc,CAAA;MAExDrI,EAAAA,KAAK,CAAC,MAAMoI,KAAK,CAACC,SAAS,CAAC,EAAE7iB,GAAG,IAAI+iB,cAAc,CAACD,aAAa,EAAE9iB,GAAG,CAAC,EAAE/B,OAAO,CAAC,CAAA;MACjFuc,EAAAA,KAAK,CAACsI,aAAa,EAAE9iB,GAAG,IAAI;MACxB,IAAA,IAAIA,GAAG,KAAK4iB,KAAK,CAACC,SAAS,CAAC,EAAE;MAC1BjS,MAAAA,IAAI,WAAAzS,MAAA,CAAW0kB,SAAS,CAAA,EAAI7iB,GAAG,CAAC,CAAA;MACpC,KAAA;SACH,EAAE/B,OAAO,CAAC,CAAA;MAEX,EAAA,OAAO6kB,aAAa,CAAA;MACxB,CAAA;MAaO,SAASE,uCAAuCA,CAAgEJ,KAAQ,EAAEC,SAAY,EAAEjS,IAAe,EAAE3S,OAAsB,EAA4C;QAC9N,IAAM6kB,aAAa,GAAGtJ,GAAG,CAACoJ,KAAK,CAACC,SAAS,CAAC,CAAc,CAAA;QACxD,IAAMI,SAAyB,GAAG,EAAE,CAAA;QAEpCzI,KAAK,CAAC,MAAMoI,KAAK,CAACC,SAAS,CAAC,EAAE7iB,GAAG,IAAI;MACjC,IAAA,IAAI+iB,cAAc,CAACD,aAAa,EAAE9iB,GAAG,CAAC,EAAE;MACpCkjB,MAAAA,YAAY,EAAE,CAAA;MAClB,KAAA;SACH,EAAEjlB,OAAO,CAAC,CAAA;MACXuc,EAAAA,KAAK,CAACsI,aAAa,EAAE9iB,GAAG,IAAI4Q,IAAI,CAAA,SAAA,CAAAzS,MAAA,CAAW0kB,SAAS,CAAI7iB,EAAAA,GAAG,CAAC,EAAE/B,OAAO,CAAC,CAAA;QAEtE,SAASilB,YAAYA,GAAS;MAC1BD,IAAAA,SAAS,CAACpjB,OAAO,CAAC+R,EAAE,IAAIA,EAAE,EAAE,CAAC,CAAA;MACjC,GAAA;QAEA,SAASuR,qBAAqBA,CAACvR,EAAiB,EAAQ;MACpDqR,IAAAA,SAAS,CAAC9iB,IAAI,CAACyR,EAAE,CAAC,CAAA;MACtB,GAAA;MAEA,EAAA,OAAO,CAACkR,aAAa,EAAEK,qBAAqB,CAAC,CAAA;MACjD,CAAA;MAWO,SAASJ,cAAcA,CAAkBK,MAAc,EAAE5kB,KAAS,EAAW;QAChF,IAAI2S,SAAS,CAACiS,MAAM,CAAC5kB,KAAK,EAAEA,KAAK,EAAE,IAAI,CAAC,EAAE;MACtC,IAAA,OAAO,KAAK,CAAA;MAChB,GAAA;QAEA4kB,MAAM,CAAC5kB,KAAK,GAAGA,KAAK,CAAA;MAEpB,EAAA,OAAO,IAAI,CAAA;MACf,CAAA;MAUO,SAAS6kB,oBAAoBA,CAA2DjR,MAA+B,EAAK;MAC/H,EAAA,OAAOkR,sBAAuB,CAAA1pB,iBAAA,CAAC,aAAY;UACvC,IAAM2pB,QAAQ,GAAG9D,WAAW,EAAE,CAAA;UAC9B,IAAMb,YAAY,GAAGxc,OAAO,EAAE,CAAA;UAE9BmhB,QAAQ,KAAA,IAAA,IAARA,QAAQ,KAARA,KAAAA,CAAAA,GAAAA,KAAAA,CAAAA,GAAAA,QAAQ,CAAEnE,mBAAmB,CAACR,YAAY,CAAC,CAAA;UAC3C,IAAM4E,SAAS,GAASpR,MAAAA,MAAM,EAAE,CAAA;UAChCmR,QAAQ,KAAA,IAAA,IAARA,QAAQ,KAARA,KAAAA,CAAAA,GAAAA,KAAAA,CAAAA,GAAAA,QAAQ,CAAEtE,sBAAsB,CAACL,YAAY,CAAC,CAAA;MAE9C,IAAA,OAAO4E,SAAS,CAAA;MACpB,GAAC,CAAC,CAAA,CAAA;MACN,CAAA;MAkCO,IAAMC,0BAAsD,GAAG;MAClEC,EAAAA,KAAK,EAAE;MACHC,IAAAA,IAAI,EAAEC,MAA0B;MAChCC,IAAAA,OAAO,EAAE,EAAA;SACZ;MAEDC,EAAAA,IAAI,EAAE;MACFH,IAAAA,IAAI,EAAEC,MAA0B;MAChCC,IAAAA,OAAO,EAAE,EAAA;SACZ;MAEDE,EAAAA,KAAK,EAAE;MACHJ,IAAAA,IAAI,EAAE,CAAC1jB,KAAK,EAAEmI,MAAM,EAAEwb,MAAM,CAAgD;MAC5EC,IAAAA,OAAO,EAAE,EAAA;SACZ;MAEDG,EAAAA,gBAAgB,EAAE;MACdL,IAAAA,IAAI,EAAEC,MAA0B;MAChCC,IAAAA,OAAO,EAAE,EAAA;SACZ;MAEDI,EAAAA,eAAe,EAAE;MACbN,IAAAA,IAAI,EAAEC,MAA0B;MAChCC,IAAAA,OAAO,EAAE,EAAA;SACZ;MAEDK,EAAAA,yBAAyB,EAAE;MACvBP,IAAAA,IAAI,EAAEQ,OAA4B;MAClCN,IAAAA,OAAO,EAAE,KAAA;MACb,GAAA;MACJ,CAAC,CAAA;MASD,SAASO,8BAA8BA,CAAChS,MAAoD,EAAEiS,WAAyD,EAAQ;MAC3JA,EAAAA,WAAW,CAACL,gBAAgB,GAAG5R,MAAM,CAAC4R,gBAAgB,CAAA;MACtDK,EAAAA,WAAW,CAACP,IAAI,GAAG1R,MAAM,CAAC0R,IAAI,CAAA;MAC9BO,EAAAA,WAAW,CAACX,KAAK,GAAGtR,MAAM,CAACsR,KAAK,CAAA;MAChCW,EAAAA,WAAW,CAACN,KAAK,GAAG3R,MAAM,CAAC2R,KAAK,CAAA;MAChCM,EAAAA,WAAW,CAACJ,eAAe,GAAG7R,MAAM,CAAC6R,eAAe,CAAA;MACxD,CAAA;MAWO,SAASK,6BAA6BA,CAAC1B,KAAmD,EAAgD;QAC7I,IAAM2B,UAAU,GAAGC,QAAQ,CAA+C;UACtEd,KAAK,EAAEd,KAAK,CAACc,KAAK;UAClBI,IAAI,EAAElB,KAAK,CAACkB,IAAI;UAChBC,KAAK,EAAEnB,KAAK,CAACmB,KAAK;UAClBC,gBAAgB,EAAEpB,KAAK,CAACoB,gBAAgB;UACxCC,eAAe,EAAErB,KAAK,CAACqB,eAAe;UACtCC,yBAAyB,EAAEtB,KAAK,CAACsB,yBAAAA;MACrC,GAAC,CAAC,CAAA;MAEF1J,EAAAA,KAAK,CAAC,CAAC,MAAMoI,KAAK,CAACoB,gBAAgB,EAAE,MAAMpB,KAAK,CAACkB,IAAI,EAAE,MAAMlB,KAAK,CAACc,KAAK,EAAE,MAAMd,KAAK,CAACmB,KAAK,EAAE,MAAMnB,KAAK,CAACqB,eAAe,CAAC,EAAE,MAAM;MAC7HG,IAAAA,8BAA8B,CAACxB,KAAK,EAAE2B,UAAU,CAAC,CAAA;MACrD,GAAC,CAAC,CAAA;MAEF,EAAA,OAAOA,UAAU,CAAA;MACrB,CAAA;MAmDO,IAAME,wBAAkD,GAAArR,cAAA,CAAAA,cAAA,KACxDqQ,0BAA0B,CAAA,EAAA,EAAA,EAAA;MAE7BiB,EAAAA,mBAAmB,EAAE;MACjBf,IAAAA,IAAI,EAAEQ,OAA4B;MAClCN,IAAAA,OAAO,EAAE,KAAA;SACZ;MAEDc,EAAAA,QAAQ,EAAE;MACNhB,IAAAA,IAAI,EAAEC,MAAmC;UACzCC,OAAO,EAAEe,eAAe,CAACC,QAAAA;SAC5B;MAEDC,EAAAA,QAAQ,EAAE;MACNnB,IAAAA,IAAI,EAAEQ,OAA4B;MAClCN,IAAAA,OAAO,EAAE,KAAA;SACZ;MAEDkB,EAAAA,aAAa,EAAE;MACXpB,IAAAA,IAAI,EAAEQ,OAA4B;MAClCN,IAAAA,OAAO,EAAE,KAAA;SACZ;MAEDmB,EAAAA,UAAU,EAAE;MACRrB,IAAAA,IAAI,EAAEC,MAA0B;MAChCC,IAAAA,OAAO,EAAE,EAAA;SACZ;MAEDoB,EAAAA,YAAY,EAAE;MACVtB,IAAAA,IAAI,EAAEC,MAAsC;UAC5CC,OAAO,EAAEqB,kBAAkB,CAACC,IAAAA;SAC/B;MAEDC,EAAAA,WAAW,EAAE;MACTzB,IAAAA,IAAI,EAAE1D,MAA0B;MAChC4D,IAAAA,OAAO,EAAE,CAAA;MACb,GAAA;MAAC,CACJ,CAAA,CAAA;MASD,SAASwB,4BAA4BA,CAACjT,MAAkD,EAAEiS,WAAuD,EAAQ;MACrJD,EAAAA,8BAA8B,CAAChS,MAAM,EAAEiS,WAAW,CAAC,CAAA;MAEnDA,EAAAA,WAAW,CAACK,mBAAmB,GAAGtS,MAAM,CAACsS,mBAAmB,CAAA;MAC5DL,EAAAA,WAAW,CAACM,QAAQ,GAAGvS,MAAM,CAACuS,QAAQ,CAAA;MACtCN,EAAAA,WAAW,CAACS,QAAQ,GAAG1S,MAAM,CAAC0S,QAAQ,CAAA;MACtCT,EAAAA,WAAW,CAACU,aAAa,GAAG3S,MAAM,CAAC2S,aAAa,CAAA;MAChDV,EAAAA,WAAW,CAACW,UAAU,GAAG5S,MAAM,CAAC4S,UAAU,CAAA;MAC1CX,EAAAA,WAAW,CAACY,YAAY,GAAG7S,MAAM,CAAC6S,YAAY,CAAA;MAC9CZ,EAAAA,WAAW,CAACe,WAAW,GAAGhT,MAAM,CAACgT,WAAW,CAAA;MAChD,CAAA;MAWO,SAASE,2BAA2BA,CAAC1C,KAAiD,EAA8C;MACvI,EAAA,IAAM2C,kBAAkB,GAAGjB,6BAA6B,CAAC1B,KAAK,CAAC,CAAA;QAE/D,IAAM2B,UAAU,GAAGC,QAAQ,CAAApR,cAAA,CAAAA,cAAA,KACpBmS,kBAAkB,CAAA,EAAA,EAAA,EAAA;UACrBb,mBAAmB,EAAE9B,KAAK,CAAC8B,mBAAmB;UAC9CC,QAAQ,EAAE/B,KAAK,CAAC+B,QAAQ;UACxBG,QAAQ,EAAElC,KAAK,CAACkC,QAAQ;UACxBC,aAAa,EAAEnC,KAAK,CAACmC,aAAa;UAClCC,UAAU,EAAEpC,KAAK,CAACoC,UAAU;UAC5BC,YAAY,EAAErC,KAAK,CAACqC,YAAY;UAChCG,WAAW,EAAExC,KAAK,CAACwC,WAAAA;SACrB,CAAA,CAAA,CAAA;MAIF5K,EAAAA,KAAK,CAAC,MAAM+K,kBAAkB,EAAE,MAAM;MAClCnB,IAAAA,8BAA8B,CAACxB,KAAK,EAAE2B,UAAU,CAAC,CAAA;MACrD,GAAC,EAAE;MACCiB,IAAAA,IAAI,EAAE,IAAA;MACV,GAAC,CAAC,CAAA;MAGFhL,EAAAA,KAAK,CAAC,CAAC,MAAMoI,KAAK,CAAC8B,mBAAmB,EAAE,MAAM9B,KAAK,CAAC+B,QAAQ,EAAE,MAAM/B,KAAK,CAACkC,QAAQ,EAAE,MAAMlC,KAAK,CAACmC,aAAa,EAAE,MAAMnC,KAAK,CAACqC,YAAY,EAAE,MAAMrC,KAAK,CAACwC,WAAW,CAAC,EAAE,MAAM;MACrKC,IAAAA,4BAA4B,CAACzC,KAAK,EAAE2B,UAAU,CAAC,CAAA;MACnD,GAAC,CAAC,CAAA;MAEF,EAAA,OAAOA,UAAU,CAAA;MACrB,CAAA;MAeO,SAASkB,WAAWA,CAAIjnB,KAAQ,EAAE4X,OAA2B,EAAkB;MAClF,EAAA,IAAMsP,QAAQ,GAAGlM,GAAG,CAAChb,KAAK,CAAmB,CAAA;QAE7CknB,QAAQ,CAACtP,OAAO,GAAGA,OAAO,CAAA;MAE1B,EAAA,OAAOsP,QAAQ,CAAA;MACnB,CAAA;MAUO,SAASC,WAAWA,CAAInnB,KAAQ,EAAE8Y,YAAoB,EAAkB;QAC3E,OAAOmO,WAAW,CAACjnB,KAAK,EAAE;MACtB8Y,IAAAA,YAAAA;MACJ,GAAC,CAAC,CAAA;MACN,CAAA;MAiBO,SAASsO,YAAYA,CAAIC,IAAW,EAAEC,QAAgB,EAAiB;MAE1E,EAAA,IAAID,IAAI,CAACjD,KAAK,IAAIiD,IAAI,CAACjD,KAAK,CAACkD,QAAQ,CAAC,KAAKvrB,SAAS,EAAE;MAClD,IAAA,OAAOsrB,IAAI,CAACjD,KAAK,CAACkD,QAAQ,CAAC,CAAA;MAC/B,GAAA;MAIA,EAAA,IAAI,OAAOD,IAAI,CAAClC,IAAI,KAAK,QAAQ,IAAI,OAAOkC,IAAI,CAAClC,IAAI,CAAC,OAAO,CAAC,KAAK,QAAQ,EAAE;MACzE,IAAA,IAAMoC,YAAY,GAAGF,IAAI,CAAClC,IAAI,CAAC,OAAO,CAA4B,CAAA;MAClE,IAAA,IAAMqC,WAAW,GAAGD,YAAY,CAACD,QAAQ,CAAC,CAAA;MAE1C,IAAA,IAAIE,WAAW,IAAI,OAAOA,WAAW,KAAK,QAAQ,IAAIA,WAAW,CAAC,SAAS,CAAC,KAAKzrB,SAAS,EAAE;YACxF,OAAOyrB,WAAW,CAAC,SAAS,CAAC,CAAA;MACjC,KAAA;MACJ,GAAA;MAEA,EAAA,OAAOzrB,SAAS,CAAA;MACpB,CAAA;MAWO,SAAS0rB,aAAaA,CAACJ,IAAW,EAA2B;QAChE,IAAMjD,KAA8B,GAAG,EAAE,CAAA;MAGzC,EAAA,IAAI,OAAOiD,IAAI,CAAClC,IAAI,KAAK,QAAQ,IAAI,OAAOkC,IAAI,CAAClC,IAAI,CAAC,OAAO,CAAC,KAAK,QAAQ,EAAE;MACzE,IAAA,IAAMoC,YAAY,GAAGF,IAAI,CAAClC,IAAI,CAAC,OAAO,CAA4B,CAAA;MAElE,IAAA,KAAK,IAAM/L,CAAC,IAAImO,YAAY,EAAE;MAC1B,MAAA,IAAMC,WAAW,GAAGD,YAAY,CAACnO,CAAC,CAAC,CAAA;MAEnC,MAAA,IAAIoO,WAAW,IAAI,OAAOA,WAAW,KAAK,QAAQ,IAAIA,WAAW,CAAC,SAAS,CAAC,KAAKzrB,SAAS,EAAE;MACxFqoB,QAAAA,KAAK,CAAChL,CAAC,CAAC,GAAGoO,WAAW,CAAC,SAAS,CAAC,CAAA;MACrC,OAAA;MACJ,KAAA;MACJ,GAAA;QAGA,IAAIH,IAAI,CAACjD,KAAK,EAAE;MACZ,IAAA,KAAK,IAAMhL,EAAC,IAAIiO,IAAI,CAACjD,KAAK,EAAE;MACxB,MAAA,IAAI,OAAOiD,IAAI,CAAClC,IAAI,KAAK,QAAQ,IAAI,OAAOkC,IAAI,CAAClC,IAAI,CAAC,OAAO,CAAC,KAAK,QAAQ,EAAE;MAAA,QAAA,IAAAuC,mBAAA,CAAA;MACzE,QAAA,IAAMC,QAAQ,GAAAD,CAAAA,mBAAA,GAAGL,IAAI,CAAClC,IAAI,CAAC,OAAO,CAAC,CAAC/L,EAAC,CAAC,MAAA,IAAA,IAAAsO,mBAAA,KAArBA,KAAAA,CAAAA,GAAAA,KAAAA,CAAAA,GAAAA,mBAAA,CAAuBvC,IAAI,CAAA;cAE5C,IAAIwC,QAAQ,KAAKhC,OAAO,EAAE;gBACtBvB,KAAK,CAAChL,EAAC,CAAC,GAAGiO,IAAI,CAACjD,KAAK,CAAChL,EAAC,CAAC,KAAK,IAAI,IAAIiO,IAAI,CAACjD,KAAK,CAAChL,EAAC,CAAC,KAAK,EAAE,CAAA;MAC7D,SAAC,MACI,IAAIuO,QAAQ,KAAKlG,MAAM,EAAE;MAAA,UAAA,IAAAmG,eAAA,CAAA;gBAC1BxD,KAAK,CAAChL,EAAC,CAAC,GAAA,CAAAwO,eAAA,GAAGrG,cAAc,CAAC8F,IAAI,CAACjD,KAAK,CAAChL,EAAC,CAAC,CAAC,MAAA,IAAA,IAAAwO,eAAA,KAAAA,KAAAA,CAAAA,GAAAA,eAAA,GAAI7rB,SAAS,CAAA;MACzD,SAAC,MACI;gBACDqoB,KAAK,CAAChL,EAAC,CAAC,GAAGiO,IAAI,CAACjD,KAAK,CAAChL,EAAC,CAAC,CAAA;MAC5B,SAAA;MACJ,OAAC,MACI;cACDgL,KAAK,CAAChL,EAAC,CAAC,GAAGiO,IAAI,CAACjD,KAAK,CAAChL,EAAC,CAAC,CAAA;MAC5B,OAAA;MACJ,KAAA;MACJ,GAAA;MAEA,EAAA,OAAOgL,KAAK,CAAA;MAChB,CAAA;MAWO,SAASyD,WAAWA,CAACR,IAAuB,EAAEjD,KAA+B,EAAU;MAC1F,EAAA,IAAM0D,EAAE,GAAG/S,QAAQ,CAACgT,aAAa,CAAC,KAAK,CAAC,CAAA;MAGxC,EAAA,IAAMC,KAAK,GAAGC,WAAW,CAACZ,IAAI,EAAEjD,KAAK,CAAC,CAAA;MAGtC8D,EAAAA,MAAM,CAACF,KAAK,EAAEF,EAAE,CAAC,CAAA;MAEjB,EAAA,IAAM7nB,IAAI,GAAG6nB,EAAE,CAACK,SAAS,CAAA;MAGzBD,EAAAA,MAAM,CAAC,IAAI,EAAEJ,EAAE,CAAC,CAAA;QAEhB,OAAO7nB,IAAI,CAAC2E,IAAI,EAAE,CAAA;MACtB,CAAA;MAWO,SAASwjB,WAAWA,CAACf,IAAuB,EAAEjD,KAA+B,EAAU;MAC1F,EAAA,IAAM0D,EAAE,GAAG/S,QAAQ,CAACgT,aAAa,CAAC,KAAK,CAAC,CAAA;MAGxC,EAAA,IAAMC,KAAK,GAAGC,WAAW,CAACZ,IAAI,EAAEjD,KAAK,CAAC,CAAA;MAGtC8D,EAAAA,MAAM,CAACF,KAAK,EAAEF,EAAE,CAAC,CAAA;MAEjB,EAAA,IAAMO,IAAI,GAAGP,EAAE,CAACQ,SAAS,CAAA;MAGzBJ,EAAAA,MAAM,CAAC,IAAI,EAAEJ,EAAE,CAAC,CAAA;MAEhB,EAAA,OAAOO,IAAI,CAAA;MACf;;;;;;;;;;;;;;;;;;;;;MCjhBA,IAAME,aAAa,GAAG,UAAU,CAACzsB,MAAM,CAAA;MACvC,IAAM0sB,mBAAmB,GAAG,MAAM,CAAC1sB,MAAM,CAAA;MAOlC,SAAS2sB,OAAOA,CAACC,OAAsB,EAAU;QACpD,IAAMC,YAAY,GAAG,CAAC,CAAA;QAEtB,IAAI,CAACD,OAAO,IAAIA,OAAO,CAAC5sB,MAAM,KAAKysB,aAAa,EAAE;MAC9C,IAAA,OAAOI,YAAY,CAAA;MACvB,GAAA;QAEA,IAAMnK,QAAQ,GAAGkK,OAAO,CAAChjB,SAAS,CAAC,CAAC,EAAE,CAAC,CAAC,CAAA;MACxC,EAAA,IAAMqC,IAAI,GAAGwZ,cAAc,CAAC/C,QAAQ,CAAC,IAAImK,YAAY,CAAA;MACrD,EAAA,OAAO5gB,IAAI,CAAA;MACf,CAAA;MAOO,SAAS6gB,QAAQA,CAACF,OAAsB,EAAU;QACrD,IAAMC,YAAY,GAAG,CAAC,CAAA;QAEtB,IAAI,CAACD,OAAO,EAAE;MACV,IAAA,OAAOC,YAAY,CAAA;MACvB,GAAA;MAEA,EAAA,IAAID,OAAO,CAAC5sB,MAAM,KAAKysB,aAAa,EAAE;UAClC,IAAM/J,QAAQ,GAAGkK,OAAO,CAAChjB,SAAS,CAAC,CAAC,EAAE,CAAC,CAAC,CAAA;MACxC,IAAA,OAAO6b,cAAc,CAAC/C,QAAQ,CAAC,IAAImK,YAAY,CAAA;MACnD,GAAA;MAEA,EAAA,IAAID,OAAO,CAAC5sB,MAAM,KAAK0sB,mBAAmB,EAAE;UACxC,IAAMhK,SAAQ,GAAGkK,OAAO,CAAChjB,SAAS,CAAC,CAAC,EAAE,CAAC,CAAC,CAAA;MACxC,IAAA,OAAO6b,cAAc,CAAC/C,SAAQ,CAAC,IAAImK,YAAY,CAAA;MACnD,GAAA;MAEA,EAAA,OAAOA,YAAY,CAAA;MACvB,CAAA;MAOO,SAASE,MAAMA,CAACH,OAAsB,EAAU;QACnD,IAAMC,YAAY,GAAG,CAAC,CAAA;QAEtB,IAAI,CAACD,OAAO,EAAE;MACV,IAAA,OAAOC,YAAY,CAAA;MACvB,GAAA;MAEA,EAAA,IAAID,OAAO,CAAC5sB,MAAM,KAAKysB,aAAa,EAAE;UAClC,IAAM/J,QAAQ,GAAGkK,OAAO,CAAChjB,SAAS,CAAC,CAAC,EAAE,CAAC,CAAC,CAAA;MACxC,IAAA,OAAO6b,cAAc,CAAC/C,QAAQ,CAAC,IAAImK,YAAY,CAAA;MACnD,GAAA;MAEA,EAAA,IAAID,OAAO,CAAC5sB,MAAM,KAAK0sB,mBAAmB,EAAE;UACxC,IAAMhK,UAAQ,GAAGkK,OAAO,CAAChjB,SAAS,CAAC,CAAC,EAAE,CAAC,CAAC,CAAA;MACxC,IAAA,OAAO6b,cAAc,CAAC/C,UAAQ,CAAC,IAAImK,YAAY,CAAA;MACnD,GAAA;MAEA,EAAA,OAAOA,YAAY,CAAA;MACvB,CAAA;MASO,SAASG,SAASA,CAAC/gB,IAAmB,EAAEC,KAAoB,EAAEC,GAAkB,EAAU;QAC7F,IAAI,CAACF,IAAI,IAAIA,IAAI,GAAG,IAAI,IAAIA,IAAI,GAAG,CAAC,EAAE;MAClCA,IAAAA,IAAI,GAAG,CAAC,CAAA;MACZ,GAAA;QAEA,IAAI,CAACC,KAAK,IAAIA,KAAK,GAAG,EAAE,IAAIA,KAAK,GAAG,CAAC,EAAE;MACnCA,IAAAA,KAAK,GAAG,CAAC,CAAA;MACb,GAAA;QAEA,IAAI,CAACC,GAAG,IAAIA,GAAG,GAAG,EAAE,IAAIA,GAAG,GAAG,CAAC,EAAE;MAC7BA,IAAAA,GAAG,GAAG,CAAC,CAAA;MACX,GAAA;MAEA,EAAA,IAAM8gB,OAAO,GAAGzG,OAAO,CAACva,IAAI,EAAE,CAAC,CAAC,CAAA;MAChC,EAAA,IAAMihB,QAAQ,GAAG1G,OAAO,CAACta,KAAK,EAAE,CAAC,CAAC,CAAA;MAClC,EAAA,IAAMihB,MAAM,GAAG3G,OAAO,CAACra,GAAG,EAAE,CAAC,CAAC,CAAA;QAE9B,OAAAtI,EAAAA,CAAAA,MAAA,CAAUopB,OAAO,CAAAppB,CAAAA,MAAA,CAAGqpB,QAAQ,CAAA,CAAArpB,MAAA,CAAGspB,MAAM,CAAA,CAAA;MACzC,CAAA;MAQO,SAASC,eAAeA,CAAClhB,KAAoB,EAAEC,GAAkB,EAAU;QAC9E,IAAI,CAACD,KAAK,IAAIA,KAAK,GAAG,EAAE,IAAIA,KAAK,GAAG,CAAC,EAAE;MACnCA,IAAAA,KAAK,GAAG,CAAC,CAAA;MACb,GAAA;QAEA,IAAI,CAACC,GAAG,IAAIA,GAAG,GAAG,EAAE,IAAIA,GAAG,GAAG,CAAC,EAAE;MAC7BA,IAAAA,GAAG,GAAG,CAAC,CAAA;MACX,GAAA;MAEA,EAAA,IAAM+gB,QAAQ,GAAG1G,OAAO,CAACta,KAAK,EAAE,CAAC,CAAC,CAAA;MAClC,EAAA,IAAMihB,MAAM,GAAG3G,OAAO,CAACra,GAAG,EAAE,CAAC,CAAC,CAAA;MAE9B,EAAA,OAAA,EAAA,CAAAtI,MAAA,CAAUqpB,QAAQ,CAAArpB,CAAAA,MAAA,CAAGspB,MAAM,CAAA,CAAA;MAC/B,CAAA;AAEA,oBAAe;QACXR,OAAO;QACPG,QAAQ;QACRC,MAAM;QACNC,SAAS;MACTI,EAAAA,eAAAA;MACJ,CAAC;;;;;;;;;;;;;MC/GM,SAASC,iBAAiBA,GAAS;QACtC7X,MAAM,CAAC8X,QAAQ,CAAC;MAAEC,IAAAA,GAAG,EAAE,CAAC;MAAEC,IAAAA,QAAQ,EAAE,QAAA;MAAS,GAAC,CAAC,CAAA;MACnD,CAAA;AAEA,iBAAe;MACXH,EAAAA,iBAAAA;MACJ,CAAC,CAAA;MASD,IAAII,iBAAiB,GAAG,CAAC,CAAA;MAQlB,SAASC,eAAeA,CAAC3oB,KAAc,EAAQ;MAClD,EAAA,IAAM4oB,IAAI,GAAG1U,QAAQ,CAAC0U,IAAI,CAAA;MAC1B,EAAA,IAAMC,UAAU,GAAG,CAAC,YAAY,CAAC,CAAA;MAEjC,EAAA,IAAI7oB,KAAK,EAAE;MACP0oB,IAAAA,iBAAiB,EAAE,CAAA;MACvB,GAAC,MACI;UACDA,iBAAiB,GAAGA,iBAAiB,GAAG,CAAC,GAAGA,iBAAiB,GAAG,CAAC,GAAG,CAAC,CAAA;MACzE,GAAA;QAEA,IAAIA,iBAAiB,GAAG,CAAC,EAAE;MAAA,IAAA,IAAAhf,SAAA,GAAAC,0BAAA,CACAkf,UAAU,CAAA;YAAAjf,KAAA,CAAA;MAAA,IAAA,IAAA;YAAjC,KAAAF,SAAA,CAAAG,CAAA,EAAAD,EAAAA,CAAAA,CAAAA,KAAA,GAAAF,SAAA,CAAAI,CAAA,EAAAC,EAAAA,IAAA,GAAmC;MAAA,QAAA,IAAxB+e,QAAQ,GAAAlf,KAAA,CAAAzK,KAAA,CAAA;MACfypB,QAAAA,IAAI,CAACG,SAAS,CAACC,GAAG,CAACF,QAAQ,CAAC,CAAA;MAChC,OAAA;MAAC,KAAA,CAAA,OAAA9e,GAAA,EAAA;YAAAN,SAAA,CAAAjO,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,KAAA,SAAA;MAAAN,MAAAA,SAAA,CAAAO,CAAA,EAAA,CAAA;MAAA,KAAA;MACL,GAAC,MACI;MAAA,IAAA,IAAAgf,UAAA,GAAAtf,0BAAA,CACsBkf,UAAU,CAAA;YAAAK,MAAA,CAAA;MAAA,IAAA,IAAA;YAAjC,KAAAD,UAAA,CAAApf,CAAA,EAAAqf,EAAAA,CAAAA,CAAAA,MAAA,GAAAD,UAAA,CAAAnf,CAAA,EAAAC,EAAAA,IAAA,GAAmC;MAAA,QAAA,IAAxB+e,SAAQ,GAAAI,MAAA,CAAA/pB,KAAA,CAAA;MACfypB,QAAAA,IAAI,CAACG,SAAS,CAACI,MAAM,CAACL,SAAQ,CAAC,CAAA;MACnC,OAAA;MAAC,KAAA,CAAA,OAAA9e,GAAA,EAAA;YAAAif,UAAA,CAAAxtB,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,KAAA,SAAA;MAAAif,MAAAA,UAAA,CAAAhf,CAAA,EAAA,CAAA;MAAA,KAAA;MACL,GAAA;MACJ,CAAA;MAkBsBmf,SAAAA,mBAAmBA,CAAApvB,EAAA,EAAAC,GAAA,EAAAC,GAAA,EAAAC,GAAA,EAAA;MAAA,EAAA,OAAAkvB,oBAAA,CAAAhvB,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAmExC,SAAA+uB,oBAAA,GAAA;QAAAA,oBAAA,GAAA9uB,iBAAA,CAnEM,WAAmCwY,MAAc,EAAEuW,cAA8B,EAAE9N,UAAmC,EAAE+N,WAAqB,EAAoB;UAAA,IAAAC,SAAA,EAAAC,iBAAA,CAAA;UACpK,IAAIC,GAAG,GAAG3W,MAAM,CAAA;UAGhB,IAAIwW,WAAW,KAAK,KAAK,IAAI,OAAOI,QAAQ,KAAK,WAAW,IAAA,CAAAH,SAAA,GAAIG,QAAQ,MAAA,IAAA,IAAAH,SAAA,KAAAC,KAAAA,CAAAA,IAAAA,CAAAA,iBAAA,GAARD,SAAA,CAAU5qB,OAAO,MAAA6qB,IAAAA,IAAAA,iBAAA,KAAjBA,KAAAA,CAAAA,IAAAA,iBAAA,CAAmBF,WAAW,EAAE;YAC5F,IAAIG,GAAG,CAAC9L,OAAO,CAAC,GAAG,CAAC,KAAK,CAAC,CAAC,EAAE;cACzB8L,GAAG,IAAA,GAAA,CAAA5qB,MAAA,CAAQ6qB,QAAQ,CAAC/qB,OAAO,CAAC2qB,WAAW,CAAE,CAAA;MAC7C,OAAC,MACI;cACDG,GAAG,IAAA,GAAA,CAAA5qB,MAAA,CAAQ6qB,QAAQ,CAAC/qB,OAAO,CAAC2qB,WAAW,CAAE,CAAA;MAC7C,OAAA;MACJ,KAAA;MAKA,IAAA,IAAID,cAAc,EAAE;YAChB,IAAIA,cAAc,EAAE,EAAE;MAClB,QAAA,OAAO,IAAI,CAAA;MACf,OAAA;MACJ,KAAA;MAGA,IAAA,IAAMM,OAAO,GAAGhpB,KAAK,CAACipB,IAAI,CAAC3V,QAAQ,CAAC4V,oBAAoB,CAAC,QAAQ,CAAC,CAAC,CAAA;MACnE,IAAA,IAAMC,UAAU,GAAGH,OAAO,CAAC7nB,MAAM,CAAC8H,CAAC,IAAIA,CAAC,CAAC6f,GAAG,KAAKA,GAAG,CAAC,CAAA;MAErD,IAAA,IAAIK,UAAU,CAAC9uB,MAAM,GAAG,CAAC,EAAE;YACvB,IAAM+uB,QAAO,GAAGC,mBAAmB,CAACF,UAAU,CAAC,CAAC,CAAC,CAAC,CAAA;MAClD,MAAA,OAAOC,QAAO,CAAA;MAClB,KAAA;MAGA,IAAA,IAAME,MAAM,GAAGhW,QAAQ,CAACgT,aAAa,CAAC,QAAQ,CAAC,CAAA;UAC/CgD,MAAM,CAAC5F,IAAI,GAAG,iBAAiB,CAAA;UAC/B4F,MAAM,CAACR,GAAG,GAAGA,GAAG,CAAA;MAChB,IAAA,IAAIlO,UAAU,EAAE;MACZ,MAAA,KAAK,IAAM2C,GAAG,IAAI3C,UAAU,EAAE;cAC1B0O,MAAM,CAACC,YAAY,CAAChM,GAAG,EAAE3C,UAAU,CAAC2C,GAAG,CAAC,CAAC,CAAA;MAC7C,OAAA;MACJ,KAAA;MAGA,IAAA,IAAM6L,OAAO,GAAGC,mBAAmB,CAACC,MAAM,CAAC,CAAA;MAC3ChW,IAAAA,QAAQ,CAAC4V,oBAAoB,CAAC,MAAM,CAAC,CAAC,CAAC,CAAC,CAACM,WAAW,CAACF,MAAM,CAAC,CAAA;MAE5D,IAAA,OAAOF,OAAO,CAAA;UAAC,SAEAC,mBAAmBA,CAAAnvB,GAAA,EAAA;MAAA,MAAA,OAAAuvB,oBAAA,CAAAhwB,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,KAAA;MAAA,IAAA,SAAA+vB,oBAAA,GAAA;MAAAA,MAAAA,oBAAA,GAAA9vB,iBAAA,CAAlC,WAAmC+vB,aAAgC,EAAoB;cACnF,IAAI;MACA,UAAA,MAAM,IAAIxN,OAAO,CAAO,CAACC,OAAO,EAAEwN,MAAM,KAAK;kBACzCD,aAAa,CAACnW,gBAAgB,CAAC,MAAM,EAAE,MAAM4I,OAAO,EAAE,CAAC,CAAA;MACvDuN,YAAAA,aAAa,CAACnW,gBAAgB,CAAC,OAAO,EAAE,MAAM;MAC1CoW,cAAAA,MAAM,EAAE,CAAA;MACZ,aAAC,CAAC,CAAA;MACN,WAAC,CAAC,CAAA;MAGF,UAAA,IAAIjB,cAAc,EAAE;MAChB,YAAA,OAAOA,cAAc,EAAE,CAAA;MAC3B,WAAA;MAEA,UAAA,OAAO,IAAI,CAAA;eACd,CACD,OAAAkB,OAAA,EAAM;MACF,UAAA,OAAO,KAAK,CAAA;MAChB,SAAA;aACH,CAAA,CAAA;MAAA,MAAA,OAAAH,oBAAA,CAAAhwB,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,KAAA;SACJ,CAAA,CAAA;MAAA,EAAA,OAAA+uB,oBAAA,CAAAhvB,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAUM,SAASmwB,cAAcA,CAACC,KAAa,EAAEC,OAAe,EAAEC,YAAqB,EAAQ;MAOxF,EAAA,IAAMC,IAAI,GAAGpa,MAAM,CAAC,MAAM,CAAU,CAAA;MACpC,EAAA,IAAIoa,IAAI,IAAIA,IAAI,CAACC,aAAa,EAAE;MAC5BD,IAAAA,IAAI,CAACC,aAAa,CAACL,cAAc,CAACE,OAAO,EAAEC,YAAY,KAAZA,IAAAA,IAAAA,YAAY,cAAZA,YAAY,GAAI,CAAC,EAAEF,KAAK,CAAC,CAAA;MACxE,GAAA;MACJ;;;;;;;;;;;;MCpHA,SAASK,YAAYA,CAACnC,IAAiC,EAAEoC,MAA+C,EAAe;MAEnH,EAAA,IAAMC,UAAU,GAAG/W,QAAQ,CAACgT,aAAa,CAAC,KAAK,CAAC,CAAA;MAChD+D,EAAAA,UAAU,CAAClC,SAAS,CAACC,GAAG,CAAC,kBAAkB,CAAC,CAAA;MAC5CiC,EAAAA,UAAU,CAACC,KAAK,CAACC,MAAM,GAAG,MAAM,CAAA;MAGhC,EAAA,IAAMC,KAAK,GAAGlX,QAAQ,CAACgT,aAAa,CAAC,KAAK,CAAC,CAAA;MAC3C+D,EAAAA,UAAU,CAACb,WAAW,CAACgB,KAAK,CAAC,CAAA;QAC7BA,KAAK,CAACrC,SAAS,CAACC,GAAG,CAAC,OAAO,EAAE,MAAM,CAAC,CAAA;MACpCoC,EAAAA,KAAK,CAACC,QAAQ,GAAG,CAAC,CAAC,CAAA;MACnBD,EAAAA,KAAK,CAACjB,YAAY,CAAC,MAAM,EAAE,QAAQ,CAAC,CAAA;MACpCiB,EAAAA,KAAK,CAACjB,YAAY,CAAC,aAAa,EAAE,OAAO,CAAC,CAAA;MAC1CiB,EAAAA,KAAK,CAACF,KAAK,CAACI,OAAO,GAAG,OAAO,CAAA;MAG7B,EAAA,IAAMC,WAAW,GAAGrX,QAAQ,CAACgT,aAAa,CAAC,KAAK,CAAC,CAAA;MACjDkE,EAAAA,KAAK,CAAChB,WAAW,CAACmB,WAAW,CAAC,CAAA;MAC9BA,EAAAA,WAAW,CAACxC,SAAS,CAACC,GAAG,CAAC,cAAc,CAAC,CAAA;MAGzC,EAAA,IAAMwC,YAAY,GAAGtX,QAAQ,CAACgT,aAAa,CAAC,KAAK,CAAC,CAAA;MAClDqE,EAAAA,WAAW,CAACnB,WAAW,CAACoB,YAAY,CAAC,CAAA;MACrCA,EAAAA,YAAY,CAACzC,SAAS,CAACC,GAAG,CAAC,eAAe,CAAC,CAAA;MAG3C,EAAA,IAAMyC,SAAS,GAAGvX,QAAQ,CAACgT,aAAa,CAAC,KAAK,CAAC,CAAA;MAC/CsE,EAAAA,YAAY,CAACpB,WAAW,CAACqB,SAAS,CAAC,CAAA;MACnCA,EAAAA,SAAS,CAAC1C,SAAS,CAACC,GAAG,CAAC,YAAY,CAAC,CAAA;MAGrC,EAAA,IAAIpoB,KAAK,CAACC,OAAO,CAAC+nB,IAAI,CAAC,EAAE;MAAA,IAAA,IAAAlf,SAAA,GAAAC,0BAAA,CACJif,IAAI,CAAA;YAAAhf,KAAA,CAAA;MAAA,IAAA,IAAA;YAArB,KAAAF,SAAA,CAAAG,CAAA,EAAAD,EAAAA,CAAAA,CAAAA,KAAA,GAAAF,SAAA,CAAAI,CAAA,EAAAC,EAAAA,IAAA,GAAuB;MAAA,QAAA,IAAZkd,EAAE,GAAArd,KAAA,CAAAzK,KAAA,CAAA;MACTssB,QAAAA,SAAS,CAACrB,WAAW,CAACnD,EAAE,CAAC,CAAA;MAC7B,OAAA;MAAC,KAAA,CAAA,OAAAjd,GAAA,EAAA;YAAAN,SAAA,CAAAjO,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,KAAA,SAAA;MAAAN,MAAAA,SAAA,CAAAO,CAAA,EAAA,CAAA;MAAA,KAAA;MACL,GAAC,MACI;MACDwhB,IAAAA,SAAS,CAACrB,WAAW,CAACxB,IAAI,CAAC,CAAA;MAC/B,GAAA;MAGA,EAAA,IAAIoC,MAAM,KAAK,CAACpqB,KAAK,CAACC,OAAO,CAACmqB,MAAM,CAAC,IAAIA,MAAM,CAAC/vB,MAAM,GAAG,CAAC,CAAC,EAAE;MACzD,IAAA,IAAMywB,WAAW,GAAGxX,QAAQ,CAACgT,aAAa,CAAC,KAAK,CAAC,CAAA;MACjDsE,IAAAA,YAAY,CAACpB,WAAW,CAACsB,WAAW,CAAC,CAAA;MACrCA,IAAAA,WAAW,CAAC3C,SAAS,CAACC,GAAG,CAAC,cAAc,CAAC,CAAA;MAGzC,IAAA,IAAIpoB,KAAK,CAACC,OAAO,CAACmqB,MAAM,CAAC,EAAE;MAAA,MAAA,IAAA/B,UAAA,GAAAtf,0BAAA,CACNqhB,MAAM,CAAA;cAAA9B,MAAA,CAAA;MAAA,MAAA,IAAA;cAAvB,KAAAD,UAAA,CAAApf,CAAA,EAAAqf,EAAAA,CAAAA,CAAAA,MAAA,GAAAD,UAAA,CAAAnf,CAAA,EAAAC,EAAAA,IAAA,GAAyB;MAAA,UAAA,IAAdkd,GAAE,GAAAiC,MAAA,CAAA/pB,KAAA,CAAA;MACTusB,UAAAA,WAAW,CAACtB,WAAW,CAACnD,GAAE,CAAC,CAAA;MAC/B,SAAA;MAAC,OAAA,CAAA,OAAAjd,GAAA,EAAA;cAAAif,UAAA,CAAAxtB,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,OAAA,SAAA;MAAAif,QAAAA,UAAA,CAAAhf,CAAA,EAAA,CAAA;MAAA,OAAA;MACL,KAAC,MACI;MACDyhB,MAAAA,WAAW,CAACtB,WAAW,CAACY,MAAM,CAAC,CAAA;MACnC,KAAA;MACJ,GAAA;MAIAC,EAAAA,UAAU,CAAC9W,gBAAgB,CAAC,OAAO,EAAE,MAAM;UACvCiX,KAAK,CAACrC,SAAS,CAACI,MAAM,CAAC,UAAU,EAAE,OAAO,CAAC,CAAA;MAC3CzY,IAAAA,UAAU,CAAC,MAAM;YACb0a,KAAK,CAACrC,SAAS,CAACC,GAAG,CAAC,UAAU,EAAE,OAAO,CAAC,CAAA;WAC3C,EAAE,CAAC,CAAC,CAAA;MACT,GAAC,CAAC,CAAA;MAEF,EAAA,OAAOiC,UAAU,CAAA;MACrB,CAAA;MAOA,SAASU,iBAAiBA,GAAsB;MAC5C,EAAA,IAAMC,WAAW,GAAG1X,QAAQ,CAACgT,aAAa,CAAC,QAAQ,CAAC,CAAA;MACpD0E,EAAAA,WAAW,CAAC7C,SAAS,CAACC,GAAG,CAAC,OAAO,CAAC,CAAA;QAClC4C,WAAW,CAACtH,IAAI,GAAG,QAAQ,CAAA;MAC3BsH,EAAAA,WAAW,CAACV,KAAK,CAACW,SAAS,GAAG,OAAO,CAAA;QACrCD,WAAW,CAACnE,SAAS,GAAG,SAAS,CAAA;MAEjC,EAAA,OAAOmE,WAAW,CAAA;MACtB,CAAA;MAOA,SAASE,cAAcA,GAAgB;MACnC,EAAA,IAAMC,QAAQ,GAAG7X,QAAQ,CAACgT,aAAa,CAAC,KAAK,CAAC,CAAA;MAC9C6E,EAAAA,QAAQ,CAAChD,SAAS,CAACC,GAAG,CAAC,gBAAgB,CAAC,CAAA;MACxC+C,EAAAA,QAAQ,CAACb,KAAK,CAACC,MAAM,GAAG,MAAM,CAAA;MAE9B,EAAA,OAAOY,QAAQ,CAAA;MACnB,CAAA;MAWO,SAASC,UAAUA,CAACptB,OAAsB,EAAmB;MAChE,EAAA,OAAO,IAAIke,OAAO,CAASC,OAAO,IAAI;MAAA,IAAA,IAAAkP,qBAAA,CAAA;UAClC,IAAIC,KAA4B,GAAG,IAAI,CAAA;UACvC,IAAMC,SAAS,GAAGjY,QAAQ,CAACkY,iBAAiB,IAAIlY,QAAQ,CAAC0U,IAAI,CAAA;MAC7D,IAAA,IAAMA,IAAI,GAAG1U,QAAQ,CAACgT,aAAa,CAAC,KAAK,CAAC,CAAA;MAC1C0B,IAAAA,IAAI,CAACtB,SAAS,GAAG1oB,OAAO,CAACzC,OAAO,CAAA;UAEhC,IAAMkwB,OAAsB,GAAG,EAAE,CAAA;UAQjC,SAASC,WAAWA,CAACnxB,MAAc,EAAQ;YAEvC,IAAI+wB,KAAK,KAAK,IAAI,EAAE;MAChB,QAAA,OAAA;MACJ,OAAA;YAIAA,KAAK,GAAGxb,UAAU,CAAC,MAAM;cACrBqb,QAAQ,CAAC5C,MAAM,EAAE,CAAA;cACjBoD,MAAM,CAACpD,MAAM,EAAE,CAAA;cACfR,eAAe,CAAC,KAAK,CAAC,CAAA;cAEtB5L,OAAO,CAAC5hB,MAAM,CAAC,CAAA;aAClB,EAAE,IAAI,CAAC,CAAA;MAERiwB,MAAAA,KAAK,CAACjX,gBAAgB,CAAC,eAAe,EAAE,MAAM;MAC1C,QAAA,IAAI+X,KAAK,EAAE;gBACPvZ,YAAY,CAACuZ,KAAK,CAAC,CAAA;MACvB,SAAA;cAEAH,QAAQ,CAAC5C,MAAM,EAAE,CAAA;cACjBoD,MAAM,CAACpD,MAAM,EAAE,CAAA;cACfR,eAAe,CAAC,KAAK,CAAC,CAAA;cAEtB5L,OAAO,CAAC5hB,MAAM,CAAC,CAAA;MACnB,OAAC,CAAC,CAAA;MAEFiwB,MAAAA,KAAK,CAACrC,SAAS,CAACI,MAAM,CAAC,IAAI,CAAC,CAAA;MAC5B4C,MAAAA,QAAQ,CAAChD,SAAS,CAACI,MAAM,CAAC,IAAI,CAAC,CAAA;MACnC,KAAA;MAAC,IAAA,IAAAqD,UAAA,GAAA7iB,0BAAA,CAGoB/K,OAAO,CAACytB,OAAO,CAAA;YAAAI,MAAA,CAAA;MAAA,IAAA,IAAA;YAAA,IAAAxR,KAAA,GAAAA,SAAAA,KAAAA,GAAE;MAAA,QAAA,IAA3ByR,MAAM,GAAAD,MAAA,CAAAttB,KAAA,CAAA;MACb,QAAA,IAAMwtB,GAAG,GAAGzY,QAAQ,CAACgT,aAAa,CAAC,QAAQ,CAAC,CAAA;MAC5CyF,QAAAA,GAAG,CAAC5D,SAAS,CAAC5pB,KAAK,GAAGutB,MAAM,CAACE,SAAS,CAAA;cACtCD,GAAG,CAACrI,IAAI,GAAG,QAAQ,CAAA;MACnBqI,QAAAA,GAAG,CAACrF,SAAS,GAAGoF,MAAM,CAACrI,KAAK,CAAA;MAC5BsI,QAAAA,GAAG,CAACxY,gBAAgB,CAAC,OAAO,EAAE,MAAM;MAChCmY,UAAAA,WAAW,CAACI,MAAM,CAACvO,GAAG,CAAC,CAAA;MAC3B,SAAC,CAAC,CAAA;MACFkO,QAAAA,OAAO,CAACvrB,IAAI,CAAC6rB,GAAG,CAAC,CAAA;aACpB,CAAA;YATD,KAAAH,UAAA,CAAA3iB,CAAA,EAAA4iB,EAAAA,CAAAA,CAAAA,MAAA,GAAAD,UAAA,CAAA1iB,CAAA,EAAA,EAAAC,IAAA,GAAA;cAAAkR,KAAA,EAAA,CAAA;MAAA,OAAA;MASC,KAAA,CAAA,OAAAjR,GAAA,EAAA;YAAAwiB,UAAA,CAAA/wB,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,KAAA,SAAA;MAAAwiB,MAAAA,UAAA,CAAAviB,CAAA,EAAA,CAAA;MAAA,KAAA;UAGD,IAAM2hB,WAAW,GAAGD,iBAAiB,EAAE,CAAA;MACvCC,IAAAA,WAAW,CAACzX,gBAAgB,CAAC,OAAO,EAAE,MAAM;YACxCmY,WAAW,CAAC,QAAQ,CAAC,CAAA;MACzB,KAAC,CAAC,CAAA;UAEF,IAAMC,MAAM,GAAGxB,YAAY,CAAC,CAACa,WAAW,EAAEhD,IAAI,CAAC,EAAEyD,OAAO,CAAC,CAAA;UACzD,IAAMN,QAAQ,GAAGD,cAAc,EAAE,CAAA;MAEjC,IAAA,IAAMV,KAAK,GAAGmB,MAAM,CAACM,aAAa,CAAC,QAAQ,CAAgB,CAAA;UAG3DlE,eAAe,CAAC,IAAI,CAAC,CAAA;MACrBwD,IAAAA,SAAS,CAAC/B,WAAW,CAACmC,MAAM,CAAC,CAAA;MAC7BJ,IAAAA,SAAS,CAAC/B,WAAW,CAAC2B,QAAQ,CAAC,CAAA;MAC/BX,IAAAA,KAAK,CAACF,KAAK,CAACW,SAAS,GAAA/sB,GAAAA,CAAAA,MAAA,CAAOssB,KAAK,CAAC0B,YAAY,GAAG,GAAG,EAAI,IAAA,CAAA,CAAA;MAGxDf,IAAAA,QAAQ,CAAChD,SAAS,CAACC,GAAG,CAAC,IAAI,CAAC,CAAA;MAC5BoC,IAAAA,KAAK,CAACrC,SAAS,CAACC,GAAG,CAAC,IAAI,CAAC,CAAA;MAGzB,IAAA,CAAAiD,qBAAA,GAAArtB,OAAO,CAACmuB,iBAAiB,MAAA,IAAA,IAAAd,qBAAA,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAzBA,qBAAA,CAA2Bhb,uBAAuB,CAAC,MAAM;YACrDqb,WAAW,CAAC,QAAQ,CAAC,CAAA;MACzB,KAAC,CAAC,CAAA;MACN,GAAC,CAAC,CAAA;MACN,CAAA;MASsBU,SAAAA,KAAKA,CAAAhzB,EAAA,EAAA;MAAA,EAAA,OAAAizB,MAAA,CAAA5yB,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAW1B,SAAA2yB,MAAA,GAAA;MAAAA,EAAAA,MAAA,GAAA1yB,iBAAA,CAXM,WAAqB4B,OAAe,EAAiB;MACxD,IAAA,MAAM6vB,UAAU,CAAC;YACb7vB,OAAO;MACPkwB,MAAAA,OAAO,EAAE,CACL;MACIlO,QAAAA,GAAG,EAAE,IAAI;MACTkG,QAAAA,KAAK,EAAE,IAAI;MACXuI,QAAAA,SAAS,EAAE,iBAAA;aACd,CAAA;MAET,KAAC,CAAC,CAAA;SACL,CAAA,CAAA;MAAA,EAAA,OAAAK,MAAA,CAAA5yB,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAWqB4yB,SAAAA,OAAOA,CAAAjzB,GAAA,EAAA;MAAA,EAAA,OAAAkzB,QAAA,CAAA9yB,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAkB5B,SAAA6yB,QAAA,GAAA;MAAAA,EAAAA,QAAA,GAAA5yB,iBAAA,CAlBM,WAAuB4B,OAAe,EAAoB;UAC7D,IAAMhB,MAAM,GAAS6wB,MAAAA,UAAU,CAAC;YAC5B7vB,OAAO;MACPkwB,MAAAA,OAAO,EAAE,CACL;MACIlO,QAAAA,GAAG,EAAE,IAAI;MACTkG,QAAAA,KAAK,EAAE,IAAI;MACXuI,QAAAA,SAAS,EAAE,iBAAA;MACf,OAAC,EACD;MACIzO,QAAAA,GAAG,EAAE,QAAQ;MACbkG,QAAAA,KAAK,EAAE,QAAQ;MACfuI,QAAAA,SAAS,EAAE,iBAAA;aACd,CAAA;MAET,KAAC,CAAC,CAAA;UAEF,OAAOzxB,MAAM,KAAK,IAAI,CAAA;SACzB,CAAA,CAAA;MAAA,EAAA,OAAAgyB,QAAA,CAAA9yB,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAYM,SAAS8yB,aAAaA,CAACC,QAAgB,EAAEC,iBAA0B,EAAoB;MAC1F,EAAA,IAAInxB,OAAO,GAAA,uCAAA,CAAA2C,MAAA,CAA2CuuB,QAAQ,EAAG,GAAA,CAAA,CAAA;MAEjE,EAAA,IAAIC,iBAAiB,EAAE;MACnBnxB,IAAAA,OAAO,IAAA2C,GAAAA,CAAAA,MAAA,CAAQwuB,iBAAiB,CAAE,CAAA;MACtC,GAAA;QAEA,OAAOJ,OAAO,CAAC/wB,OAAO,CAAC,CAAA;MAC3B,CAAA;MASO,SAASoxB,YAAYA,CAACC,eAAuC,EAAEC,WAAmC,EAAsC;MAAA,EAAA,IAApCC,WAAmB,GAAApzB,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAG,MAAM,CAAA;QACnIqzB,IAAI,CAACC,QAAQ,CAACxC,KAAK,CAACyC,IAAI,CAAC3yB,SAAS,EAAA4D,UAAAA,CAAAA,MAAA,CAAa0uB,eAAe,EAAA,GAAA,CAAA,CAAA1uB,MAAA,CAAI2uB,WAAW,gBAAA3uB,MAAA,CAAa4uB,WAAW,EAAe,cAAA,CAAA,CAAA,CAAA;MACxH,CAAA;MAMO,SAASI,cAAcA,CAACC,MAA8B,EAAQ;MACjEJ,EAAAA,IAAI,CAACC,QAAQ,CAACxC,KAAK,CAACyC,IAAI,CAAC3yB,SAAS,EAAA4D,SAAAA,CAAAA,MAAA,CAAYivB,MAAM,EAAqC,oCAAA,CAAA,CAAA,CAAA;MAC7F;;;;;;;;;;;;;MCnUO,SAASC,OAAOA,CAACrtB,GAAY,EAAW;MAC3C,EAAA,IAAI,OAAOA,GAAG,KAAK,QAAQ,EAAE;UACzB,IAAMstB,EAAE,GAAG,uJAAuJ,CAAA;UAClK,OAAOA,EAAE,CAACvqB,IAAI,CAAC/C,GAAG,CAAC4C,WAAW,EAAE,CAAC,CAAA;MACrC,GAAA;MAEA,EAAA,OAAO,KAAK,CAAA;MAChB;;;;;;;;MCnBO,SAAS2qB,iBAAiBA,CAAEC,WAAmC,EAAiB;QACnF,IAAMC,eAA8B,GAAG,EAAE,CAAA;MACzC,EAAA,KAAI,IAAMC,QAAQ,IAAIF,WAAW,EAAE;UAC/BC,eAAe,CAACttB,IAAI,CAAC;MACjB1B,MAAAA,IAAI,EAAE+uB,WAAW,CAACE,QAAQ,CAAC,CAAChrB,QAAQ,EAAE;YACtClE,KAAK,EAAEkvB,QAAQ,CAAChrB,QAAQ,EAAA;MAC5B,KAAC,CAAC,CAAA;MACN,GAAA;MACA,EAAA,OAAO+qB,eAAe,CAAA;MAC1B;;;;;;;;MCGA,IAAME,cAAwC,GAAG,EAAE,CAAA;MAY5C,SAASC,iBAAiBA,CAACC,aAAmB,EAAEC,SAAqB,EAAQ;MAChF,EAAA,IAAMC,cAAc,GAAGprB,SAAS,CAACkrB,aAAa,CAAC,CAAA;QAE/C,IAAI,CAAChrB,WAAW,CAACgrB,aAAa,CAAC,IAAIE,cAAc,KAAK,IAAI,EAAE;MACxD,IAAA,MAAM,qDAAqD,CAAA;MAC/D,GAAA;MAEA,EAAA,IAAIJ,cAAc,CAACI,cAAc,CAAC,KAAKxzB,SAAS,EAAE;MAC9C,IAAA,MAAM,iDAAiD,CAAA;MAC3D,GAAA;MAEAozB,EAAAA,cAAc,CAACI,cAAc,CAAC,GAAGD,SAAS,CAAA;MAC9C,CAAA;MASO,SAASE,YAAYA,CAACH,aAAmB,EAAqB;MACjE,EAAA,IAAME,cAAc,GAAGprB,SAAS,CAACkrB,aAAa,CAAC,CAAA;QAE/C,IAAIE,cAAc,KAAK,IAAI,EAAE;MACzB,IAAA,IAAME,KAAK,GAAGN,cAAc,CAACI,cAAc,CAAC,CAAA;MAE5C,IAAA,IAAIE,KAAK,EAAE;MACP,MAAA,OAAOA,KAAK,CAAA;MAChB,KAAA;MACJ,GAAA;MAEAxb,EAAAA,OAAO,CAACyb,IAAI,CAAA,eAAA,CAAA/vB,MAAA,CAAgB0vB,aAAa,EAAkB,kBAAA,CAAA,CAAA,CAAA;MAC3D,EAAA,OAAO,IAAI,CAAA;MACf;;;;;;;;;MC3CA,SAAsBM,YAAYA,CAAA90B,EAAA,EAAAC,GAAA,EAAA;MAAA,EAAA,OAAA80B,aAAA,CAAA10B,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAiBjC,SAAAy0B,aAAA,GAAA;MAAAA,EAAAA,aAAA,GAAAx0B,iBAAA,CAjBM,WAA4BI,IAAU,EAAEq0B,QAAgB,EAAiB;MAE5E,IAAA,IAAMv0B,GAAG,GAAGw0B,GAAG,CAACC,eAAe,CAACv0B,IAAI,CAAC,CAAA;MAGrC,IAAA,IAAMw0B,OAAO,GAAGjb,QAAQ,CAACgT,aAAa,CAAC,GAAG,CAAC,CAAA;UAC3CiI,OAAO,CAAC7H,SAAS,GAAG,UAAU,CAAA;MAC9B6H,IAAAA,OAAO,CAACjE,KAAK,CAACkE,QAAQ,GAAG,UAAU,CAAA;MACnCD,IAAAA,OAAO,CAACjE,KAAK,CAAC1C,GAAG,GAAG,QAAQ,CAAA;MAC5B2G,IAAAA,OAAO,CAACjE,KAAK,CAACmE,IAAI,GAAG,GAAG,CAAA;UACxBF,OAAO,CAACG,IAAI,GAAG70B,GAAG,CAAA;UAClB00B,OAAO,CAACI,QAAQ,GAAGP,QAAQ,CAAA;MAC3B9a,IAAAA,QAAQ,CAAC0U,IAAI,CAACwB,WAAW,CAAC+E,OAAO,CAAC,CAAA;UAClCA,OAAO,CAACK,KAAK,EAAE,CAAA;MACftb,IAAAA,QAAQ,CAAC0U,IAAI,CAAC6G,WAAW,CAACN,OAAO,CAAC,CAAA;UAElCze,UAAU,CAAC,MAAMue,GAAG,CAACS,eAAe,CAACj1B,GAAG,CAAC,EAAE,GAAG,CAAC,CAAA;SAClD,CAAA,CAAA;MAAA,EAAA,OAAAs0B,aAAA,CAAA10B,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA;;;;;;;;MCrBD,IAAMq1B,eAAe,GAAG7yB,MAAM,EAAE,CAAA;MAgCzB,SAAS8yB,gBAAgBA,CAAC5vB,KAAgB,EAAQ;MACrD/C,EAAAA,OAAO,CAAC0yB,eAAe,EAAE3vB,KAAK,CAAC,CAAA;MACnC,CAAA;MAOO,SAAS6vB,YAAYA,GAA0B;MAClD,EAAA,OAAOxyB,MAAM,CAAwBsyB,eAAe,EAAEz0B,SAAS,CAAC,CAAA;MACpE;;;;;;;;;MCpBA,SAAsB40B,eAAeA,CAAA91B,EAAA,EAAAC,GAAA,EAAA;MAAA,EAAA,OAAA81B,gBAAA,CAAA11B,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAuCpC,SAAAy1B,gBAAA,GAAA;MAAAA,EAAAA,gBAAA,GAAAx1B,iBAAA,CAvCM,WAA+B40B,OAAoB,EAAEa,YAA2B,EAAoB;UACvG,IAAI;YACA,IAAIb,OAAO,CAACc,iBAAiB,EAAE;cAC3B,MAAMd,OAAO,CAACc,iBAAiB,EAAE,CAAA;MACrC,OAAC,MACI,IAAId,OAAO,CAACe,oBAAoB,EAAE;cACnC,MAAMf,OAAO,CAACe,oBAAoB,EAAE,CAAA;MACxC,OAAC,MACI,IAAIf,OAAO,CAACgB,uBAAuB,EAAE;cACtC,MAAMhB,OAAO,CAACgB,uBAAuB,EAAE,CAAA;MAC3C,OAAC,MACI;MACD,QAAA,OAAO,KAAK,CAAA;MAChB,OAAA;MAEAhB,MAAAA,OAAO,CAACpG,SAAS,CAACC,GAAG,CAAC,eAAe,CAAC,CAAA;YAEtC,IAAMoH,kBAAkB,GAAGA,MAAY;MACnCjB,QAAAA,OAAO,CAACpG,SAAS,CAACI,MAAM,CAAC,eAAe,CAAC,CAAA;MAEzCjV,QAAAA,QAAQ,CAACe,mBAAmB,CAAC,kBAAkB,EAAEmb,kBAAkB,CAAC,CAAA;MACpElc,QAAAA,QAAQ,CAACe,mBAAmB,CAAC,qBAAqB,EAAEmb,kBAAkB,CAAC,CAAA;MACvElc,QAAAA,QAAQ,CAACe,mBAAmB,CAAC,wBAAwB,EAAEmb,kBAAkB,CAAC,CAAA;MAE1E,QAAA,IAAIJ,YAAY,EAAE;MACdA,UAAAA,YAAY,EAAE,CAAA;MAClB,SAAA;aACH,CAAA;MAED9b,MAAAA,QAAQ,CAACC,gBAAgB,CAAC,kBAAkB,EAAEic,kBAAkB,CAAC,CAAA;MACjElc,MAAAA,QAAQ,CAACC,gBAAgB,CAAC,qBAAqB,EAAEic,kBAAkB,CAAC,CAAA;MACpElc,MAAAA,QAAQ,CAACC,gBAAgB,CAAC,wBAAwB,EAAEic,kBAAkB,CAAC,CAAA;MAEvE,MAAA,OAAO,IAAI,CAAA;WACd,CACD,OAAOC,EAAE,EAAE;MACPjd,MAAAA,OAAO,CAACC,KAAK,CAACgd,EAAE,CAAC,CAAA;MACjB,MAAA,OAAO,KAAK,CAAA;MAChB,KAAA;SACH,CAAA,CAAA;MAAA,EAAA,OAAAN,gBAAA,CAAA11B,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAOM,SAASg2B,YAAYA,GAAY;MACpC,EAAA,OAAO,CAAC,CAACpc,QAAQ,CAACkY,iBAAiB,IAAI,CAAC,CAAClY,QAAQ,CAACqc,oBAAoB,IAAI,CAAC,CAACrc,QAAQ,CAACsc,uBAAuB,CAAA;MAChH,CAAA;MAOA,SAAsBC,cAAcA,GAAA;MAAA,EAAA,OAAAC,eAAA,CAAAr2B,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAqBnC,SAAAo2B,eAAA,GAAA;QAAAA,eAAA,GAAAn2B,iBAAA,CArBM,aAAkD;UACrD,IAAI;YACA,IAAI2Z,QAAQ,CAACuc,cAAc,EAAE;cACzB,MAAMvc,QAAQ,CAACuc,cAAc,EAAE,CAAA;MACnC,OAAC,MACI,IAAIvc,QAAQ,CAACyc,mBAAmB,EAAE;cACnC,MAAMzc,QAAQ,CAACyc,mBAAmB,EAAE,CAAA;MACxC,OAAC,MACI,IAAIzc,QAAQ,CAAC0c,oBAAoB,EAAE;cACpC1c,QAAQ,CAAC0c,oBAAoB,EAAE,CAAA;MACnC,OAAC,MACI;MACD,QAAA,OAAO,KAAK,CAAA;MAChB,OAAA;MAEA,MAAA,OAAO,IAAI,CAAA;WACd,CACD,OAAOP,EAAE,EAAE;MACPjd,MAAAA,OAAO,CAACC,KAAK,CAACgd,EAAE,CAAC,CAAA;MACjB,MAAA,OAAO,KAAK,CAAA;MAChB,KAAA;SACH,CAAA,CAAA;MAAA,EAAA,OAAAK,eAAA,CAAAr2B,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA;;;;;;;;;;MCrFM,SAASu2B,YAAYA,CAACC,KAAuB,EAA4C;MAAA,EAAA,IAA1CC,WAAoB,GAAAz2B,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAG,KAAK,CAAA;MAC9E,EAAA,IAAI,OAAOw2B,KAAK,IAAI,QAAQ,EAAE;MAE1B,IAAA,IAAIC,WAAW,EAAE;MACb,MAAA,OAAOD,KAAK,CAAC/qB,KAAK,CAAC,GAAG,CAAC,CAACirB,OAAO,EAAE,CAACC,GAAG,CAACtwB,GAAG,IAAIuwB,UAAU,CAACvwB,GAAG,CAAC,CAAC,CAAA;MACjE,KAAC,MAEI;MACD,MAAA,OAAOmwB,KAAK,CAAC/qB,KAAK,CAAC,GAAG,CAAC,CAACkrB,GAAG,CAACtwB,GAAG,IAAIuwB,UAAU,CAACvwB,GAAG,CAAC,CAAC,CAAA;MACvD,KAAA;MACJ,GAAC,MACI;UACD,OAAO,CAACmwB,KAAK,CAACK,GAAG,EAAE,EAAEL,KAAK,CAACM,GAAG,EAAE,CAAC,CAAA;MACrC,GAAA;MACJ,CAAA;MAKO,SAASC,sBAAsBA,CAACC,aAAqB,EAAEhN,IAAiB,EAAgB;QAC3F,IAAIgN,aAAa,IAAI,EAAE,EAAE;MACrB,IAAA,OAAO,EAAE,CAAA;MACb,GAAA;QACA,IAAIhN,IAAI,IAAI,OAAO,EAAE;MAEjB,IAAA,OAAO,CAACuM,YAAY,CAACS,aAAa,CAACtuB,OAAO,CAAC,0BAA0B,EAAE,EAAE,CAAC,EAAE,IAAI,CAAC,CAAC,CAAA;MACtF,GAAC,MACI;UAED,OAAOsuB,aAAa,CAACtuB,OAAO,CAAC,8BAA8B,EAAE,EAAE,CAAC,CAAC+C,KAAK,CAAC,OAAO,CAAC,CAACkrB,GAAG,CAAEH,KAAK,IAAKD,YAAY,CAACC,KAAK,EAAE,IAAI,CAAC,CAAC,CAAA;MAC7H,GAAA;MACJ,CAAA;MAKO,SAASS,sBAAsBA,CAACC,WAAyB,EAAElN,IAAiB,EAAU;MACzF,EAAA,IAAIkN,WAAW,CAACv2B,MAAM,IAAI,CAAC,EAAE;MACzB,IAAA,OAAO,EAAE,CAAA;MACb,GAAC,MACI,IAAIqpB,IAAI,IAAI,OAAO,EAAE;MACtB,IAAA,OAAA,QAAA,CAAAxlB,MAAA,CAAgB0yB,WAAW,CAAC,CAAC,CAAC,CAACR,OAAO,EAAE,CAACzsB,IAAI,CAAC,GAAG,CAAC,EAAA,GAAA,CAAA,CAAA;MACtD,GAAC,MACI;MAED,IAAA,IAAIktB,kBAAkB,CAACD,WAAW,CAAC,EAAE;YACjCA,WAAW,CAACR,OAAO,EAAE,CAAA;MACzB,KAAA;UAEA,IAAMU,gBAAgB,GAAGF,WAAW,CAACP,GAAG,CAACU,MAAM,IAAIA,MAAM,CAACX,OAAO,EAAE,CAACzsB,IAAI,CAAC,GAAG,CAAC,CAAC,CAACA,IAAI,CAAC,IAAI,CAAC,CAAA;UACzF,OAAAzF,WAAAA,CAAAA,MAAA,CAAmB4yB,gBAAgB,EAAA,IAAA,CAAA,CAAA;MACvC,GAAA;MACJ,CAAA;MAKO,SAASE,wBAAwBA,CAACC,UAAsB,EAAmB;MAC9E,EAAA,OAAO,IAAI/U,OAAO,CAACC,OAAO,IAAI;UAE1B,IAAItM,MAAM,CAACqhB,MAAM,EAAE;YACf,IAAMC,QAAQ,GAAG,IAAID,MAAM,CAACE,IAAI,CAACC,QAAQ,EAAE,CAAA;YAC3CF,QAAQ,CAACG,OAAO,CAAC;cAAEC,QAAQ,EAAE,IAAIL,MAAM,CAACE,IAAI,CAACI,MAAM,CAAC,GAAGP,UAAU,CAAA;MAAE,OAAC,EAAE,UAAUQ,OAAO,EAAE92B,MAAM,EAAE;MAC7F,QAAA,IAAIA,MAAM,IAAIu2B,MAAM,CAACE,IAAI,CAACM,cAAc,CAACC,EAAE,IAAIF,OAAO,aAAPA,OAAO,KAAA,KAAA,CAAA,IAAPA,OAAO,CAAG,CAAC,CAAC,EAAE;gBACzDtV,OAAO,CAAC,OAAO,GAAGsV,OAAO,CAAC,CAAC,CAAC,CAACG,iBAAiB,CAAC,CAAA;MACnD,SAAC,MACI;MACDpf,UAAAA,OAAO,CAACqf,GAAG,CAAC,0BAA0B,GAAGl3B,MAAM,CAAC,CAAA;gBAChDwhB,OAAO,CAAC,EAAE,CAAC,CAAA;MACf,SAAA;MACJ,OAAC,CAAC,CAAA;MACN,KAAC,MACI;YACDA,OAAO,CAAC,EAAE,CAAC,CAAA;MACf,KAAA;MACJ,GAAC,CAAC,CAAA;MACN,CAAA;MAKO,SAAS2V,yBAAyBA,CAAClB,WAAyB,EAAmB;QAClF,IAAI,CAACA,WAAW,IAAIA,WAAW,CAACv2B,MAAM,IAAI,CAAC,EAAE;MACzC,IAAA,OAAO6hB,OAAO,CAACC,OAAO,CAAC,EAAE,CAAC,CAAA;MAC9B,GAAA;MACA,EAAA,OAAO6U,wBAAwB,CAACJ,WAAW,CAAC,CAAC,CAAC,CAAC,CAAA;MACnD,CAAA;MAOO,SAASC,kBAAkBA,CAACkB,OAAmB,EAAW;QAC7D,IAAIC,GAAG,GAAG,CAAC,CAAA;MAEX,EAAA,KAAK,IAAIppB,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGmpB,OAAO,CAAC13B,MAAM,GAAG,CAAC,EAAEuO,CAAC,EAAE,EAAE;UACzCopB,GAAG,IAAI,CAAC30B,IAAI,CAACyK,GAAG,CAACiqB,OAAO,CAACnpB,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,GAAGvL,IAAI,CAACyK,GAAG,CAACiqB,OAAO,CAACnpB,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,KAAKvL,IAAI,CAACyK,GAAG,CAACiqB,OAAO,CAACnpB,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,GAAGvL,IAAI,CAACyK,GAAG,CAACiqB,OAAO,CAACnpB,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAA;MAC5H,GAAA;QAEA,OAAOopB,GAAG,GAAG,CAAC,CAAA;MAClB,CAAA;MASA,SAAsBC,gBAAgBA,GAAA;MAAA,EAAA,OAAAC,iBAAA,CAAAz4B,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAarC,SAAAw4B,iBAAA,GAAA;QAAAA,iBAAA,GAAAv4B,iBAAA,CAbM,aAA2I;MAAA,IAAA,IAAAw4B,cAAA,CAAA;UAAA,IAA3Gn0B,OAAuC,GAAAtE,SAAA,CAAAW,MAAA,GAAAX,CAAAA,IAAAA,SAAA,CAAAY,CAAAA,CAAAA,KAAAA,SAAA,GAAAZ,SAAA,CAAG,CAAA,CAAA,GAAA;MAAE04B,MAAAA,iBAAiB,EAAElwB,SAAAA;WAAW,CAAA;UAC7G,IAAM7G,QAAQ,SAASS,IAAI,CAAgC,gDAAgD,EAAExB,SAAS,EAAE0D,OAAO,CAAC,CAAA;MAChI,IAAA,IAAMq0B,iBAAiB,GAAA,CAAAF,cAAA,GAAG92B,QAAQ,CAACtB,IAAI,MAAA,IAAA,IAAAo4B,cAAA,KAAA,KAAA,CAAA,GAAAA,cAAA,GAAI,EAAE,CAAA;UAE7C,IAAIG,QAAQ,GAAG,EAAE,CAAA;UAEjB,IAAID,iBAAiB,CAACE,YAAY,EAAE;MAChCD,MAAAA,QAAQ,UAAAp0B,MAAA,CAAUm0B,iBAAiB,CAACE,YAAY,EAAG,GAAA,CAAA,CAAA;MACvD,KAAA;UAEA,MAAM/J,mBAAmB,4CAAAtqB,MAAA,CAA4Co0B,QAAQ,EAA4C,0CAAA,CAAA,EAAA,MAAM,OAAQpB,MAAO,IAAI,WAAW,IAAI,OAAQA,MAAM,CAACE,IAAK,IAAI,WAAW,EAAE,EAAE,EAAE,KAAK,CAAC,CAAA;MAEhN,IAAA,OAAOiB,iBAAiB,CAAA;SAC3B,CAAA,CAAA;MAAA,EAAA,OAAAH,iBAAA,CAAAz4B,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAKM,SAAS84B,YAAYA,CAACC,0BAA6D,EAAEC,kBAA4C,EAAEC,aAAuB,EAAW;MACxK,EAAA,OAAO,IAAIzB,MAAM,CAACE,IAAI,CAACI,MAAM,CAACiB,0BAA0B,EAAYC,kBAAkB,EAAEC,aAAa,CAAC,CAAA;MAC1G;;;;;;;;;;;;;;;MChIA,IAAMC,mBAAuC,GAAG,CAC5C,CAAC,CAAC,EAAE,KAAK,CAAC,EACV,CAAC,CAAC,EAAE,KAAK,CAAC,EACV,CAAC,CAAC,EAAE,KAAK,CAAC,EACV,CAAC,CAAC,EAAE,KAAK,CAAC,EACV,CAAC,CAAC,CAAC,EAAE,MAAM,CAAC,CACf,CAAA;MAaD,SAASC,WAAWA,CAACt0B,KAAa,EAAElE,MAAc,EAAU;MACxD,EAAA,IAAMwJ,GAAG,GAAGtF,KAAK,CAACkE,QAAQ,EAAE,CAAA;QAE5B,OAAO,GAAG,CAACqwB,MAAM,CAACz4B,MAAM,GAAGwJ,GAAG,CAACxJ,MAAM,CAAC,GAAGwJ,GAAG,CAAA;MAChD,CAAA;MASA,SAASkvB,aAAaA,CAAC7sB,IAAkB,EAAU;MAC/C,EAAA,IAAMI,IAAI,GAAGJ,IAAI,CAACI,IAAI,CAAA;MACtB,EAAA,IAAMC,KAAK,GAAGL,IAAI,CAACK,KAAK,CAAA;MACxB,EAAA,IAAMC,GAAG,GAAGN,IAAI,CAACM,GAAG,CAAA;QAEpB,OAAAtI,EAAAA,CAAAA,MAAA,CAAUoI,IAAI,CAAA,CAAApI,MAAA,CAAG20B,WAAW,CAACtsB,KAAK,EAAE,CAAC,CAAC,CAAA,CAAArI,MAAA,CAAG20B,WAAW,CAACrsB,GAAG,EAAE,CAAC,CAAC,CAAA,CAAA;MAChE,CAAA;MASA,SAASwsB,aAAaA,CAAC9sB,IAAkB,EAAU;MAC/C,EAAA,IAAMiB,IAAI,GAAGjB,IAAI,CAACiB,IAAI,CAAA;MACtB,EAAA,IAAMO,MAAM,GAAGxB,IAAI,CAACwB,MAAM,CAAA;MAC1B,EAAA,IAAMC,MAAM,GAAGzB,IAAI,CAACyB,MAAM,CAAA;QAE1B,OAAAzJ,EAAAA,CAAAA,MAAA,CAAU20B,WAAW,CAAC1rB,IAAI,EAAE,CAAC,CAAC,CAAAjJ,CAAAA,MAAA,CAAG20B,WAAW,CAACnrB,MAAM,EAAE,CAAC,CAAC,CAAAxJ,CAAAA,MAAA,CAAG20B,WAAW,CAAClrB,MAAM,EAAE,CAAC,CAAC,CAAA,CAAA;MACpF,CAAA;MASA,SAASsrB,iBAAiBA,CAAC/sB,IAAkB,EAAU;MACnD,EAAA,OAAA,EAAA,CAAAhI,MAAA,CAAU60B,aAAa,CAAC7sB,IAAI,CAAC,EAAAhI,GAAAA,CAAAA,CAAAA,MAAA,CAAI80B,aAAa,CAAC9sB,IAAI,CAAC,CAAA,CAAA;MACxD,CAAA;MAUA,SAASgtB,yBAAyBA,CAAC30B,KAAa,EAAkB;MAC9D,EAAA,IAAMqb,QAAQ,GAAGrb,KAAK,CAAC4G,KAAK,CAAC,GAAG,CAAC,CAAA;MAEjC,EAAA,IAAIyU,QAAQ,CAACvf,MAAM,KAAK,CAAC,EAAE;MACvB,IAAA,OAAO,EAAE,CAAA;MACb,GAAA;QAEA,IAAM84B,SAAS,GAAGC,iBAAiB,CAACxZ,QAAQ,CAAC,CAAC,CAAC,CAAC,CAAA;QAChD,IAAI,CAACuZ,SAAS,EAAE;MACZ,IAAA,OAAO,EAAE,CAAA;MACb,GAAA;MAEA,EAAA,IAAIvZ,QAAQ,CAACvf,MAAM,KAAK,CAAC,EAAE;UACvB,OAAO,CAAC84B,SAAS,CAAC,CAAA;MACtB,GAAA;QAEA,IAAME,KAAqB,GAAG,EAAE,CAAA;QAEhC,IAAIzZ,QAAQ,CAAC,CAAC,CAAC,CAAC0Z,UAAU,CAAC,GAAG,CAAC,EAAE;UAG7B,IAAM5mB,IAAI,GAAG6mB,uBAAuB,CAAC3Z,QAAQ,CAAC,CAAC,CAAC,CAAC,CAAA;UAEjD,KAAK,IAAIpT,GAAG,GAAG,CAAC,EAAEA,GAAG,GAAGkG,IAAI,EAAElG,GAAG,EAAE,EAAE;MACjC,MAAA,IAAMN,IAAI,GAAGitB,SAAS,CAAC1mB,OAAO,CAACjG,GAAG,CAAC,CAAA;MACnC,MAAA,IAAIN,IAAI,EAAE;MACNmtB,QAAAA,KAAK,CAACnzB,IAAI,CAACgG,IAAI,CAAC,CAAA;MACpB,OAAA;MACJ,KAAA;MACJ,GAAC,MACI;UAGD,IAAMstB,OAAO,GAAGJ,iBAAiB,CAACxZ,QAAQ,CAAC,CAAC,CAAC,CAAC,CAAA;UAE9C,IAAI4Z,OAAO,KAAK,IAAI,EAAE;YAClB,IAAIttB,KAAI,GAAGitB,SAAS,CAAA;YAEpB,OAAOjtB,KAAI,IAAIstB,OAAO,EAAE;MACpBH,QAAAA,KAAK,CAACnzB,IAAI,CAACgG,KAAI,CAAC,CAAA;MAChBA,QAAAA,KAAI,GAAGA,KAAI,CAACuG,OAAO,CAAC,CAAC,CAAC,CAAA;MAC1B,OAAA;MACJ,KAAA;MACJ,GAAA;MAEA,EAAA,OAAO4mB,KAAK,CAAA;MAChB,CAAA;MAUA,SAASD,iBAAiBA,CAAC70B,KAAa,EAAuB;MAC3D,EAAA,IAAIA,KAAK,CAAClE,MAAM,GAAG,CAAC,EAAE;MAClB,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;MAEA,EAAA,IAAMiM,IAAI,GAAGW,QAAQ,CAAC1I,KAAK,CAAC0F,SAAS,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAA;MAC5C,EAAA,IAAMsC,KAAK,GAAGU,QAAQ,CAAC1I,KAAK,CAAC0F,SAAS,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAA;MAC7C,EAAA,IAAMuC,GAAG,GAAGS,QAAQ,CAAC1I,KAAK,CAAC0F,SAAS,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAA;QAE3C,OAAOkG,YAAY,CAACE,SAAS,CAAC/D,IAAI,EAAEC,KAAK,EAAEC,GAAG,CAAC,CAAA;MACnD,CAAA;MAUA,SAASitB,qBAAqBA,CAACl1B,KAAa,EAAuB;MAC/D,EAAA,IAAIA,KAAK,CAAClE,MAAM,GAAG,EAAE,IAAIkE,KAAK,CAAC,CAAC,CAAC,KAAK,GAAG,EAAE;MACvC,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;MAEA,EAAA,IAAM+H,IAAI,GAAGW,QAAQ,CAAC1I,KAAK,CAAC0F,SAAS,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAA;MAC5C,EAAA,IAAMsC,KAAK,GAAGU,QAAQ,CAAC1I,KAAK,CAAC0F,SAAS,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAA;MAC7C,EAAA,IAAMuC,GAAG,GAAGS,QAAQ,CAAC1I,KAAK,CAAC0F,SAAS,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAA;MAC3C,EAAA,IAAMkD,IAAI,GAAGF,QAAQ,CAAC1I,KAAK,CAAC0F,SAAS,CAAC,CAAC,EAAE,EAAE,CAAC,CAAC,CAAA;MAC7C,EAAA,IAAMyD,MAAM,GAAGT,QAAQ,CAAC1I,KAAK,CAAC0F,SAAS,CAAC,EAAE,EAAE,EAAE,CAAC,CAAC,CAAA;MAChD,EAAA,IAAM0D,MAAM,GAAGV,QAAQ,CAAC1I,KAAK,CAAC0F,SAAS,CAAC,EAAE,EAAE,EAAE,CAAC,CAAC,CAAA;MAEhD,EAAA,OAAOkG,YAAY,CAACE,SAAS,CAAC/D,IAAI,EAAEC,KAAK,EAAEC,GAAG,EAAEW,IAAI,EAAEO,MAAM,EAAEC,MAAM,CAAC,CAAA;MACzE,CAAA;MASA,SAAS4rB,uBAAuBA,CAACG,MAAc,EAAU;MAErD,EAAA,IAAI,CAACA,MAAM,CAACJ,UAAU,CAAC,GAAG,CAAC,EAAE;MACzB,IAAA,OAAO,CAAC,CAAA;MACZ,GAAA;MAEA,EAAA,IAAII,MAAM,CAACC,QAAQ,CAAC,GAAG,CAAC,EAAE;MACtB,IAAA,OAAO1sB,QAAQ,CAACysB,MAAM,CAACzvB,SAAS,CAAC,CAAC,EAAEyvB,MAAM,CAACr5B,MAAM,GAAG,CAAC,CAAC,CAAC,CAAA;SAC1D,MACI,IAAIq5B,MAAM,CAACC,QAAQ,CAAC,GAAG,CAAC,EAAE;MAC3B,IAAA,OAAO1sB,QAAQ,CAACysB,MAAM,CAACzvB,SAAS,CAAC,CAAC,EAAEyvB,MAAM,CAACr5B,MAAM,GAAG,CAAC,CAAC,CAAC,GAAG,CAAC,CAAA;MAC/D,GAAA;MAEA,EAAA,OAAO,CAAC,CAAA;MACZ,CAAA;MAUA,SAASu5B,kBAAkBA,CAAChZ,UAAkC,EAAErc,KAAa,EAAkB;QAC3F,IAAMs1B,eAA+B,GAAG,EAAE,CAAA;MAC1C,EAAA,IAAMC,UAAU,GAAGv1B,KAAK,CAAC4G,KAAK,CAAC,GAAG,CAAC,CAAA;MACnC,EAAA,IAAI4uB,SAAS,GAAGnZ,UAAU,CAAC,OAAO,CAAC,CAAA;MAAC,EAAA,IAAA9R,SAAA,GAAAC,0BAAA,CAEZ+qB,UAAU,CAAA;UAAA9qB,KAAA,CAAA;MAAA,EAAA,IAAA;UAAlC,KAAAF,SAAA,CAAAG,CAAA,EAAAD,EAAAA,CAAAA,CAAAA,KAAA,GAAAF,SAAA,CAAAI,CAAA,EAAAC,EAAAA,IAAA,GAAoC;MAAA,MAAA,IAAzB6qB,SAAS,GAAAhrB,KAAA,CAAAzK,KAAA,CAAA;YAChB,IAAG,CAACw1B,SAAS,EAAE;MAIX,QAAA,IAAM15B,MAAM,GAAG25B,SAAS,CAAC35B,MAAM,CAAA;cAE/B,IAAIA,MAAM,KAAK,CAAC,EAAE;MACd05B,UAAAA,SAAS,GAAG,MAAM,CAAA;MACtB,SAAC,MACI,IAAI,CAAC15B,MAAM,KAAK,EAAE,IAAIA,MAAM,KAAK,EAAE,KAAK25B,SAAS,CAAC,CAAC,CAAC,KAAK,GAAG,EAAE;MAC/DD,UAAAA,SAAS,GAAG,WAAW,CAAA;MAC3B,SAAC,MACI;MACDA,UAAAA,SAAS,GAAG,QAAQ,CAAA;MACxB,SAAA;MACJ,OAAA;YAGA,IAAIA,SAAS,KAAK,QAAQ,EAAE;cAExBF,eAAe,CAAC3zB,IAAI,CAAC,GAAGgzB,yBAAyB,CAACc,SAAS,CAAC,CAAC,CAAA;MACjE,OAAC,MACI,IAAID,SAAS,KAAK,MAAM,EAAE;MAE3B,QAAA,IAAM7tB,IAAI,GAAGktB,iBAAiB,CAACY,SAAS,CAAC,CAAA;MACzC,QAAA,IAAI9tB,IAAI,EAAE;MACN2tB,UAAAA,eAAe,CAAC3zB,IAAI,CAACgG,IAAI,CAAC,CAAA;MAC9B,SAAA;MACJ,OAAC,MACI,IAAI6tB,SAAS,KAAK,WAAW,EAAG;MAEjC,QAAA,IAAM7tB,MAAI,GAAGutB,qBAAqB,CAACO,SAAS,CAAC,CAAA;MAC7C,QAAA,IAAI9tB,MAAI,EAAE;MACN2tB,UAAAA,eAAe,CAAC3zB,IAAI,CAACgG,MAAI,CAAC,CAAA;MAC9B,SAAA;MACJ,OAAA;MACJ,KAAA;MAAC,GAAA,CAAA,OAAAkD,GAAA,EAAA;UAAAN,SAAA,CAAAjO,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,GAAA,SAAA;MAAAN,IAAAA,SAAA,CAAAO,CAAA,EAAA,CAAA;MAAA,GAAA;MAED,EAAA,OAAOwqB,eAAe,CAAA;MAC1B,CAAA;MASA,SAASI,cAAcA,CAACztB,GAAc,EAAkG;MACpI,EAAA,IAAIA,GAAG,KAAKoF,SAAS,CAACO,MAAM,EAAE;MAC1B,IAAA,OAAO,QAAQ,CAAA;MACnB,GAAC,MACI,IAAI3F,GAAG,KAAKoF,SAAS,CAACC,MAAM,EAAE;MAC/B,IAAA,OAAO,QAAQ,CAAA;MACnB,GAAC,MACI,IAAIrF,GAAG,KAAKoF,SAAS,CAACE,OAAO,EAAE;MAChC,IAAA,OAAO,SAAS,CAAA;MACpB,GAAC,MACI,IAAItF,GAAG,KAAKoF,SAAS,CAACG,SAAS,EAAE;MAClC,IAAA,OAAO,WAAW,CAAA;MACtB,GAAC,MACI,IAAIvF,GAAG,KAAKoF,SAAS,CAACI,QAAQ,EAAE;MACjC,IAAA,OAAO,UAAU,CAAA;MACrB,GAAC,MACI,IAAIxF,GAAG,KAAKoF,SAAS,CAACK,MAAM,EAAE;MAC/B,IAAA,OAAO,QAAQ,CAAA;MACnB,GAAC,MACI,IAAIzF,GAAG,KAAKoF,SAAS,CAACM,QAAQ,EAAE;MACjC,IAAA,OAAO,UAAU,CAAA;MACrB,GAAC,MACI;MACD,IAAA,OAAO,SAAS,CAAA;MACpB,GAAA;MACJ,CAAA;MAUA,SAASgoB,eAAeA,CAACC,QAAsB,EAAEznB,IAAiB,EAAW;MAAA,EAAA,IAAA2b,UAAA,GAAAtf,0BAAA,CACvD2D,IAAI,CAAA;UAAA4b,MAAA,CAAA;MAAA,EAAA,IAAA;UAAtB,KAAAD,UAAA,CAAApf,CAAA,EAAAqf,EAAAA,CAAAA,CAAAA,MAAA,GAAAD,UAAA,CAAAnf,CAAA,EAAAC,EAAAA,IAAA,GAAwB;MAAA,MAAA,IAAb3C,GAAG,GAAA8hB,MAAA,CAAA/pB,KAAA,CAAA;MACV,MAAA,IAAI41B,QAAQ,CAAC3sB,SAAS,KAAKhB,GAAG,EAAE;MAC5B,QAAA,OAAO,IAAI,CAAA;MACf,OAAA;MACJ,KAAA;MAAC,GAAA,CAAA,OAAA4C,GAAA,EAAA;UAAAif,UAAA,CAAAxtB,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,GAAA,SAAA;MAAAif,IAAAA,UAAA,CAAAhf,CAAA,EAAA,CAAA;MAAA,GAAA;MAED,EAAA,OAAO,KAAK,CAAA;MAChB,CAAA;MAYA,SAAS+qB,2BAA2BA,CAACD,QAAsB,EAAE3sB,SAAoB,EAAE6sB,OAAiB,EAAW;QAC3G,IAAI,CAACH,eAAe,CAACC,QAAQ,EAAE,CAAC3sB,SAAS,CAAC,CAAC,EAAE;MACzC,IAAA,OAAO,KAAK,CAAA;MAChB,GAAA;MAEA,EAAA,IAAM8sB,UAAU,GAAGH,QAAQ,CAAC3tB,GAAG,CAAA;MAAC,EAAA,IAAAolB,UAAA,GAAA7iB,0BAAA,CAEXsrB,OAAO,CAAA;UAAAxI,MAAA,CAAA;MAAA,EAAA,IAAA;UAA5B,KAAAD,UAAA,CAAA3iB,CAAA,EAAA4iB,EAAAA,CAAAA,CAAAA,MAAA,GAAAD,UAAA,CAAA1iB,CAAA,EAAAC,EAAAA,IAAA,GAA8B;MAAA,MAAA,IAAnBvB,MAAM,GAAAikB,MAAA,CAAAttB,KAAA,CAAA;YACb,IAAIqJ,MAAM,KAAK,CAAC,IAAI0sB,UAAU,IAAI,CAAC,IAAIA,UAAU,IAAI,CAAC,EAAE;MACpD,QAAA,OAAO,IAAI,CAAA;MACf,OAAC,MACI,IAAI1sB,MAAM,KAAK,CAAC,IAAI0sB,UAAU,IAAI,CAAC,IAAIA,UAAU,IAAI,EAAE,EAAE;MAC1D,QAAA,OAAO,IAAI,CAAA;MACf,OAAC,MACI,IAAI1sB,MAAM,KAAK,CAAC,IAAI0sB,UAAU,IAAI,EAAE,IAAIA,UAAU,IAAI,EAAE,EAAE;MAC3D,QAAA,OAAO,IAAI,CAAA;MACf,OAAC,MACI,IAAI1sB,MAAM,KAAK,CAAC,IAAI0sB,UAAU,IAAI,EAAE,IAAIA,UAAU,IAAI,EAAE,EAAE;MAC3D,QAAA,OAAO,IAAI,CAAA;MACf,OAAC,MACI,IAAI1sB,MAAM,KAAK,CAAC,CAAC,EAAE;cACpB,IAAM2sB,cAAc,GAAGJ,QAAQ,CAAC1nB,OAAO,CAAC,EAAE0nB,QAAQ,CAAC3tB,GAAG,GAAG,CAAC,CAAC,CAAC,CAAC2G,SAAS,CAAC,CAAC,CAAC,CAACV,OAAO,CAAC,CAAC,CAAC,CAAC,CAACjG,GAAG,CAAA;cAEzF,IAAI8tB,UAAU,IAAKC,cAAc,GAAG,CAAE,IAAID,UAAU,IAAIC,cAAc,EAAE;MACpE,UAAA,OAAO,IAAI,CAAA;MACf,SAAA;MACJ,OAAA;MACJ,KAAA;MAAC,GAAA,CAAA,OAAAnrB,GAAA,EAAA;UAAAwiB,UAAA,CAAA/wB,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,GAAA,SAAA;MAAAwiB,IAAAA,UAAA,CAAAviB,CAAA,EAAA,CAAA;MAAA,GAAA;MAED,EAAA,OAAO,KAAK,CAAA;MAChB,CAAA;MASA,SAASmrB,uBAAuBA,CAAChuB,GAAmD,EAAa;MAC7F,EAAA,QAAQA,GAAG;MACP,IAAA,KAAK,IAAI;YACL,OAAOoF,SAAS,CAACO,MAAM,CAAA;MAE3B,IAAA,KAAK,IAAI;YACL,OAAOP,SAAS,CAACC,MAAM,CAAA;MAC3B,IAAA,KAAK,IAAI;YACL,OAAOD,SAAS,CAACE,OAAO,CAAA;MAE5B,IAAA,KAAK,IAAI;YACL,OAAOF,SAAS,CAACG,SAAS,CAAA;MAE9B,IAAA,KAAK,IAAI;YACL,OAAOH,SAAS,CAACI,QAAQ,CAAA;MAE7B,IAAA,KAAK,IAAI;YACL,OAAOJ,SAAS,CAACK,MAAM,CAAA;MAE3B,IAAA,KAAK,IAAI;YACL,OAAOL,SAAS,CAACM,QAAQ,CAAA;MAAC,GAAA;MAEtC,CAAA;MASA,SAASuoB,UAAUA,CAACjuB,GAAc,EAAkD;MAChF,EAAA,QAAQA,GAAG;UACP,KAAKoF,SAAS,CAACO,MAAM;MACjB,MAAA,OAAO,IAAI,CAAA;UAEf,KAAKP,SAAS,CAACC,MAAM;MACjB,MAAA,OAAO,IAAI,CAAA;UAEf,KAAKD,SAAS,CAACE,OAAO;MAClB,MAAA,OAAO,IAAI,CAAA;UAEf,KAAKF,SAAS,CAACG,SAAS;MACpB,MAAA,OAAO,IAAI,CAAA;UAEf,KAAKH,SAAS,CAACI,QAAQ;MACnB,MAAA,OAAO,IAAI,CAAA;UAEf,KAAKJ,SAAS,CAACK,MAAM;MACjB,MAAA,OAAO,IAAI,CAAA;UAEf,KAAKL,SAAS,CAACM,QAAQ;MACnB,MAAA,OAAO,IAAI,CAAA;MAAC,GAAA;MAExB,CAAA;MAUA,SAASwoB,mBAAmBA,CAACC,KAAe,EAAY;MACpD,EAAA,IAAMC,QAAkB,GAAG,CAAC,GAAGD,KAAK,CAAC,CAAA;MAErC,EAAA,KAAK,IAAIE,UAAU,GAAG,CAAC,EAAEA,UAAU,GAAGD,QAAQ,CAACv6B,MAAM,EAAEw6B,UAAU,EAAE,EAAE;UAEjE,IAAID,QAAQ,CAACC,UAAU,CAAC,CAACx6B,MAAM,GAAG,EAAE,EAAE;MAClC,MAAA,IAAMy6B,WAAW,GAAGF,QAAQ,CAACC,UAAU,CAAC,CAAC5wB,SAAS,CAAC,CAAC,EAAE,EAAE,CAAC,CAAA;MACzD,MAAA,IAAM8wB,OAAO,GAAG,GAAG,GAAGH,QAAQ,CAACC,UAAU,CAAC,CAAC5wB,SAAS,CAAC,EAAE,CAAC,CAAA;YAExD2wB,QAAQ,CAACtgB,MAAM,CAACugB,UAAU,EAAE,CAAC,EAAEC,WAAW,EAAEC,OAAO,CAAC,CAAA;MACxD,KAAA;MACJ,GAAA;MAEA,EAAA,OAAOH,QAAQ,CAAA;MACnB,CAAA;MAUA,SAASI,qBAAqBA,CAACL,KAAe,EAAY;MACtD,EAAA,IAAMC,QAAkB,GAAG,CAAC,GAAGD,KAAK,CAAC,CAAA;QAErC,KAAK,IAAIE,UAAU,GAAG,CAAC,EAAEA,UAAU,GAAGD,QAAQ,CAACv6B,MAAM,GAAG;UACpD,IAAIu6B,QAAQ,CAACC,UAAU,CAAC,CAAC,CAAC,CAAC,KAAK,GAAG,EAAE;MACjCD,MAAAA,QAAQ,CAACC,UAAU,GAAG,CAAC,CAAC,IAAID,QAAQ,CAACC,UAAU,CAAC,CAAC5wB,SAAS,CAAC,CAAC,CAAC,CAAA;MAC7D2wB,MAAAA,QAAQ,CAACtgB,MAAM,CAACugB,UAAU,EAAE,CAAC,CAAC,CAAA;MAClC,KAAC,MACI;MACDA,MAAAA,UAAU,EAAE,CAAA;MAChB,KAAA;MACJ,GAAA;MAEA,EAAA,OAAOD,QAAQ,CAAA;MACnB,CAAA;MAOA,MAAMK,UAAU,CAAC;QAiBbp0B,WAAWA,CAACiW,OAAe,EAAE;MACzB,IAAA,IAAM6d,KAAK,GAAG7d,OAAO,CAAC3R,KAAK,CAAC,YAAY,CAAC,CAAA;MAEzC,IAAA,IAAI,CAACwvB,KAAK,GAAGK,qBAAqB,CAACL,KAAK,CAAC,CAAA;MAC7C,GAAA;MAWOO,EAAAA,IAAIA,GAAkB;MACzB,IAAA,IAAI,IAAI,CAACP,KAAK,CAACt6B,MAAM,KAAK,CAAC,EAAE;MACzB,MAAA,OAAO,IAAI,CAAA;MACf,KAAA;MAEA,IAAA,OAAO,IAAI,CAACs6B,KAAK,CAAC,CAAC,CAAC,CAAA;MACxB,GAAA;MAOOjxB,EAAAA,GAAGA,GAAkB;MACxB,IAAA,IAAI,IAAI,CAACixB,KAAK,CAACt6B,MAAM,KAAK,CAAC,EAAE;MACzB,MAAA,OAAO,IAAI,CAAA;MACf,KAAA;MAEA,IAAA,OAAO,IAAI,CAACs6B,KAAK,CAACrgB,MAAM,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC,CAAC,CAAA;MACrC,GAAA;MAGJ,CAAA;MAMO,MAAM6gB,cAAc,CAAC;MAmDjBt0B,EAAAA,WAAWA,GAAuC;UAAA,IAAAu0B,aAAA,EAAAC,cAAA,CAAA;MAAA,IAAA,IAAtCC,IAAwB,GAAA57B,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAGY,SAAS,CAAA;MAAAiW,IAAAA,eAAA,mBAzB7B,CAAC,CAAA,CAAA;MAAAA,IAAAA,eAAA,qBAMG,EAAE,CAAA,CAAA;MAAAA,IAAAA,eAAA,gBAKA,EAAE,CAAA,CAAA;UAe9B,IAAI,CAAC+kB,IAAI,EAAE;MACP,MAAA,OAAA;MACJ,KAAA;UAKA,IAAMC,MAA8B,GAAG,EAAE,CAAA;UAAC,IAAAC,UAAA,GAAAzsB,0BAAA,CAEvBusB,IAAI,CAACnwB,KAAK,CAAC,GAAG,CAAC,CAAA;YAAAswB,MAAA,CAAA;MAAA,IAAA,IAAA;YAAlC,KAAAD,UAAA,CAAAvsB,CAAA,EAAAwsB,EAAAA,CAAAA,CAAAA,MAAA,GAAAD,UAAA,CAAAtsB,CAAA,EAAAC,EAAAA,IAAA,GAAoC;MAAA,QAAA,IAAzBusB,IAAI,GAAAD,MAAA,CAAAl3B,KAAA,CAAA;MACX,QAAA,IAAMo3B,SAAS,GAAGD,IAAI,CAACvwB,KAAK,CAAC,GAAG,CAAC,CAAA;MACjC,QAAA,IAAIwwB,SAAS,CAACt7B,MAAM,KAAK,CAAC,EAAE;gBACxBk7B,MAAM,CAACI,SAAS,CAAC,CAAC,CAAC,CAAC,GAAGA,SAAS,CAAC,CAAC,CAAC,CAAA;MACvC,SAAA;MACJ,OAAA;MAAC,KAAA,CAAA,OAAAvsB,GAAA,EAAA;YAAAosB,UAAA,CAAA36B,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,KAAA,SAAA;MAAAosB,MAAAA,UAAA,CAAAnsB,CAAA,EAAA,CAAA;MAAA,KAAA;MAGD,IAAA,IAAIksB,MAAM,CAAC,OAAO,CAAC,KAAKj7B,SAAS,IAAIi7B,MAAM,CAAC,OAAO,CAAC,KAAKj7B,SAAS,EAAE;MAChE,MAAA,MAAM,IAAIs7B,KAAK,CAAA,mBAAA,CAAA13B,MAAA,CAAqBo3B,IAAI,EAAyC,wCAAA,CAAA,CAAA,CAAA;MACrF,KAAA;UAEA,IAAIC,MAAM,CAAC,MAAM,CAAC,KAAK,OAAO,IAAIA,MAAM,CAAC,MAAM,CAAC,KAAK,QAAQ,IAAIA,MAAM,CAAC,MAAM,CAAC,KAAK,SAAS,EAAE;MAC3F,MAAA,MAAM,IAAIK,KAAK,CAAA,yCAAA,CAAA13B,MAAA,CAA2Co3B,IAAI,EAAK,IAAA,CAAA,CAAA,CAAA;MACvE,KAAA;MAEA,IAAA,IAAI,CAACO,SAAS,GAAGN,MAAM,CAAC,MAAM,CAAC,CAAA;MAE/B,IAAA,IAAI,CAAAH,CAAAA,aAAA,GAAAG,MAAM,CAAC,OAAO,CAAC,MAAAH,IAAAA,IAAAA,aAAA,uBAAfA,aAAA,CAAiB/6B,MAAM,MAAK,CAAC,EAAE;MAAA,MAAA,IAAAy7B,kBAAA,CAAA;MAC/B,MAAA,IAAI,CAACtC,OAAO,GAAA,CAAAsC,kBAAA,GAAG1C,iBAAiB,CAACmC,MAAM,CAAC,OAAO,CAAC,CAAC,MAAA,IAAA,IAAAO,kBAAA,KAAAA,KAAAA,CAAAA,GAAAA,kBAAA,GAAIx7B,SAAS,CAAA;MAClE,KAAC,MACI,IAAI,CAAA,CAAA+6B,cAAA,GAAAE,MAAM,CAAC,OAAO,CAAC,MAAA,IAAA,IAAAF,cAAA,KAAfA,KAAAA,CAAAA,GAAAA,KAAAA,CAAAA,GAAAA,cAAA,CAAiBh7B,MAAM,KAAI,EAAE,EAAE;MAAA,MAAA,IAAA07B,qBAAA,CAAA;MACpC,MAAA,IAAI,CAACvC,OAAO,GAAA,CAAAuC,qBAAA,GAAGtC,qBAAqB,CAAC8B,MAAM,CAAC,OAAO,CAAC,CAAC,MAAA,IAAA,IAAAQ,qBAAA,KAAAA,KAAAA,CAAAA,GAAAA,qBAAA,GAAIz7B,SAAS,CAAA;MACtE,KAAA;MAEA,IAAA,IAAIi7B,MAAM,CAAC,OAAO,CAAC,KAAKj7B,SAAS,EAAE;MAAA,MAAA,IAAA6rB,eAAA,CAAA;MAC/B,MAAA,IAAI,CAAC/hB,KAAK,GAAA,CAAA+hB,eAAA,GAAGrG,cAAc,CAACyV,MAAM,CAAC,OAAO,CAAC,CAAC,MAAA,IAAA,IAAApP,eAAA,KAAAA,KAAAA,CAAAA,GAAAA,eAAA,GAAI7rB,SAAS,CAAA;MAC7D,KAAA;MAEA,IAAA,IAAIi7B,MAAM,CAAC,UAAU,CAAC,KAAKj7B,SAAS,EAAE;MAAA,MAAA,IAAA07B,gBAAA,CAAA;MAClC,MAAA,IAAI,CAACC,QAAQ,GAAA,CAAAD,gBAAA,GAAGlW,cAAc,CAACyV,MAAM,CAAC,UAAU,CAAC,CAAC,MAAA,IAAA,IAAAS,gBAAA,KAAAA,KAAAA,CAAAA,GAAAA,gBAAA,GAAI,CAAC,CAAA;MAC3D,KAAA;MAEA,IAAA,IAAIT,MAAM,CAAC,YAAY,CAAC,KAAKj7B,SAAS,IAAIi7B,MAAM,CAAC,YAAY,CAAC,CAACl7B,MAAM,GAAG,CAAC,EAAE;YACvE,IAAI,CAAC67B,UAAU,GAAG,EAAE,CAAA;MAAC,MAAA,IAAAC,UAAA,GAAAptB,0BAAA,CAELwsB,MAAM,CAAC,YAAY,CAAC,CAACpwB,KAAK,CAAC,GAAG,CAAC,CAAA;cAAAixB,MAAA,CAAA;MAAA,MAAA,IAAA;cAA/C,KAAAD,UAAA,CAAAltB,CAAA,EAAAmtB,EAAAA,CAAAA,CAAAA,MAAA,GAAAD,UAAA,CAAAjtB,CAAA,EAAAC,EAAAA,IAAA,GAAiD;MAAA,UAAA,IAAtC3G,CAAC,GAAA4zB,MAAA,CAAA73B,KAAA,CAAA;MACR,UAAA,IAAMgG,GAAG,GAAGub,cAAc,CAACtd,CAAC,CAAC,CAAA;gBAC7B,IAAI+B,GAAG,KAAK,IAAI,EAAE;MACd,YAAA,IAAI,CAAC2xB,UAAU,CAACh2B,IAAI,CAACqE,GAAG,CAAC,CAAA;MAC7B,WAAA;MACJ,SAAA;MAAC,OAAA,CAAA,OAAA6E,GAAA,EAAA;cAAA+sB,UAAA,CAAAt7B,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,OAAA,SAAA;MAAA+sB,QAAAA,UAAA,CAAA9sB,CAAA,EAAA,CAAA;MAAA,OAAA;MACL,KAAA;MAEA,IAAA,IAAIksB,MAAM,CAAC,OAAO,CAAC,KAAKj7B,SAAS,IAAIi7B,MAAM,CAAC,OAAO,CAAC,CAACl7B,MAAM,GAAG,CAAC,EAAE;YAC7D,IAAI,CAACg8B,KAAK,GAAG,EAAE,CAAA;MAAC,MAAA,IAAAC,UAAA,GAAAvtB,0BAAA,CAEAwsB,MAAM,CAAC,OAAO,CAAC,CAACpwB,KAAK,CAAC,GAAG,CAAC,CAAA;cAAAoxB,MAAA,CAAA;MAAA,MAAA,IAAA;cAA1C,KAAAD,UAAA,CAAArtB,CAAA,EAAAstB,EAAAA,CAAAA,CAAAA,MAAA,GAAAD,UAAA,CAAAptB,CAAA,EAAAC,EAAAA,IAAA,GAA4C;MAAA,UAAA,IAAjC3G,EAAC,GAAA+zB,MAAA,CAAAh4B,KAAA,CAAA;MACR,UAAA,IAAIiE,EAAC,CAACnI,MAAM,GAAG,CAAC,EAAE;MACd,YAAA,SAAA;MACJ,WAAA;gBAEA,IAAMkK,IAAG,GAAG/B,EAAC,CAACnI,MAAM,GAAG,CAAC,GAAGylB,cAAc,CAACtd,EAAC,CAACyB,SAAS,CAAC,CAAC,EAAEzB,EAAC,CAACnI,MAAM,GAAG,CAAC,CAAC,CAAC,GAAG,CAAC,CAAA;gBAC3E,IAAMmM,GAAG,GAAGhE,EAAC,CAACyB,SAAS,CAACzB,EAAC,CAACnI,MAAM,GAAG,CAAC,CAAC,CAAA;gBAErC,IAAIkK,IAAG,KAAK,IAAI,EAAE;MACd,YAAA,SAAA;MACJ,WAAA;gBAEA,IAAIiC,GAAG,KAAK,IAAI,IAAIA,GAAG,KAAK,IAAI,IAAIA,GAAG,KAAK,IAAI,IAAIA,GAAG,IAAI,IAAI,IAAIA,GAAG,IAAI,IAAI,IAAIA,GAAG,IAAI,IAAI,IAAIA,GAAG,IAAI,IAAI,EAAE;MAC1G,YAAA,IAAI,CAAC6vB,KAAK,CAACn2B,IAAI,CAAC;MACZ3B,cAAAA,KAAK,EAAEgG,IAAG;oBACViC,GAAG,EAAEguB,uBAAuB,CAAChuB,GAAG,CAAA;MACpC,aAAC,CAAC,CAAA;MACN,WAAA;MACJ,SAAA;MAAC,OAAA,CAAA,OAAA4C,GAAA,EAAA;cAAAktB,UAAA,CAAAz7B,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,OAAA,SAAA;MAAAktB,QAAAA,UAAA,CAAAjtB,CAAA,EAAA,CAAA;MAAA,OAAA;MACL,KAAA;MACJ,GAAA;MAWOmtB,EAAAA,KAAKA,GAAW;UACnB,IAAM5b,UAAoB,GAAG,EAAE,CAAA;UAE/BA,UAAU,CAAC1a,IAAI,CAAAhC,OAAAA,CAAAA,MAAA,CAAS,IAAI,CAAC23B,SAAS,CAAG,CAAA,CAAA;MAEzC,IAAA,IAAI,IAAI,CAACzxB,KAAK,KAAK9J,SAAS,EAAE;YAC1BsgB,UAAU,CAAC1a,IAAI,CAAAhC,QAAAA,CAAAA,MAAA,CAAU,IAAI,CAACkG,KAAK,CAAG,CAAA,CAAA;MAC1C,KAAC,MACI,IAAI,IAAI,CAACovB,OAAO,EAAE;YACnB5Y,UAAU,CAAC1a,IAAI,CAAA,QAAA,CAAAhC,MAAA,CAAU+0B,iBAAiB,CAAC,IAAI,CAACO,OAAO,CAAC,CAAG,CAAA,CAAA;MAC/D,KAAA;MAEA,IAAA,IAAI,IAAI,CAACyC,QAAQ,GAAG,CAAC,EAAE;YACnBrb,UAAU,CAAC1a,IAAI,CAAAhC,WAAAA,CAAAA,MAAA,CAAa,IAAI,CAAC+3B,QAAQ,CAAG,CAAA,CAAA;MAChD,KAAA;MAEA,IAAA,IAAI,IAAI,CAACC,UAAU,CAAC77B,MAAM,GAAG,CAAC,EAAE;MAC5B,MAAA,IAAMo8B,cAAc,GAAG,IAAI,CAACP,UAAU,CAAC7F,GAAG,CAACqG,EAAE,IAAIA,EAAE,CAACj0B,QAAQ,EAAE,CAAC,CAACkB,IAAI,CAAC,GAAG,CAAC,CAAA;MACzEiX,MAAAA,UAAU,CAAC1a,IAAI,CAAA,aAAA,CAAAhC,MAAA,CAAeu4B,cAAc,CAAG,CAAA,CAAA;MACnD,KAAA;MAEA,IAAA,IAAI,IAAI,CAACZ,SAAS,KAAK,SAAS,IAAI,IAAI,CAACQ,KAAK,CAACh8B,MAAM,GAAG,CAAC,EAAE;YACvD,IAAMs8B,SAAS,GAAG,IAAI,CAACN,KAAK,CAAChG,GAAG,CAACuG,CAAC,IAAA,EAAA,CAAA14B,MAAA,CAAO04B,CAAC,CAACr4B,KAAK,CAAAL,CAAAA,MAAA,CAAGu2B,UAAU,CAACmC,CAAC,CAACpwB,GAAG,CAAC,CAAE,CAAC,CAAA;MACvEoU,MAAAA,UAAU,CAAC1a,IAAI,CAAA,QAAA,CAAAhC,MAAA,CAAUy4B,SAAS,CAAG,CAAA,CAAA;WACxC,MACI,IAAI,IAAI,CAACN,KAAK,CAACh8B,MAAM,GAAG,CAAC,EAAE;MAC5B,MAAA,IAAMs8B,UAAS,GAAG,IAAI,CAACN,KAAK,CAAChG,GAAG,CAACuG,CAAC,IAAIA,CAAC,CAACr4B,KAAK,KAAK,CAAC,MAAAL,MAAA,CAAM04B,CAAC,CAACr4B,KAAK,CAAAL,CAAAA,MAAA,CAAGu2B,UAAU,CAACmC,CAAC,CAACpwB,GAAG,CAAC,IAAKiuB,UAAU,CAACmC,CAAC,CAACpwB,GAAG,CAAC,CAAC,CAAA;MAC3GoU,MAAAA,UAAU,CAAC1a,IAAI,CAAA,QAAA,CAAAhC,MAAA,CAAUy4B,UAAS,CAAG,CAAA,CAAA;MACzC,KAAA;MAEA,IAAA,OAAO/b,UAAU,CAACjX,IAAI,CAAC,GAAG,CAAC,CAAA;MAC/B,GAAA;MAYOkzB,EAAAA,QAAQA,CAACC,kBAAgC,EAAEC,aAA2B,EAAEC,WAAyB,EAAkB;UACtH,IAAM3D,KAAqB,GAAG,EAAE,CAAA;UAChC,IAAIc,QAAQ,GAAG2C,kBAAkB,CAAA;UACjC,IAAIG,SAAS,GAAG,CAAC,CAAA;UAEjB,IAAI,CAAC9C,QAAQ,EAAE;MACX,MAAA,OAAO,EAAE,CAAA;MACb,KAAA;UAEA,IAAI,IAAI,CAACX,OAAO,IAAI,IAAI,CAACA,OAAO,GAAGwD,WAAW,EAAE;YAC5CA,WAAW,GAAG,IAAI,CAACxD,OAAO,CAAA;MAC9B,KAAA;MAEA,IAAA,OAAOW,QAAQ,GAAG6C,WAAW,IAAIC,SAAS,GAAG,MAAO,EAAE;YAClD,IAAI,IAAI,CAAC7yB,KAAK,IAAI6yB,SAAS,IAAI,IAAI,CAAC7yB,KAAK,EAAE;MACvC,QAAA,MAAA;MACJ,OAAA;MAEA6yB,MAAAA,SAAS,EAAE,CAAA;YAEX,IAAI9C,QAAQ,IAAI4C,aAAa,EAAE;MAC3B1D,QAAAA,KAAK,CAACnzB,IAAI,CAACi0B,QAAQ,CAAC,CAAA;MACxB,OAAA;MAEA,MAAA,IAAM+C,QAAQ,GAAG,IAAI,CAACC,aAAa,CAAChD,QAAQ,CAAC,CAAA;YAE7C,IAAI+C,QAAQ,KAAK,IAAI,EAAE;MACnB,QAAA,MAAA;MACJ,OAAC,MACI;MACD/C,QAAAA,QAAQ,GAAG+C,QAAQ,CAAA;MACvB,OAAA;MACJ,KAAA;MAEA,IAAA,OAAO7D,KAAK,CAAA;MAChB,GAAA;QAUQ8D,aAAaA,CAAChD,QAAsB,EAAuB;MAC/D,IAAA,IAAI,IAAI,CAAC0B,SAAS,KAAK,OAAO,EAAE;MAC5B,MAAA,OAAO1B,QAAQ,CAAC1nB,OAAO,CAAC,IAAI,CAACwpB,QAAQ,CAAC,CAAA;MAC1C,KAAC,MACI,IAAI,IAAI,CAACJ,SAAS,KAAK,QAAQ,IAAI,IAAI,CAACQ,KAAK,CAACh8B,MAAM,GAAG,CAAC,EAAE;YAC3D,IAAI68B,QAAQ,GAAG/C,QAAQ,CAAA;MAEvB,MAAA,IAAI+C,QAAQ,CAAC1vB,SAAS,KAAKoE,SAAS,CAACM,QAAQ,EAAE;MAE3CgrB,QAAAA,QAAQ,GAAGA,QAAQ,CAACzqB,OAAO,CAAC,CAAC,GAAI,CAAC,IAAI,CAACwpB,QAAQ,GAAG,CAAC,IAAI,CAAE,CAAC,CAAA;MAC9D,OAAC,MACI;MACDiB,QAAAA,QAAQ,GAAGA,QAAQ,CAACzqB,OAAO,CAAC,CAAC,CAAC,CAAA;MAClC,OAAA;MAEA,MAAA,OAAO,CAACynB,eAAe,CAACgD,QAAQ,EAAE,IAAI,CAACb,KAAK,CAAChG,GAAG,CAACuG,CAAC,IAAIA,CAAC,CAACpwB,GAAG,CAAC,CAAC,EAAE;MAC3D,QAAA,IAAI0wB,QAAQ,CAAC1vB,SAAS,KAAKoE,SAAS,CAACM,QAAQ,EAAE;MAE3CgrB,UAAAA,QAAQ,GAAGA,QAAQ,CAACzqB,OAAO,CAAC,CAAC,GAAI,CAAC,IAAI,CAACwpB,QAAQ,GAAG,CAAC,IAAI,CAAE,CAAC,CAAA;MAC9D,SAAC,MACI;MACDiB,UAAAA,QAAQ,GAAGA,QAAQ,CAACzqB,OAAO,CAAC,CAAC,CAAC,CAAA;MAClC,SAAA;MACJ,OAAA;MAEA,MAAA,OAAOyqB,QAAQ,CAAA;MACnB,KAAC,MACI,IAAI,IAAI,CAACrB,SAAS,KAAK,SAAS,EAAE;MACnC,MAAA,IAAI,IAAI,CAACK,UAAU,CAAC77B,MAAM,GAAG,CAAC,EAAE;MAC5B,QAAA,IAAI68B,SAAQ,GAAG/C,QAAQ,CAAC1nB,OAAO,CAAC,EAAE0nB,QAAQ,CAAC3tB,GAAG,GAAG,CAAC,CAAC,CAAC,CAAA;cAEpD,IAAI2tB,QAAQ,CAAC3tB,GAAG,IAAI,IAAI,CAAC0vB,UAAU,CAAC,CAAC,CAAC,EAAE;gBACpCgB,SAAQ,GAAGA,SAAQ,CAAC/pB,SAAS,CAAC,IAAI,CAAC8oB,QAAQ,CAAC,CAAA;MAChD,SAAA;MAEA,QAAA,IAAI1B,cAAc,GAAG2C,SAAQ,CAAC/pB,SAAS,CAAC,CAAC,CAAC,CAACV,OAAO,CAAC,CAAC,CAAC,CAAC,CAACjG,GAAG,CAAA;cAC1D,IAAI4wB,SAAS,GAAG,CAAC,CAAA;cAGjB,OAAO7C,cAAc,GAAG,IAAI,CAAC2B,UAAU,CAAC,CAAC,CAAC,EAAE;gBACxCgB,SAAQ,GAAGA,SAAQ,CAAC/pB,SAAS,CAAC,IAAI,CAAC8oB,QAAQ,CAAC,CAAA;MAE5C1B,UAAAA,cAAc,GAAG2C,SAAQ,CAAC/pB,SAAS,CAAC,CAAC,CAAC,CAACV,OAAO,CAAC,CAAC,CAAC,CAAC,CAACjG,GAAG,CAAA;MAMtD,UAAA,IAAI4wB,SAAS,EAAE,IAAI,GAAG,EAAE;MACpB,YAAA,OAAO,IAAI,CAAA;MACf,WAAA;MACJ,SAAA;MAEAF,QAAAA,SAAQ,GAAGA,SAAQ,CAACzqB,OAAO,CAAC,IAAI,CAACypB,UAAU,CAAC,CAAC,CAAC,GAAG,CAAC,CAAC,CAAA;MAEnD,QAAA,OAAOgB,SAAQ,CAAA;aAClB,MACI,IAAI,IAAI,CAACb,KAAK,CAACh8B,MAAM,GAAG,CAAC,EAAE;cAC5B,IAAMmN,SAAS,GAAG,IAAI,CAAC6uB,KAAK,CAAC,CAAC,CAAC,CAAC7vB,GAAG,CAAA;MACnC,QAAA,IAAM6tB,OAAO,GAAG,IAAI,CAACgC,KAAK,CAAChG,GAAG,CAACuG,CAAC,IAAIA,CAAC,CAACr4B,KAAK,CAAC,CAAA;MAE5C,QAAA,IAAI24B,UAAQ,GAAG/C,QAAQ,CAAC1nB,OAAO,CAAC,CAAC,CAAC,CAAA;cAElC,OAAO,CAAC2nB,2BAA2B,CAAC8C,UAAQ,EAAE1vB,SAAS,EAAE6sB,OAAO,CAAC,EAAE;MAC/D6C,UAAAA,UAAQ,GAAGA,UAAQ,CAACzqB,OAAO,CAAC,CAAC,CAAC,CAAA;MAClC,SAAA;MAEA,QAAA,OAAOyqB,UAAQ,CAAA;MACnB,OAAA;MACJ,KAAA;MAEA,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;MAGJ,CAAA;MAKO,MAAMG,KAAK,CAAC;MAgDRx2B,EAAAA,WAAWA,GAA0D;MAAA,IAAA,IAAzDy2B,UAA2C,GAAA59B,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAGY,SAAS,CAAA;MAAAiW,IAAAA,eAAA,wBAzBnC,EAAE,CAAA,CAAA;MAAAA,IAAAA,eAAA,0BAMA,EAAE,CAAA,CAAA;MAAAA,IAAAA,eAAA,0BAMA,EAAE,CAAA,CAAA;UAczC,IAAI+mB,UAAU,KAAKh9B,SAAS,EAAE;MAC1B,MAAA,IAAI,CAACi9B,GAAG,GAAGp1B,OAAO,EAAE,CAAA;MACpB,MAAA,OAAA;MACJ,KAAA;MAEA,IAAA,IAAIq1B,MAAkB,CAAA;MAEtB,IAAA,IAAI,OAAOF,UAAU,KAAK,QAAQ,EAAE;MAChCE,MAAAA,MAAM,GAAG,IAAIvC,UAAU,CAACqC,UAAU,CAAC,CAAA;MACvC,KAAC,MACI;MACDE,MAAAA,MAAM,GAAGF,UAAU,CAAA;MACvB,KAAA;MAEA,IAAA,IAAI,CAACrZ,KAAK,CAACuZ,MAAM,CAAC,CAAA;MACtB,GAAA;MAYOC,EAAAA,UAAUA,GAAa;UAC1B,IAAI,CAAC,IAAI,CAACV,aAAa,IAAI,CAAC,IAAI,CAACC,WAAW,EAAE;MAC1C,MAAA,OAAO,EAAE,CAAA;MACb,KAAA;UAEA,IAAMrC,KAAe,GAAG,EAAE,CAAA;MAE1BA,IAAAA,KAAK,CAACz0B,IAAI,CAAC,cAAc,CAAC,CAAA;UAC1By0B,KAAK,CAACz0B,IAAI,CAAA,QAAA,CAAAhC,MAAA,CAAU+0B,iBAAiB,CAAC,IAAI,CAAC+D,WAAW,CAAC,CAAG,CAAA,CAAA;MAC1DrC,IAAAA,KAAK,CAACz0B,IAAI,CAAAhC,UAAAA,CAAAA,MAAA,CAAY+0B,iBAAiB,CAAC9oB,YAAY,CAACoB,GAAG,EAAE,CAAC,CAAG,CAAA,CAAA;UAC9DopB,KAAK,CAACz0B,IAAI,CAAA,UAAA,CAAAhC,MAAA,CAAY+0B,iBAAiB,CAAC,IAAI,CAAC8D,aAAa,CAAC,CAAG,CAAA,CAAA;MAE9D,IAAA,IAAI,IAAI,CAACW,aAAa,CAACr9B,MAAM,GAAG,CAAC,EAAE;YAC/Bs6B,KAAK,CAACz0B,IAAI,CAAA,SAAA,CAAAhC,MAAA,CAAW,IAAI,CAACw5B,aAAa,CAACrH,GAAG,CAACuG,CAAC,IAAI7D,aAAa,CAAC6D,CAAC,CAAC,GAAG,MAAM,CAAC,CAACjzB,IAAI,CAAC,GAAG,CAAC,CAAG,CAAA,CAAA;MAC5F,KAAA;MAEA,IAAA,IAAI,IAAI,CAACkwB,eAAe,CAACx5B,MAAM,GAAG,CAAC,EAAE;YACjC,IAAMw5B,eAAyB,GAAG,EAAE,CAAA;MAAC,MAAA,IAAA8D,UAAA,GAAA5uB,0BAAA,CAClB,IAAI,CAAC8qB,eAAe,CAAA;cAAA+D,MAAA,CAAA;MAAA,MAAA,IAAA;cAAvC,KAAAD,UAAA,CAAA1uB,CAAA,EAAA2uB,EAAAA,CAAAA,CAAAA,MAAA,GAAAD,UAAA,CAAAzuB,CAAA,EAAAC,EAAAA,IAAA,GAAyC;MAAA,UAAA,IAA9BjD,IAAI,GAAA0xB,MAAA,CAAAr5B,KAAA,CAAA;MACX,UAAA,IAAMs5B,KAAK,GAAG1tB,YAAY,CAACE,SAAS,CAACnE,IAAI,CAACI,IAAI,EAAEJ,IAAI,CAACK,KAAK,EAAEL,IAAI,CAACM,GAAG,EAAE,IAAI,CAACuwB,aAAa,CAAC5vB,IAAI,EAAE,IAAI,CAAC4vB,aAAa,CAACrvB,MAAM,EAAE,IAAI,CAACqvB,aAAa,CAACpvB,MAAM,CAAC,CAAA;MACpJ,UAAA,IAAIkwB,KAAK,EAAE;MACPhE,YAAAA,eAAe,CAAC3zB,IAAI,CAAC+yB,iBAAiB,CAAC4E,KAAK,CAAC,CAAC,CAAA;MAClD,WAAA;MACJ,SAAA;MAAC,OAAA,CAAA,OAAAzuB,GAAA,EAAA;cAAAuuB,UAAA,CAAA98B,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,OAAA,SAAA;MAAAuuB,QAAAA,UAAA,CAAAtuB,CAAA,EAAA,CAAA;MAAA,OAAA;YAEDsrB,KAAK,CAACz0B,IAAI,CAAA,QAAA,CAAAhC,MAAA,CAAU21B,eAAe,CAAClwB,IAAI,CAAC,GAAG,CAAC,CAAG,CAAA,CAAA;WACnD,MACI,IAAI,IAAI,CAACm0B,eAAe,CAACz9B,MAAM,GAAG,CAAC,EAAE;MAAA,MAAA,IAAA09B,UAAA,GAAAhvB,0BAAA,CAClB,IAAI,CAAC+uB,eAAe,CAAA;cAAAE,MAAA,CAAA;MAAA,MAAA,IAAA;cAAxC,KAAAD,UAAA,CAAA9uB,CAAA,EAAA+uB,EAAAA,CAAAA,CAAAA,MAAA,GAAAD,UAAA,CAAA7uB,CAAA,EAAAC,EAAAA,IAAA,GAA0C;MAAA,UAAA,IAA/B8uB,KAAK,GAAAD,MAAA,CAAAz5B,KAAA,CAAA;gBACZo2B,KAAK,CAACz0B,IAAI,CAAAhC,QAAAA,CAAAA,MAAA,CAAU+5B,KAAK,CAACzB,KAAK,EAAE,CAAG,CAAA,CAAA;MACxC,SAAA;MAAC,OAAA,CAAA,OAAAptB,GAAA,EAAA;cAAA2uB,UAAA,CAAAl9B,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,OAAA,SAAA;MAAA2uB,QAAAA,UAAA,CAAA1uB,CAAA,EAAA,CAAA;MAAA,OAAA;MACL,KAAA;MAEAsrB,IAAAA,KAAK,CAACz0B,IAAI,CAAC,YAAY,CAAC,CAAA;UACxBy0B,KAAK,CAACz0B,IAAI,CAAAhC,MAAAA,CAAAA,MAAA,CAAQ,IAAI,CAACq5B,GAAG,CAAG,CAAA,CAAA;MAC7B5C,IAAAA,KAAK,CAACz0B,IAAI,CAAC,YAAY,CAAC,CAAA;MAExB,IAAA,OAAOy0B,KAAK,CAAA;MAChB,GAAA;MAOQ6B,EAAAA,KAAKA,GAAkB;MAC3B,IAAA,IAAM7B,KAAK,GAAG,IAAI,CAAC8C,UAAU,EAAE,CAAA;MAE/B,IAAA,IAAI9C,KAAK,CAACt6B,MAAM,KAAK,CAAC,EAAE;MACpB,MAAA,OAAO,IAAI,CAAA;MACf,KAAA;UAEA,OAAOq6B,mBAAmB,CAACC,KAAK,CAAC,CAAChxB,IAAI,CAAC,MAAM,CAAC,CAAA;MAClD,GAAA;QAOQsa,KAAKA,CAACuZ,MAAkB,EAAQ;MAEpC,IAAA,IAAIU,IAAmB,CAAA;MAGvB,IAAA,IAAIV,MAAM,CAACtC,IAAI,EAAE,KAAK,cAAc,EAAE;MAClC,MAAA,MAAM,IAAIU,KAAK,CAAC,gBAAgB,CAAC,CAAA;MACrC,KAAA;UAEA4B,MAAM,CAAC9zB,GAAG,EAAE,CAAA;UAGZ,OAAO,CAACw0B,IAAI,GAAGV,MAAM,CAAC9zB,GAAG,EAAE,MAAM,IAAI,EAAE;YACnC,IAAIw0B,IAAI,KAAK,YAAY,EAAE;MACvB,QAAA,MAAA;MACJ,OAAA;MAEA,MAAA,IAAMC,OAAO,GAAGD,IAAI,CAAClb,OAAO,CAAC,GAAG,CAAC,CAAA;YACjC,IAAImb,OAAO,GAAG,CAAC,EAAE;MACb,QAAA,SAAA;MACJ,OAAA;YAEA,IAAI5a,GAAG,GAAG2a,IAAI,CAACj0B,SAAS,CAAC,CAAC,EAAEk0B,OAAO,CAAC,CAAA;YACpC,IAAM55B,KAAK,GAAG25B,IAAI,CAACj0B,SAAS,CAACk0B,OAAO,GAAG,CAAC,CAAC,CAAA;YAEzC,IAAMC,aAAqC,GAAG,EAAE,CAAA;MAChD,MAAA,IAAMC,WAAW,GAAG9a,GAAG,CAACpY,KAAK,CAAC,GAAG,CAAC,CAAA;MAClC,MAAA,IAAIkzB,WAAW,CAACh+B,MAAM,GAAG,CAAC,EAAE;MACxBkjB,QAAAA,GAAG,GAAG8a,WAAW,CAAC,CAAC,CAAC,CAAA;MACpBA,QAAAA,WAAW,CAAC/jB,MAAM,CAAC,CAAC,EAAE,CAAC,CAAC,CAAA;MAAC,QAAA,IAAAgkB,UAAA,GAAAvvB,0BAAA,CAENsvB,WAAW,CAAA;gBAAAE,MAAA,CAAA;MAAA,QAAA,IAAA;gBAA9B,KAAAD,UAAA,CAAArvB,CAAA,EAAAsvB,EAAAA,CAAAA,CAAAA,MAAA,GAAAD,UAAA,CAAApvB,CAAA,EAAAC,EAAAA,IAAA,GAAgC;MAAA,YAAA,IAArBusB,IAAI,GAAA6C,MAAA,CAAAh6B,KAAA,CAAA;MACX,YAAA,IAAMi6B,YAAY,GAAG9C,IAAI,CAACvwB,KAAK,CAAC,GAAG,CAAC,CAAA;MACpC,YAAA,IAAIuwB,IAAI,CAACr7B,MAAM,KAAK,CAAC,EAAE;oBACnB+9B,aAAa,CAACI,YAAY,CAAC,CAAC,CAAC,CAAC,GAAGA,YAAY,CAAC,CAAC,CAAC,CAAA;MACpD,aAAA;MACJ,WAAA;MAAC,SAAA,CAAA,OAAApvB,GAAA,EAAA;gBAAAkvB,UAAA,CAAAz9B,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,SAAA,SAAA;MAAAkvB,UAAAA,UAAA,CAAAjvB,CAAA,EAAA,CAAA;MAAA,SAAA;MACL,OAAA;YAEA,IAAIkU,GAAG,KAAK,SAAS,EAAE;MAAA,QAAA,IAAAkb,sBAAA,CAAA;MACnB,QAAA,IAAI,CAAC1B,aAAa,GAAA0B,CAAAA,sBAAA,GAAGhF,qBAAqB,CAACl1B,KAAK,CAAC,MAAAk6B,IAAAA,IAAAA,sBAAA,KAAAA,KAAAA,CAAAA,GAAAA,sBAAA,GAAIn+B,SAAS,CAAA;MAClE,OAAC,MACI,IAAIijB,GAAG,KAAK,OAAO,EAAE;MAAA,QAAA,IAAAmb,sBAAA,CAAA;MACtB,QAAA,IAAI,CAAC1B,WAAW,GAAA0B,CAAAA,sBAAA,GAAGjF,qBAAqB,CAACl1B,KAAK,CAAC,MAAAm6B,IAAAA,IAAAA,sBAAA,KAAAA,KAAAA,CAAAA,GAAAA,sBAAA,GAAIp+B,SAAS,CAAA;MAChE,OAAC,MACI,IAAIijB,GAAG,KAAK,OAAO,EAAE;cACtB,IAAI,CAACua,eAAe,CAAC53B,IAAI,CAAC,IAAIi1B,cAAc,CAAC52B,KAAK,CAAC,CAAC,CAAA;MACxD,OAAC,MACI,IAAIgf,GAAG,KAAK,OAAO,EAAE;cACtB,IAAI,CAACsW,eAAe,GAAGD,kBAAkB,CAACwE,aAAa,EAAE75B,KAAK,CAAC,CAAA;MACnE,OAAC,MACI,IAAIgf,GAAG,KAAK,KAAK,EAAE;cACpB,IAAI,CAACga,GAAG,GAAGh5B,KAAK,CAAA;MACpB,OAAC,MACI,IAAIgf,GAAG,KAAK,UAAU,EAAE,CAE5B,MACI,IAAIA,GAAG,KAAK,QAAQ,EAAE;MACvB,QAAA,IAAMob,UAAU,GAAGp6B,KAAK,CAAC4G,KAAK,CAAC,GAAG,CAAC,CAAA;MAAC,QAAA,IAAAyzB,WAAA,GAAA7vB,0BAAA,CACZ4vB,UAAU,CAAA;gBAAAE,OAAA,CAAA;MAAA,QAAA,IAAA;gBAAlC,KAAAD,WAAA,CAAA3vB,CAAA,EAAA4vB,EAAAA,CAAAA,CAAAA,OAAA,GAAAD,WAAA,CAAA1vB,CAAA,EAAAC,EAAAA,IAAA,GAAoC;MAAA,YAAA,IAAzB2vB,SAAS,GAAAD,OAAA,CAAAt6B,KAAA,CAAA;MAChB,YAAA,IAAM80B,KAAK,GAAGH,yBAAyB,CAAC4F,SAAS,CAAC,CAAA;MAClD,YAAA,IAAI,CAACpB,aAAa,CAACx3B,IAAI,CAAC,GAAGmzB,KAAK,CAAC,CAAA;MACrC,WAAA;MAAC,SAAA,CAAA,OAAAjqB,GAAA,EAAA;gBAAAwvB,WAAA,CAAA/9B,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,SAAA,SAAA;MAAAwvB,UAAAA,WAAA,CAAAvvB,CAAA,EAAA,CAAA;MAAA,SAAA;MACL,OAAA;MACJ,KAAA;MAKJ,GAAA;QAWQ0vB,cAAcA,CAAC5E,QAAsB,EAAW;MACpD,IAAA,IAAM6E,YAAY,GAAG7E,QAAQ,CAACjuB,IAAI,CAAA;MAAC,IAAA,IAAA+yB,WAAA,GAAAlwB,0BAAA,CAER,IAAI,CAAC2uB,aAAa,CAAA;YAAAwB,OAAA,CAAA;MAAA,IAAA,IAAA;YAA7C,KAAAD,WAAA,CAAAhwB,CAAA,EAAAiwB,EAAAA,CAAAA,CAAAA,OAAA,GAAAD,WAAA,CAAA/vB,CAAA,EAAAC,EAAAA,IAAA,GAA+C;MAAA,QAAA,IAApCgwB,YAAY,GAAAD,OAAA,CAAA36B,KAAA,CAAA;cACnB,IAAI46B,YAAY,CAACjzB,IAAI,CAACmJ,SAAS,CAAC2pB,YAAY,CAAC,EAAE;MAC3C,UAAA,OAAO,IAAI,CAAA;MACf,SAAA;MACJ,OAAA;MAAC,KAAA,CAAA,OAAA5vB,GAAA,EAAA;YAAA6vB,WAAA,CAAAp+B,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,KAAA,SAAA;MAAA6vB,MAAAA,WAAA,CAAA5vB,CAAA,EAAA,CAAA;MAAA,KAAA;MAED,IAAA,OAAO,KAAK,CAAA;MAChB,GAAA;MAUOwtB,EAAAA,QAAQA,CAACE,aAA2B,EAAEC,WAAyB,EAAkB;MACpF,IAAA,IAAI,CAAC,IAAI,CAACD,aAAa,EAAE;MACrB,MAAA,OAAO,EAAE,CAAA;MACb,KAAA;MAIA,IAAA,IAAI,IAAI,CAACA,aAAa,GAAGA,aAAa,EAAE;YACpCA,aAAa,GAAG,IAAI,CAACA,aAAa,CAAA;MACtC,KAAA;MAEA,IAAA,IAAI,IAAI,CAAClD,eAAe,CAACx5B,MAAM,GAAG,CAAC,EAAE;YACjC,IAAMg5B,KAAqB,GAAG,EAAE,CAAA;YAChC,IAAMQ,eAA+B,GAAG,CAAC,IAAI,CAACkD,aAAa,EAAE,GAAG,IAAI,CAAClD,eAAe,CAAC,CAAA;MAErF,MAAA,KAAA,IAAA/f,EAAA,GAAA,CAAA,EAAAslB,gBAAA,GAAmBvF,eAAe,EAAA/f,EAAA,GAAAslB,gBAAA,CAAA/+B,MAAA,EAAAyZ,EAAA,EAAE,EAAA;MAA/B,QAAA,IAAM5N,IAAI,GAAAkzB,gBAAA,CAAAtlB,EAAA,CAAA,CAAA;MACX,QAAA,IAAI5N,IAAI,IAAI6wB,aAAa,IAAI7wB,IAAI,GAAG8wB,WAAW,EAAE;MAC7C3D,UAAAA,KAAK,CAACnzB,IAAI,CAACgG,IAAI,CAAC,CAAA;MACpB,SAAA;MACJ,OAAA;MAEA,MAAA,OAAOmtB,KAAK,CAAA;WACf,MACI,IAAI,IAAI,CAACyE,eAAe,CAACz9B,MAAM,GAAG,CAAC,EAAE;MACtC,MAAA,IAAM49B,KAAK,GAAG,IAAI,CAACH,eAAe,CAAC,CAAC,CAAC,CAAA;YAErC,OAAOG,KAAK,CAACpB,QAAQ,CAAC,IAAI,CAACE,aAAa,EAAEA,aAAa,EAAEC,WAAW,CAAC,CAChE71B,MAAM,CAACy1B,CAAC,IAAI,CAAC,IAAI,CAACmC,cAAc,CAACnC,CAAC,CAAC,CAAC,CAAA;MAC7C,KAAC,MACI;YACD,IAAI,IAAI,CAACG,aAAa,IAAIA,aAAa,IAAI,IAAI,CAACA,aAAa,GAAGC,WAAW,EAAE;MACzE,QAAA,OAAO,CAAC,IAAI,CAACD,aAAa,CAAC,CAAA;MAC/B,OAAA;MAEA,MAAA,OAAO,EAAE,CAAA;MACb,KAAA;MACJ,GAAA;MAQOsC,EAAAA,cAAcA,GAAW;MAC5B,IAAA,OAAO,IAAI,CAACC,gBAAgB,CAAC,KAAK,CAAC,CAAA;MACvC,GAAA;MAQOC,EAAAA,cAAcA,GAAW;MAC5B,IAAA,OAAO,IAAI,CAACD,gBAAgB,CAAC,IAAI,CAAC,CAAA;MACtC,GAAA;QASQA,gBAAgBA,CAAC1S,IAAa,EAAU;MAC5C,IAAA,IAAI,CAAC,IAAI,CAACmQ,aAAa,EAAE;MACrB,MAAA,OAAO,EAAE,CAAA;MACb,KAAA;MAEA,IAAA,IAAMyC,aAAa,GAAG,IAAI,CAACzC,aAAa,CAAChpB,cAAc,CAAC;MAAE5G,MAAAA,IAAI,EAAE,SAAS;MAAEO,MAAAA,MAAM,EAAE,SAAS;MAAE+xB,MAAAA,MAAM,EAAE,IAAA;MAAK,KAAC,CAAC,CAAA;MAE7G,IAAA,IAAI,IAAI,CAAC3B,eAAe,CAACz9B,MAAM,GAAG,CAAC,EAAE;MACjC,MAAA,IAAM49B,KAAK,GAAG,IAAI,CAACH,eAAe,CAAC,CAAC,CAAC,CAAA;MAErC,MAAA,IAAIG,KAAK,CAACpC,SAAS,KAAK,OAAO,EAAE;cAC7B,IAAIt7B,MAAM,GAAG,OAAO,CAAA;MAEpB,QAAA,IAAI09B,KAAK,CAAChC,QAAQ,GAAG,CAAC,EAAE;MACpB17B,UAAAA,MAAM,cAAA2D,MAAA,CAAc+5B,KAAK,CAAChC,QAAQ,OAAA/3B,MAAA,CAAIoG,iBAAiB,CAAC2zB,KAAK,CAAChC,QAAQ,EAAE,KAAK,EAAE,MAAM,CAAC,CAAE,CAAA;MAC5F,SAAA;MAEA17B,QAAAA,MAAM,IAAA2D,MAAAA,CAAAA,MAAA,CAAWs7B,aAAa,CAAE,CAAA;MAEhC,QAAA,OAAOj/B,MAAM,CAAA;MACjB,OAAC,MACI,IAAI09B,KAAK,CAACpC,SAAS,KAAK,QAAQ,EAAE;MACnC,QAAA,IAAIoC,KAAK,CAAC5B,KAAK,CAACh8B,MAAM,KAAK,CAAC,EAAE;MAC1B,UAAA,OAAO,mBAAmB,CAAA;MAC9B,SAAA;cAEA,IAAIE,OAAM,GAAG09B,KAAK,CAAC5B,KAAK,CAAChG,GAAG,CAACuG,CAAC,IAAI3C,cAAc,CAAC2C,CAAC,CAACpwB,GAAG,CAAC,GAAG,GAAG,CAAC,CAAC7C,IAAI,CAAC,GAAG,CAAC,CAAA;MAExE,QAAA,IAAIs0B,KAAK,CAAChC,QAAQ,GAAG,CAAC,EAAE;gBACpB17B,OAAM,GAAA,QAAA,CAAA2D,MAAA,CAAY+5B,KAAK,CAAChC,QAAQ,EAAA/3B,UAAAA,CAAAA,CAAAA,MAAA,CAAW3D,OAAM,CAAE,CAAA;MACvD,SAAC,MACI;MACDA,UAAAA,OAAM,GAAA2D,UAAAA,CAAAA,MAAA,CAAc3D,OAAM,CAAE,CAAA;MAChC,SAAA;MAEA,QAAA,OAAA,EAAA,CAAA2D,MAAA,CAAU3D,OAAM,EAAA2D,MAAAA,CAAAA,CAAAA,MAAA,CAAOs7B,aAAa,CAAA,CAAA;MACxC,OAAC,MACI,IAAIvB,KAAK,CAACpC,SAAS,KAAK,SAAS,EAAE;MACpC,QAAA,IAAIoC,KAAK,CAAC/B,UAAU,CAAC77B,MAAM,GAAG,CAAC,EAAE;gBAC7B,IAAIE,QAAM,GAAA2D,MAAAA,CAAAA,MAAA,CAAU+5B,KAAK,CAAC/B,UAAU,CAAC,CAAC,CAAC,EAAY,YAAA,CAAA,CAAA;MAEnD,UAAA,IAAI+B,KAAK,CAAChC,QAAQ,GAAG,CAAC,EAAE;MACpB17B,YAAAA,QAAM,OAAA2D,MAAA,CAAO+5B,KAAK,CAAChC,QAAQ,EAAS,SAAA,CAAA,CAAA;MACxC,WAAC,MACI;MACD17B,YAAAA,QAAM,IAAI,OAAO,CAAA;MACrB,WAAA;MAEA,UAAA,OAAA,EAAA,CAAA2D,MAAA,CAAU3D,QAAM,EAAA2D,MAAAA,CAAAA,CAAAA,MAAA,CAAOs7B,aAAa,CAAA,CAAA;eACvC,MACI,IAAIvB,KAAK,CAAC5B,KAAK,CAACh8B,MAAM,GAAG,CAAC,EAAE;MAC7B,UAAA,IAAMg8B,KAAK,GAAG4B,KAAK,CAAC5B,KAAK,CAAC,CAAC,CAAC,CAAA;MAC5B,UAAA,IAAMqD,WAAW,GAAG9G,mBAAmB,CAACzxB,MAAM,CAAC+H,CAAC,IAAI+uB,KAAK,CAAC5B,KAAK,CAAC3e,IAAI,CAACkf,CAAC,IAAIA,CAAC,CAACr4B,KAAK,IAAI2K,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAACmnB,GAAG,CAACnnB,CAAC,IAAIA,CAAC,CAAC,CAAC,CAAC,CAAC,CAAA;gBAC1G,IAAI3O,QAAM,GAAG,EAAE,CAAA;MAEf,UAAA,IAAIm/B,WAAW,CAACr/B,MAAM,GAAG,CAAC,EAAE;MACxB,YAAA,IAAIs/B,QAAgB,CAAA;MAEpB,YAAA,IAAID,WAAW,CAACr/B,MAAM,GAAG,CAAC,EAAE;MACxBs/B,cAAAA,QAAQ,GAAAz7B,EAAAA,CAAAA,MAAA,CAAMw7B,WAAW,CAAC5X,KAAK,CAAC,CAAC,EAAE4X,WAAW,CAACr/B,MAAM,GAAG,CAAC,CAAC,CAACsJ,IAAI,CAAC,IAAI,CAAC,EAAA,OAAA,CAAA,CAAAzF,MAAA,CAAQw7B,WAAW,CAACA,WAAW,CAACr/B,MAAM,GAAG,CAAC,CAAC,CAAE,CAAA;MACtH,aAAC,MACI;MACDs/B,cAAAA,QAAQ,GAAGD,WAAW,CAAC/1B,IAAI,CAAC,OAAO,CAAC,CAAA;MACxC,aAAA;MACApJ,YAAAA,QAAM,GAAA2D,MAAAA,CAAAA,MAAA,CAAUy7B,QAAQ,EAAAz7B,GAAAA,CAAAA,CAAAA,MAAA,CAAI+1B,cAAc,CAACoC,KAAK,CAAC7vB,GAAG,CAAC,EAAiB,iBAAA,CAAA,CAAA;MAC1E,WAAC,MACI;MACD,YAAA,OAAO,EAAE,CAAA;MACb,WAAA;MAEA,UAAA,OAAA,EAAA,CAAAtI,MAAA,CAAU3D,QAAM,EAAA2D,MAAAA,CAAAA,CAAAA,MAAA,CAAOs7B,aAAa,CAAA,CAAA;MACxC,SAAC,MACI;MACD,UAAA,OAAO,EAAE,CAAA;MACb,SAAA;MACJ,OAAC,MACI;MACD,QAAA,OAAO,EAAE,CAAA;MACb,OAAA;MACJ,KAAC,MACI;YACD,IAAMnG,KAAqB,GAAG,CAAC,IAAI,CAAC0D,aAAa,EAAE,GAAG,IAAI,CAAClD,eAAe,CAAC,CAAA;MAE3E,MAAA,IAAIR,KAAK,CAACh5B,MAAM,KAAK,CAAC,EAAE;cACpB,OAAA6D,UAAAA,CAAAA,MAAA,CAAkB,IAAI,CAAC64B,aAAa,CAACnpB,WAAW,CAAC,GAAG,CAAC,CAAA,CAAA;aACxD,MACI,IAAI,CAACgZ,IAAI,IAAIyM,KAAK,CAACh5B,MAAM,GAAG,EAAE,EAAE;MACjC,QAAA,IAAMu/B,SAAS,GAAGvG,KAAK,CAAC,CAAC,CAAC,CAAA;cAC1B,IAAMwG,QAAQ,GAAGxG,KAAK,CAACA,KAAK,CAACh5B,MAAM,GAAG,CAAC,CAAC,CAAA;cAExC,IAAIu/B,SAAS,IAAIC,QAAQ,EAAE;MACvB,UAAA,OAAA,yBAAA,CAAA37B,MAAA,CAAiC07B,SAAS,CAAChsB,WAAW,CAAC,GAAG,CAAC,EAAA1P,OAAAA,CAAAA,CAAAA,MAAA,CAAQ27B,QAAQ,CAACjsB,WAAW,CAAC,GAAG,CAAC,CAAA,CAAA;MAChG,SAAC,MACI;MACD,UAAA,OAAO,EAAE,CAAA;MACb,SAAA;MACJ,OAAC,MACI,IAAIylB,KAAK,CAACh5B,MAAM,GAAG,CAAC,EAAE;MACvB,QAAA,IAAIy/B,QAAQ,GAA+B,8BAAA,CAAA;MAAC,QAAA,IAAAC,WAAA,GAAAhxB,0BAAA,CAEzBsqB,KAAK,CAAA;gBAAA2G,OAAA,CAAA;MAAA,QAAA,IAAA;gBAAxB,KAAAD,WAAA,CAAA9wB,CAAA,EAAA+wB,EAAAA,CAAAA,CAAAA,OAAA,GAAAD,WAAA,CAAA7wB,CAAA,EAAAC,EAAAA,IAAA,GAA0B;MAAA,YAAA,IAAfjD,IAAI,GAAA8zB,OAAA,CAAAz7B,KAAA,CAAA;kBACXu7B,QAAQ,IAAA,MAAA,CAAA57B,MAAA,CAAWgI,IAAI,CAAC0H,WAAW,CAAC,GAAG,CAAC,EAAO,OAAA,CAAA,CAAA;MACnD,WAAA;MAAC,SAAA,CAAA,OAAAxE,GAAA,EAAA;gBAAA2wB,WAAA,CAAAl/B,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,SAAA,SAAA;MAAA2wB,UAAAA,WAAA,CAAA1wB,CAAA,EAAA,CAAA;MAAA,SAAA;MAEDywB,QAAAA,QAAQ,IAAI,OAAO,CAAA;MAEnB,QAAA,OAAOA,QAAQ,CAAA;MACnB,OAAC,MACI;MACD,QAAA,OAAO,aAAa,CAAA;MACxB,OAAA;MACJ,KAAA;MACJ,GAAA;MAGJ,CAAA;MAMO,MAAMG,QAAQ,CAAC;MAmBXp5B,EAAAA,WAAWA,GAA6C;MAAA,IAAA,IAA5Cy2B,UAA8B,GAAA59B,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAGY,SAAS,CAAA;MAAAiW,IAAAA,eAAA,iBAbpC,EAAE,CAAA,CAAA;UAcvB,IAAI+mB,UAAU,KAAKh9B,SAAS,EAAE;MAC1B,MAAA,OAAA;MACJ,KAAA;MAEA,IAAA,IAAMk9B,MAAM,GAAG,IAAIvC,UAAU,CAACqC,UAAU,CAAC,CAAA;MAEzC,IAAA,IAAI,CAACrZ,KAAK,CAACuZ,MAAM,CAAC,CAAA;MACtB,GAAA;MAWOhB,EAAAA,KAAKA,GAAkB;UAC1B,IAAM7B,KAAe,GAAG,EAAE,CAAA;MAE1BA,IAAAA,KAAK,CAACz0B,IAAI,CAAC,iBAAiB,CAAC,CAAA;MAC7By0B,IAAAA,KAAK,CAACz0B,IAAI,CAAC,6DAA6D,CAAC,CAAA;MACzEy0B,IAAAA,KAAK,CAACz0B,IAAI,CAAC,aAAa,CAAC,CAAA;MAAC,IAAA,IAAAg6B,WAAA,GAAAnxB,0BAAA,CAEN,IAAI,CAACoxB,MAAM,CAAA;YAAAC,OAAA,CAAA;MAAA,IAAA,IAAA;YAA/B,KAAAF,WAAA,CAAAjxB,CAAA,EAAAmxB,EAAAA,CAAAA,CAAAA,OAAA,GAAAF,WAAA,CAAAhxB,CAAA,EAAAC,EAAAA,IAAA,GAAiC;MAAA,QAAA,IAAtBjM,KAAK,GAAAk9B,OAAA,CAAA77B,KAAA,CAAA;cACZo2B,KAAK,CAACz0B,IAAI,CAAC,GAAGhD,KAAK,CAACu6B,UAAU,EAAE,CAAC,CAAA;MACrC,OAAA;MAAC,KAAA,CAAA,OAAAruB,GAAA,EAAA;YAAA8wB,WAAA,CAAAr/B,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,KAAA,SAAA;MAAA8wB,MAAAA,WAAA,CAAA7wB,CAAA,EAAA,CAAA;MAAA,KAAA;MAEDsrB,IAAAA,KAAK,CAACz0B,IAAI,CAAC,eAAe,CAAC,CAAA;UAE3B,OAAO80B,qBAAqB,CAACL,KAAK,CAAC,CAAChxB,IAAI,CAAC,MAAM,CAAC,CAAA;MACpD,GAAA;QAQQsa,KAAKA,CAACuZ,MAAkB,EAAQ;MACpC,IAAA,IAAIU,IAAmB,CAAA;UAGvB,OAAO,CAACA,IAAI,GAAGV,MAAM,CAACtC,IAAI,EAAE,MAAM,IAAI,EAAE;YACpC,IAAIgD,IAAI,KAAK,cAAc,EAAE;MACzB,QAAA,IAAMh7B,KAAK,GAAG,IAAIm6B,KAAK,CAACG,MAAM,CAAC,CAAA;MAE/B,QAAA,IAAI,CAAC2C,MAAM,CAACj6B,IAAI,CAAChD,KAAK,CAAC,CAAA;MAC3B,OAAC,MACI;cACDs6B,MAAM,CAAC9zB,GAAG,EAAE,CAAA;MAChB,OAAA;MACJ,KAAA;MACJ,GAAA;MAGJ;;;;;;;;;;MCxzCA,IAAM22B,MAAM,GAAG,IAAIC,MAAM,CAAC;MACtB5c,EAAAA,KAAK,EAAE,IAAA;MACX,CAAC,CAAC,CAAA;MAEK,SAAS6c,kBAAkBA,CAACC,QAAgB,EAAEC,WAAoC,EAAU;MAC/F,EAAA,IAAMC,GAAG,GAAGL,MAAM,CAACpc,KAAK,CAACuc,QAAQ,CAAC,CAAA;MAElC,EAAA,OAAOH,MAAM,CAACM,UAAU,CAACD,GAAG,EAAED,WAAW,CAAC,CAAA;MAC9C;;;;;;;;MCRO,SAASG,mBAAmBA,CAACC,OAAe,EAAsB;QACrE,IAAI;MACA,IAAA,IAAM96B,GAAG,GAAG6d,IAAI,CAACK,KAAK,CAAC4c,OAAO,CAAC,CAAA;MAE/B,IAAA,IAAI,OAAO,IAAI96B,GAAG,IAAI,MAAM,IAAIA,GAAG,EAAE;MACjC,MAAA,OAAOA,GAAG,CAAA;MACd,KAAA;MAEA,IAAA,OAAO,IAAI,CAAA;SACd,CACD,OAAOlF,CAAC,EAAE;MACN,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;MACJ;;;;;;;;MCLsBigC,SAAAA,WAAWA,CAAA1hC,EAAA,EAAA;MAAA,EAAA,OAAA2hC,YAAA,CAAAthC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAgBhC,SAAAqhC,YAAA,GAAA;MAAAA,EAAAA,YAAA,GAAAphC,iBAAA,CAhBM,WAA2B4E,KAAa,EAAmB;UAC9D,IAAMhC,IAAI,GAAGD,OAAO,EAAE,CAAA;MAEtB,IAAA,IAAM0B,OAAsD,GAAG;MAC3Dg9B,MAAAA,aAAa,EAAEz8B,KAAAA;WAClB,CAAA;MAED,IAAA,IAAMlD,QAAQ,GAAA,MAASkB,IAAI,CAACT,IAAI,CAAS,sDAAsD,EAAE,EAAE,EAAEkC,OAAO,CAAC,CAAA;MAE7G,IAAA,IAAI3C,QAAQ,CAACZ,SAAS,IAAIY,QAAQ,CAACtB,IAAI,EAAE;YACrC,OAAOsB,QAAQ,CAACtB,IAAI,CAAA;MACxB,KAAC,MACI;MACDyY,MAAAA,OAAO,CAACC,KAAK,CAAC,OAAO,EAAEpX,QAAQ,CAACT,YAAY,IAAAsD,oBAAAA,CAAAA,MAAA,CAAyBK,KAAK,OAAI,CAAC,CAAA;MAC/E,MAAA,OAAO,EAAE,CAAA;MACb,KAAA;SACH,CAAA,CAAA;MAAA,EAAA,OAAAw8B,YAAA,CAAAthC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA;;;;;;;;MC3BM,SAASuhC,WAAWA,CAAC3pB,OAAwC,EAA2B;QAC3F,IAAM4pB,GAAG,GAAG,EAAE,CAAA;MAAC,EAAA,IAAApyB,SAAA,GAAAC,0BAAA,CACKuI,OAAO,CAAA;UAAAtI,KAAA,CAAA;MAAA,EAAA,IAAA;UAA3B,KAAAF,SAAA,CAAAG,CAAA,EAAAD,EAAAA,CAAAA,CAAAA,KAAA,GAAAF,SAAA,CAAAI,CAAA,EAAAC,EAAAA,IAAA,GAA6B;MAAA,MAAA,IAAlBgyB,KAAK,GAAAnyB,KAAA,CAAAzK,KAAA,CAAA;YACZ28B,GAAG,CAACC,KAAK,CAAC,CAAC,CAAC,CAAC,GAAGA,KAAK,CAAC,CAAC,CAAC,CAAA;MAC5B,KAAA;MAAC,GAAA,CAAA,OAAA/xB,GAAA,EAAA;UAAAN,SAAA,CAAAjO,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,GAAA,SAAA;MAAAN,IAAAA,SAAA,CAAAO,CAAA,EAAA,CAAA;MAAA,GAAA;MACD,EAAA,OAAO6xB,GAAG,CAAA;MACd,CAAA;MAmBO,SAASE,gBAAgBA,CAACC,MAA+B,EAAEC,IAAY,EAAW;MACrF,EAAA,IAAI,CAACD,MAAM,IAAI,CAACC,IAAI,EAAE;MAClB,IAAA,OAAA;MACJ,GAAA;MAEA,EAAA,IAAMC,SAAS,GAAGD,IAAI,CAACn2B,KAAK,CAAC,GAAG,CAAC,CAAA;MAEjC,EAAA,KAAK,IAAIyD,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG2yB,SAAS,CAAClhC,MAAM,EAAEuO,CAAC,EAAE,EAAE;UACvC,IAAM4yB,QAAQ,GAAGD,SAAS,CAAC3yB,CAAC,CAAC,CAACzF,IAAI,EAAE,CAAA;MAIpC,IAAA,IAAI,CAACq4B,QAAQ,IAAI,CAACrzB,MAAM,CAACszB,SAAS,CAACC,cAAc,CAAC57B,IAAI,CAACu7B,MAAM,EAAEG,QAAQ,CAAC,EAAE;MACtE,MAAA,OAAA;MACJ,KAAA;MAEA,IAAA,IAAMj9B,KAAK,GAAG88B,MAAM,CAACG,QAAQ,CAAC,CAAA;MAG9B,IAAA,IAAI5yB,CAAC,KAAK2yB,SAAS,CAAClhC,MAAM,GAAG,CAAC,EAAE;MAC5B,MAAA,OAAOkE,KAAK,CAAA;MAChB,KAAA;MAIA,IAAA,IAAI,OAAOA,KAAK,KAAK,QAAQ,EAAE;MAC3B,MAAA,OAAA;MACJ,KAAA;MAKA88B,IAAAA,MAAM,GAAG98B,KAAgC,CAAA;MAC7C,GAAA;MAGA,EAAA,OAAA;MACJ;;;;;;;;;MCxDA,IAAMhC,MAAI,GAAGD,OAAO,EAAE,CAAA;MAAC,SAKRq/B,6BAA6BA,GAAA;MAAA,EAAA,OAAAC,8BAAA,CAAAniC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAAA,SAAAkiC,8BAAA,GAAA;QAAAA,8BAAA,GAAAjiC,iBAAA,CAA5C,aAAkG;MAAA,IAAA,IAAAkiC,oBAAA,CAAA;UAC9F,IAAMthC,MAAM,GAASgC,MAAAA,MAAI,CAACT,IAAI,CAA2C,iDAAiD,EAAExB,SAAS,EAAE,IAAI,CAAC,CAAA;MAE5I,IAAA,IAAIC,MAAM,CAACE,SAAS,IAAIF,MAAM,CAACR,IAAI,EAAE;YACjC,OAAOQ,MAAM,CAACR,IAAI,CAAA;MACtB,KAAA;MAEA,IAAA,MAAM,IAAI67B,KAAK,CAAAiG,CAAAA,oBAAA,GAACthC,MAAM,CAACK,YAAY,MAAA,IAAA,IAAAihC,oBAAA,KAAA,KAAA,CAAA,GAAAA,oBAAA,GAAI,2CAA2C,CAAC,CAAA;SACtF,CAAA,CAAA;MAAA,EAAA,OAAAD,8BAAA,CAAAniC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAAA,SAKcoiC,mCAAmCA,GAAA;MAAA,EAAA,OAAAC,oCAAA,CAAAtiC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAAA,SAAAqiC,oCAAA,GAAA;QAAAA,oCAAA,GAAApiC,iBAAA,CAAlD,aAAwG;MAAA,IAAA,IAAAqiC,qBAAA,CAAA;MACpG,IAAA,IAAMh+B,OAAiD,GAAG;MACtDi+B,MAAAA,YAAY,EAAE,IAAA;WACjB,CAAA;UACD,IAAM1hC,MAAM,GAASgC,MAAAA,MAAI,CAACT,IAAI,CAA2C,iDAAiD,EAAExB,SAAS,EAAE0D,OAAO,CAAC,CAAA;MAE/I,IAAA,IAAIzD,MAAM,CAACE,SAAS,IAAIF,MAAM,CAACR,IAAI,EAAE;YACjC,OAAOQ,MAAM,CAACR,IAAI,CAAA;MACtB,KAAA;MAEA,IAAA,MAAM,IAAI67B,KAAK,CAAAoG,CAAAA,qBAAA,GAACzhC,MAAM,CAACK,YAAY,MAAA,IAAA,IAAAohC,qBAAA,KAAA,KAAA,CAAA,GAAAA,qBAAA,GAAI,2CAA2C,CAAC,CAAA;SACtF,CAAA,CAAA;MAAA,EAAA,OAAAD,oCAAA,CAAAtiC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAMM,IAAMwiC,2BAA2B,GAAGC,KAAK,CAAChe,mBAAmB,CAAC,0BAA0B,EAAEwd,6BAA6B,CAAC,CAAA;MAExH,IAAMS,iCAAiC,GAAGD,KAAK,CAAChe,mBAAmB,CAAC,gCAAgC,EAAE2d,mCAAmC,CAAC,CAAA;MAEjJ,IAAMO,kBAAkB,GAAG,CACvB;MACI,EAAA,OAAO,EAAE,oBAAoB;MAC7B,EAAA,QAAQ,EAAE,OAAA;MACd,CAAC,EACD;MACI,EAAA,OAAO,EAAE,4BAA4B;MACrC,EAAA,QAAQ,EAAE,YAAA;MACd,CAAC,EACD;MACI,EAAA,OAAO,EAAE,6BAA6B;MACtC,EAAA,QAAQ,EAAE,YAAA;MACd,CAAC,CACJ,CAAA;MASM,SAASC,iBAAiBA,CAAC/9B,KAAa,EAAqF;MAAA,EAAA,IAAnFulB,KAAoD,GAAApqB,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAG2iC,kBAAkB,CAAA;MACtH99B,EAAAA,KAAK,GAAGg+B,gBAAgB,CAACh+B,KAAK,CAAC,CAAA;QAE/B,IAAI,CAACA,KAAK,IAAIulB,KAAK,CAACzpB,MAAM,IAAI,CAAC,EAAE;MAC7B,IAAA,OAAOkE,KAAK,CAAA;MAChB,GAAA;MAAC,EAAA,IAAAuK,SAAA,GAAAC,0BAAA,CAEkB+a,KAAK,CAAA;UAAA9a,KAAA,CAAA;MAAA,EAAA,IAAA;UAAxB,KAAAF,SAAA,CAAAG,CAAA,EAAAD,EAAAA,CAAAA,CAAAA,KAAA,GAAAF,SAAA,CAAAI,CAAA,EAAAC,EAAAA,IAAA,GAA0B;MAAA,MAAA,IAAAqzB,WAAA,CAAA;MAAA,MAAA,IAAflH,IAAI,GAAAtsB,KAAA,CAAAzK,KAAA,CAAA;MACX,MAAA,IAAMk+B,KAAK,GAAG,IAAIx3B,MAAM,CAAA,CAAAu3B,WAAA,GAAClH,IAAI,CAACoH,KAAK,cAAAF,WAAA,KAAA,KAAA,CAAA,GAAAA,WAAA,GAAI,EAAE,CAAC,CAAA;MAE1C,MAAA,IAAIC,KAAK,CAAC35B,IAAI,CAACvE,KAAK,CAAC,EAAE;MAAA,QAAA,IAAAo+B,YAAA,CAAA;MACnB,QAAA,OAAOp+B,KAAK,CAAC6D,OAAO,CAACq6B,KAAK,EAAA,CAAAE,YAAA,GAAErH,IAAI,CAAC3sB,MAAM,MAAA,IAAA,IAAAg0B,YAAA,KAAAA,KAAAA,CAAAA,GAAAA,YAAA,GAAI,EAAE,CAAC,IAAIp+B,KAAK,CAAA;MAC3D,OAAA;MACJ,KAAA;MAAC,GAAA,CAAA,OAAA6K,GAAA,EAAA;UAAAN,SAAA,CAAAjO,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,GAAA,SAAA;MAAAN,IAAAA,SAAA,CAAAO,CAAA,EAAA,CAAA;MAAA,GAAA;MAED,EAAA,OAAO9K,KAAK,CAAA;MAChB,CAAA;MAOO,SAASg+B,gBAAgBA,CAAC14B,GAAW,EAAU;QAClD,IAAI,CAACA,GAAG,EAAE;MACN,IAAA,OAAO,EAAE,CAAA;MACb,GAAA;MAEA,EAAA,OAAOA,GAAG,CAACzB,OAAO,CAAC,KAAK,EAAE,EAAE,CAAC,CAAA;MACjC,CAAA;AAEA,kBAAe;QACX85B,2BAA2B;QAC3BI,iBAAiB;MACjBC,EAAAA,gBAAAA;MACJ,CAAC,CAAA;MAID1sB,MAAM,CAACysB,iBAAiB,GAAGA,iBAAiB;;;;;;;;;;;;MClFrC,SAASM,OAAOA,CAAChX,IAAyB,EAAE5nB,OAAwB,EAAQ;MAAA,EAAA,IAAA6+B,iBAAA,CAAA;MAE/E,EAAA,IAAI78B,KAAK,CAACC,OAAO,CAAC2lB,IAAI,CAAC,EAAE;MAAA,IAAA,IAAA9c,SAAA,GAAAC,0BAAA,CACL6c,IAAI,CAAA;YAAA5c,KAAA,CAAA;MAAA,IAAA,IAAA;YAApB,KAAAF,SAAA,CAAAG,CAAA,EAAAD,EAAAA,CAAAA,CAAAA,KAAA,GAAAF,SAAA,CAAAI,CAAA,EAAAC,EAAAA,IAAA,GAAsB;MAAA,QAAA,IAAXD,CAAC,GAAAF,KAAA,CAAAzK,KAAA,CAAA;MACRq+B,QAAAA,OAAO,CAAC1zB,CAAC,EAAElL,OAAO,CAAC,CAAA;MACvB,OAAA;MAAC,KAAA,CAAA,OAAAoL,GAAA,EAAA;YAAAN,SAAA,CAAAjO,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,KAAA,SAAA;MAAAN,MAAAA,SAAA,CAAAO,CAAA,EAAA,CAAA;MAAA,KAAA;MAED,IAAA,OAAA;MACJ,GAAA;MAEAyzB,EAAAA,CAAC,CAAClX,IAAI,CAAC,CAACgX,OAAO,CAAC;MACZhW,IAAAA,IAAI,EAAE5oB,OAAO,KAAA,IAAA,IAAPA,OAAO,KAAPA,KAAAA,CAAAA,GAAAA,KAAAA,CAAAA,GAAAA,OAAO,CAAE4oB,IAAI;MACnBmW,IAAAA,QAAQ,EAAAF,CAAAA,iBAAA,GAAE7+B,OAAO,aAAPA,OAAO,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAPA,OAAO,CAAE++B,QAAQ,MAAA,IAAA,IAAAF,iBAAA,KAAA,KAAA,CAAA,GAAAA,iBAAA,GAAI,IAAA;MACnC,GAAC,CAAC,CAAA;MACN;;;;;;;;MC7BO,SAASG,KAAKA,CAACC,EAAU,EAAiB;MAC7C,EAAA,OAAO,IAAI/gB,OAAO,CAAOC,OAAO,IAAI;MAChCrM,IAAAA,UAAU,CAACqM,OAAO,EAAE8gB,EAAE,CAAC,CAAA;MAC3B,GAAC,CAAC,CAAA;MACN,CAAA;MAWO,SAASC,SAASA,CAAIC,GAAuB,EAAyB;QACzE,OAAO,CAAC,CAACA,GAAG,KAAK,OAAOA,GAAG,KAAK,QAAQ,IAAI,OAAOA,GAAG,KAAK,UAAU,CAAC,IAAI,OAAQA,GAAG,CAA6B7e,IAAI,KAAK,UAAU,CAAA;MACzI,CAAA;MAMO,MAAM8e,uBAAuB,CAAW;MAO3Cv8B,EAAAA,WAAWA,GAAG;UAAA0P,eAAA,CAAA,IAAA,EAAA,iBAAA,EAJyB,MAAM,EAA8B,CAAA,CAAA;UAAAA,eAAA,CAAA,IAAA,EAAA,gBAAA,EAEtB,MAAM,EAA8B,CAAA,CAAA;UAGrF,IAAI,CAAC8sB,eAAe,GAAG,IAAInhB,OAAO,CAAI,CAACC,OAAO,EAAEwN,MAAM,KAAK;YACvD,IAAI,CAAC2T,eAAe,GAAGnhB,OAAO,CAAA;YAC9B,IAAI,CAACohB,cAAc,GAAG5T,MAAM,CAAA;MAChC,KAAC,CAAC,CAAA;MACN,GAAA;QAGA,IAAWP,OAAOA,GAAe;UAC7B,OAAO,IAAI,CAACiU,eAAe,CAAA;MAC/B,GAAA;QAOOlhB,OAAOA,CAAC5d,KAAQ,EAAQ;MAC3B,IAAA,IAAI,CAAC++B,eAAe,CAAC/+B,KAAK,CAAC,CAAA;MAC/B,GAAA;QAOOorB,MAAMA,CAAC6T,MAAgB,EAAQ;MAClC,IAAA,IAAI,CAACD,cAAc,CAACC,MAAM,CAAC,CAAA;MAC/B,GAAA;MACJ;;;;;;;;;;MCuBA,IAAIC,aAAyC,GAAG,IAAI,CAAA;MACpD,IAAIC,cAAuC,GAAG,IAAI,CAAA;MAAC,SAQpCC,iBAAiBA,GAAA;MAAA,EAAA,OAAAC,kBAAA,CAAAnkC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAAA,SAAAkkC,kBAAA,GAAA;QAAAA,kBAAA,GAAAjkC,iBAAA,CAAhC,aAAiE;MAAA,IAAA,IAAAkkC,aAAA,CAAA;MAC7D,IAAA,IAAIJ,aAAa,EAAE;MACf,MAAA,OAAOA,aAAa,CAAA;MACxB,KAAA;UAEA,IAAI,CAACC,cAAc,EAAE;MACjBA,MAAAA,cAAc,GAAGlV,mBAAmB,CAAC,2BAA2B,EAAE,MAAA;MAAA,QAAA,IAAAsV,YAAA,CAAA;MAAA,QAAA,OAAM,CAAC,EAAA,CAAAA,YAAA,GAACjuB,MAAM,CAAC,MAAM,CAAC,MAAA,IAAA,IAAAiuB,YAAA,KAAA,KAAA,CAAA,IAAdA,YAAA,CAAiB,UAAU,CAAC,CAAA,CAAA;aAAC,CAAA,CAAA;MAC3G,KAAA;UAEA,IAAI,EAAA,MAAOJ,cAAc,CAAE,EAAA;MACvB,MAAA,MAAM,IAAI9H,KAAK,CAAC,kCAAkC,CAAC,CAAA;MACvD,KAAA;MAEA6H,IAAAA,aAAa,GAAAI,CAAAA,aAAA,GAAGhuB,MAAM,CAAC,MAAM,CAAC,MAAA,IAAA,IAAAguB,aAAA,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAdA,aAAA,CAAiB,UAAU,CAAwB,CAAA;MAEnE,IAAA,OAAOJ,aAAa,CAAA;SACvB,CAAA,CAAA;MAAA,EAAA,OAAAG,kBAAA,CAAAnkC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAWqBqkC,SAAAA,QAAQA,CAAA3kC,EAAA,EAAA;MAAA,EAAA,OAAA4kC,SAAA,CAAAvkC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAI7B,SAAAskC,SAAA,GAAA;MAAAA,EAAAA,SAAA,GAAArkC,iBAAA,CAJM,WAAkEskC,UAAkB,EAA4B;UACnH,IAAMC,QAAQ,GAASP,MAAAA,iBAAiB,EAAE,CAAA;MAE1C,IAAA,OAAOO,QAAQ,CAACH,QAAQ,CAACE,UAAU,CAAC,CAAA;SACvC,CAAA,CAAA;MAAA,EAAA,OAAAD,SAAA,CAAAvkC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA;;;;;;;;MChIM,IAAMykC,aAAa,GAAG;MAEzBC,EAAAA,uBAAuB,EAAE,YAAY;MAGrCC,EAAAA,YAAY,EAAE,uFAAsI;MAGpJC,EAAAA,kBAAkB,EAAE,iDAAA;MACxB,CAAC,CAAA;MAOM,IAAMC,0BAA0B,GAAGA,MAAcJ,aAAa,CAACC,uBAAuB,CAAA;MAOtF,IAAMI,eAAe,GAAGA,MAAcL,aAAa,CAACE,YAAY,CAAA;MAQhE,IAAMI,qBAAqB,GAAGA,MAAcN,aAAa,CAACG,kBAAkB;;;;;;;;;;;MCvB5E,MAAMI,YAAY,CAAC;QAGtB,IAAIC,MAAMA,GAAY;MAClB,IAAA,OAAO,IAAI,CAACC,GAAG,CAACC,EAAE,CAAC,CAAC,CAAC,CAAA;MACzB,GAAA;QAEA,IAAIC,MAAMA,GAAW;MACjB,IAAA,OAAO,IAAI,CAACF,GAAG,CAAC/e,QAAQ,EAAE,CAAA;MAC9B,GAAA;QAEA,IAAIkf,UAAUA,GAAY;MACtB,IAAA,OAAO,IAAI,CAACH,GAAG,CAACI,EAAE,CAAC,CAAC,CAAC,CAAA;MACzB,GAAA;QAEA,IAAIC,KAAKA,GAAW;UAChB,OAAO,IAAI,CAACL,GAAG,CAACM,KAAK,CAAC,IAAIC,GAAG,CAAC,EAAE,CAAC,CAACpe,GAAG,CAAC,IAAI,CAACX,YAAY,CAACI,aAAa,CAAC,CAAC,CAACX,QAAQ,EAAE,CAAA;MACtF,GAAA;MAOQhf,EAAAA,WAAWA,CAACtC,KAAkC,EAAW6hB,YAA6B,EAAE;UAAA,IAA/BA,CAAAA,YAA6B,GAA7BA,YAA6B,CAAA;UAC1F,IAAI7hB,KAAK,YAAYmgC,YAAY,EAAE;YAE/B,IAAI,CAACE,GAAG,GAAG,IAAIO,GAAG,CAAC5gC,KAAK,CAACqgC,GAAG,CAAC,CAAC5vB,KAAK,CAAC,IAAI,CAACoR,YAAY,CAACI,aAAa,EAAE2e,GAAG,CAACC,SAAS,CAAC,CAAA;MACvF,KAAC,MACI;YAGD,IAAI,CAACR,GAAG,GAAG,IAAIO,GAAG,CAAC5gC,KAAK,KAALA,IAAAA,IAAAA,KAAK,KAALA,KAAAA,CAAAA,GAAAA,KAAK,GAAI,CAAC,CAAC,CAACyQ,KAAK,CAAC,IAAI,CAACoR,YAAY,CAACI,aAAa,EAAE2e,GAAG,CAACC,SAAS,CAAC,CAAA;MACxF,KAAA;MACJ,GAAA;MASA,EAAA,OAAOC,MAAMA,CAAC9gC,KAAwB,EAAE6hB,YAA6B,EAAgB;MACjF,IAAA,OAAO,IAAIse,YAAY,CAACngC,KAAK,EAAE6hB,YAAY,CAAC,CAAA;MAChD,GAAA;QAEAkf,cAAcA,CAAC/gC,KAAwB,EAAgB;MACnD,IAAA,OAAOA,KAAK,YAAYmgC,YAAY,GAAGngC,KAAK,GAAG,IAAImgC,YAAY,CAACngC,KAAK,EAAE,IAAI,CAAC6hB,YAAY,CAAC,CAAA;MAC7F,GAAA;QAWAgI,GAAGA,CAAC7pB,KAAwB,EAAgB;MACxC,IAAA,IAAMghC,QAAQ,GAAG,IAAI,CAACD,cAAc,CAAC/gC,KAAK,CAAC,CAAA;MAE3C,IAAA,OAAO,IAAImgC,YAAY,CAAC,IAAI,CAACE,GAAG,CAACjyB,IAAI,CAAC4yB,QAAQ,CAACX,GAAG,CAAC,EAAE,IAAI,CAACxe,YAAY,CAAC,CAAA;MAC3E,GAAA;MASAof,EAAAA,MAAMA,GAAiB;MACnB,IAAA,OAAO,IAAId,YAAY,CAAC,IAAI,CAACE,GAAG,CAACa,GAAG,EAAE,EAAE,IAAI,CAACrf,YAAY,CAAC,CAAA;MAC9D,GAAA;QAUAsf,MAAMA,CAACC,OAAe,EAAuD;UAEzE,IAAMC,QAAQ,GAAG,IAAI,CAAChB,GAAG,CAACiB,GAAG,CAACF,OAAO,CAAC,CAAC3wB,KAAK,CAAC,IAAI,CAACoR,YAAY,CAACI,aAAa,EAAE2e,GAAG,CAACC,SAAS,CAAC,CAAA;MAC5F,IAAA,IAAMU,SAAS,GAAG,IAAI,CAAClB,GAAG,CAACmB,KAAK,CAACH,QAAQ,CAACV,KAAK,CAACS,OAAO,CAAC,CAAC,CAAA;UAEzD,OAAO;YACHC,QAAQ,EAAE,IAAIlB,YAAY,CAACkB,QAAQ,EAAE,IAAI,CAACxf,YAAY,CAAC;YACvD0f,SAAS,EAAE,IAAIpB,YAAY,CAACoB,SAAS,EAAE,IAAI,CAAC1f,YAAY,CAAA;WAC3D,CAAA;MACL,GAAA;QAWA4f,QAAQA,CAACzhC,KAAwB,EAAgB;MAC7C,IAAA,IAAMghC,QAAQ,GAAG,IAAI,CAACD,cAAc,CAAC/gC,KAAK,CAAC,CAAA;MAE3C,IAAA,OAAO,IAAImgC,YAAY,CAAC,IAAI,CAACE,GAAG,CAACmB,KAAK,CAACR,QAAQ,CAACX,GAAG,CAAC,EAAE,IAAI,CAACxe,YAAY,CAAC,CAAA;MAC5E,GAAA;QAQA/Q,SAASA,CAAC9Q,KAAwB,EAAW;MACzC,IAAA,IAAMghC,QAAQ,GAAG,IAAI,CAACD,cAAc,CAAC/gC,KAAK,CAAC,CAAA;UAC3C,OAAO,IAAI,CAACqgC,GAAG,CAACC,EAAE,CAACU,QAAQ,CAACX,GAAG,CAAC,CAAA;MACpC,GAAA;QAQAqB,YAAYA,CAAC1hC,KAAwB,EAAW;MAC5C,IAAA,IAAMghC,QAAQ,GAAG,IAAI,CAACD,cAAc,CAAC/gC,KAAK,CAAC,CAAA;UAC3C,OAAO,CAAC,IAAI,CAACqgC,GAAG,CAACC,EAAE,CAACU,QAAQ,CAACX,GAAG,CAAC,CAAA;MACrC,GAAA;QAQAsB,UAAUA,CAAC3hC,KAAwB,EAAW;MAC1C,IAAA,IAAMghC,QAAQ,GAAG,IAAI,CAACD,cAAc,CAAC/gC,KAAK,CAAC,CAAA;UAC3C,OAAO,IAAI,CAACqgC,GAAG,CAACI,EAAE,CAACO,QAAQ,CAACX,GAAG,CAAC,CAAA;MACpC,GAAA;QAQAuB,mBAAmBA,CAAC5hC,KAAwB,EAAW;MACnD,IAAA,IAAMghC,QAAQ,GAAG,IAAI,CAACD,cAAc,CAAC/gC,KAAK,CAAC,CAAA;UAC3C,OAAO,IAAI,CAACqgC,GAAG,CAACwB,GAAG,CAACb,QAAQ,CAACX,GAAG,CAAC,CAAA;MACrC,GAAA;QAQAyB,UAAUA,CAAC9hC,KAAwB,EAAgB;MAC/C,IAAA,IAAMghC,QAAQ,GAAG,IAAI,CAACD,cAAc,CAAC/gC,KAAK,CAAC,CAAA;UAC3C,IAAI,IAAI,CAACqgC,GAAG,CAACI,EAAE,CAACO,QAAQ,CAACX,GAAG,CAAC,EAAE;YAC3B,OAAO,IAAIF,YAAY,CAACa,QAAQ,CAACX,GAAG,EAAE,IAAI,CAACxe,YAAY,CAAC,CAAA;MAC5D,KAAC,MACI;MACD,MAAA,OAAO,IAAI,CAAA;MACf,KAAA;MACJ,GAAA;QAQAkgB,aAAaA,CAAC/hC,KAAwB,EAAW;MAC7C,IAAA,IAAMuG,KAAK,GAAG,IAAI,CAACw6B,cAAc,CAAC/gC,KAAK,CAAC,CAAA;UACxC,OAAO,IAAI,CAACqgC,GAAG,CAAC2B,EAAE,CAACz7B,KAAK,CAAC85B,GAAG,CAAC,CAAA;MACjC,GAAA;QAQA4B,aAAaA,CAACjiC,KAAwB,EAAgB;MAClD,IAAA,IAAMghC,QAAQ,GAAG,IAAI,CAACD,cAAc,CAAC/gC,KAAK,CAAC,CAAA;UAC3C,IAAI,IAAI,CAACqgC,GAAG,CAAC2B,EAAE,CAAChB,QAAQ,CAACX,GAAG,CAAC,EAAE;MAC3B,MAAA,OAAOW,QAAQ,CAAA;MACnB,KAAC,MACI;MACD,MAAA,OAAO,IAAI,CAAA;MACf,KAAA;MACJ,GAAA;MAGAz3B,EAAAA,GAAGA,GAAiB;MAChB,IAAA,OAAO,IAAI42B,YAAY,CAAC,IAAI,CAACE,GAAG,CAAC92B,GAAG,EAAE,EAAE,IAAI,CAACsY,YAAY,CAAC,CAAA;MAC9D,GAAA;QAKAqgB,GAAGA,CAACd,OAAe,EAAgB;MAC/B,IAAA,IAAAe,YAAA,GAAsB,IAAI,CAAChB,MAAM,CAACC,OAAO,CAAC;YAAlCG,SAAS,GAAAY,YAAA,CAATZ,SAAS,CAAA;MACjB,IAAA,OAAOA,SAAS,CAAA;MACpB,GAAA;MAEAn3B,EAAAA,MAAMA,GAA2D;MAAA,IAAA,IAA1D3K,OAAyC,GAAAtE,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAG,IAAI,CAAA;MACnD,IAAA,IAAIsE,OAAO,KAAPA,IAAAA,IAAAA,OAAO,eAAPA,OAAO,CAAE2iC,yBAAyB,EAAE;MACpC,MAAA,IAAMC,WAAW,GAAG,IAAI,CAAChC,GAAG,CAACiC,OAAO,CAAC,IAAI,CAACzgB,YAAY,CAACI,aAAa,EAAE2e,GAAG,CAACC,SAAS,CAAC,CAAA;YACpF,OAAAlhC,EAAAA,CAAAA,MAAA,CAAU,IAAI,CAACkiB,YAAY,CAACE,MAAM,CAAA,CAAApiB,MAAA,CAAG0iC,WAAW,CAAA,CAAA;MACpD,KAAA;UACA,OAAO,IAAI,CAACn+B,QAAQ,EAAE,CAAA;MAC1B,GAAA;MAKAA,EAAAA,QAAQA,GAAW;MAAA,IAAA,IAAAq+B,iBAAA,CAAA;MAEf,IAAA,IAAMF,WAAW,GAAG,IAAI,CAAChC,GAAG,CAACiC,OAAO,CAAC,IAAI,CAACzgB,YAAY,CAACI,aAAa,EAAE2e,GAAG,CAACC,SAAS,CAAC,CAAA;UAEpF,OAAA0B,CAAAA,iBAAA,GAAO7gB,gBAAgB,CAAC2gB,WAAW,EAAE,IAAI,CAACxgB,YAAY,CAAC,MAAA0gB,IAAAA,IAAAA,iBAAA,cAAAA,iBAAA,GAAA,EAAA,CAAA5iC,MAAA,CAAO,IAAI,CAACkiB,YAAY,CAACE,MAAM,CAAA,CAAApiB,MAAA,CAAG0iC,WAAW,CAAA,CAAA;MACxG,GAAA;MACJ;;;;;;;;MClMO,IAAMG,gBAA+B,GAAG,CAC3C;MACIxiC,EAAAA,KAAK,EAAEyiC,oBAAS,CAACC,OAAO,CAACx+B,QAAQ,EAAE;MACnCjE,EAAAA,IAAI,EAAE,SAAA;MACV,CAAC,EACD;MACID,EAAAA,KAAK,EAAEyiC,oBAAS,CAACE,QAAQ,CAACz+B,QAAQ,EAAE;MACpCjE,EAAAA,IAAI,EAAE,UAAA;MACV,CAAC,EACD;MACID,EAAAA,KAAK,EAAEyiC,oBAAS,CAACG,IAAI,CAAC1+B,QAAQ,EAAE;MAChCjE,EAAAA,IAAI,EAAE,MAAA;MACV,CAAC,EACD;MACID,EAAAA,KAAK,EAAEyiC,oBAAS,CAACI,IAAI,CAAC3+B,QAAQ,EAAE;MAChCjE,EAAAA,IAAI,EAAE,MAAA;MACV,CAAC,EACD;MACID,EAAAA,KAAK,EAAEyiC,oBAAS,CAACK,QAAQ,CAAC5+B,QAAQ,EAAE;MACpCjE,EAAAA,IAAI,EAAE,UAAA;MACV,CAAC,EACD;MACID,EAAAA,KAAK,EAAEyiC,oBAAS,CAACM,SAAS,CAAC7+B,QAAQ,EAAE;MACrCjE,EAAAA,IAAI,EAAE,YAAA;MACV,CAAC,CACJ,CAAA;MAMM,IAAM+iC,eAA8B,GAAG,CAC1C;MACIhjC,EAAAA,KAAK,EAAEijC,YAAQ,CAACC,IAAI,CAACh/B,QAAQ,EAAE;MAC/BjE,EAAAA,IAAI,EAAE,MAAA;MACV,CAAC,EACD;MACID,EAAAA,KAAK,EAAEijC,YAAQ,CAACE,GAAG,CAACj/B,QAAQ,EAAE;MAC9BjE,EAAAA,IAAI,EAAE,KAAA;MACV,CAAC,EACD;MACID,EAAAA,KAAK,EAAEijC,YAAQ,CAACG,IAAI,CAACl/B,QAAQ,EAAE;MAC/BjE,EAAAA,IAAI,EAAE,MAAA;MACV,CAAC,EACD;MACID,EAAAA,KAAK,EAAEijC,YAAQ,CAACI,KAAK,CAACn/B,QAAQ,EAAE;MAChCjE,EAAAA,IAAI,EAAE,OAAA;MACV,CAAC,EACD;MACID,EAAAA,KAAK,EAAEijC,YAAQ,CAACK,IAAI,CAACp/B,QAAQ,EAAE;MAC/BjE,EAAAA,IAAI,EAAE,MAAA;MACV,CAAC,CACJ,CAAA;MAUD,SAASsjC,eAAeA,CAACvjC,KAAa,EAAEP,OAAsB,EAAU;MAAA,EAAA,IAAA+jC,eAAA,CAAA;MACpE,EAAA,IAAMC,OAAO,GAAGhkC,OAAO,CAACmD,MAAM,CAACqB,CAAC,IAAIA,CAAC,CAACjE,KAAK,KAAKA,KAAK,CAAC,CAAA;QAEtD,OAAOyjC,OAAO,CAAC3nC,MAAM,GAAG,CAAC,GAAA0nC,CAAAA,eAAA,GAAGC,OAAO,CAAC,CAAC,CAAC,CAACxjC,IAAI,MAAAujC,IAAAA,IAAAA,eAAA,cAAAA,eAAA,GAAI,EAAE,GAAG,EAAE,CAAA;MAC1D,CAAA;MASO,SAASE,gBAAgBA,CAACC,SAAoB,EAAU;MAAA,EAAA,IAAAC,kBAAA,CAAA;MAC3D,EAAA,IAAMC,UAAU,GAAGrB,gBAAgB,CAAC5/B,MAAM,CAACkhC,CAAC,IAAIA,CAAC,CAAC9jC,KAAK,KAAK2jC,SAAS,CAACz/B,QAAQ,EAAE,CAAC,CAAA;QAEjF,OAAO2/B,UAAU,CAAC/nC,MAAM,GAAG,CAAC,GAAA8nC,CAAAA,kBAAA,GAAGC,UAAU,CAAC,CAAC,CAAC,CAAC5jC,IAAI,MAAA2jC,IAAAA,IAAAA,kBAAA,cAAAA,kBAAA,GAAI,EAAE,GAAG,EAAE,CAAA;MAChE,CAAA;MASO,SAASG,eAAeA,CAACC,QAAkB,EAAU;MAAA,EAAA,IAAAC,iBAAA,CAAA;MACxD,EAAA,IAAMC,SAAS,GAAGlB,eAAe,CAACpgC,MAAM,CAACkhC,CAAC,IAAIA,CAAC,CAAC9jC,KAAK,KAAKgkC,QAAQ,CAAC9/B,QAAQ,EAAE,CAAC,CAAA;QAE9E,OAAOggC,SAAS,CAACpoC,MAAM,GAAG,CAAC,GAAAmoC,CAAAA,iBAAA,GAAGC,SAAS,CAAC,CAAC,CAAC,CAACjkC,IAAI,MAAAgkC,IAAAA,IAAAA,iBAAA,cAAAA,iBAAA,GAAI,EAAE,GAAG,EAAE,CAAA;MAC9D,CAAA;MAUO,SAASE,2BAA2BA,CAACnkC,KAAa,EAA2B;MAChF,EAAA,IAAMqb,QAAQ,GAAGrb,KAAK,CAAC4G,KAAK,CAAC,GAAG,CAAC,CAAA;MAEjC,EAAA,IAAIyU,QAAQ,CAACvf,MAAM,GAAG,CAAC,EAAE;MACrB,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;MAIA,EAAA,IAAM+nC,UAAU,GAAGrB,gBAAgB,CAAC5/B,MAAM,CAACkhC,CAAC,IAAA;MAAA,IAAA,IAAAM,OAAA,CAAA;MAAA,IAAA,OAAI,EAAAA,OAAA,GAACN,CAAC,CAAC7jC,IAAI,MAAAmkC,IAAAA,IAAAA,OAAA,KAAAA,KAAAA,CAAAA,GAAAA,OAAA,GAAI,EAAE,EAAEvgC,OAAO,CAAC,GAAG,EAAE,EAAE,CAAC,CAACO,WAAW,EAAE,KAAKiX,QAAQ,CAAC,CAAC,CAAC,CAACjX,WAAW,EAAE,IAAI0/B,CAAC,CAAC9jC,KAAK,KAAKqb,QAAQ,CAAC,CAAC,CAAC,CAAA;SAAC,CAAA,CAAA;MACvJ,EAAA,IAAM6oB,SAAS,GAAGlB,eAAe,CAACpgC,MAAM,CAACkhC,CAAC,IAAA;MAAA,IAAA,IAAAO,QAAA,CAAA;MAAA,IAAA,OAAI,CAAAA,CAAAA,QAAA,GAACP,CAAC,CAAC7jC,IAAI,MAAAokC,IAAAA,IAAAA,QAAA,KAAAA,KAAAA,CAAAA,GAAAA,QAAA,GAAI,EAAE,EAAEjgC,WAAW,EAAE,KAAKiX,QAAQ,CAAC,CAAC,CAAC,CAACjX,WAAW,EAAE,IAAI0/B,CAAC,CAAC9jC,KAAK,KAAKqb,QAAQ,CAAC,CAAC,CAAC,CAAA;SAAC,CAAA,CAAA;MAEpI,EAAA,IAAIwoB,UAAU,CAAC/nC,MAAM,KAAK,CAAC,EAAE;MACzB,IAAA,OAAO,IAAI,CAAA;MACf,GAAA;MAEA,EAAA,IAAMwoC,KAAuB,GAAG;UAC5BX,SAAS,EAAEriB,QAAQ,CAACuiB,UAAU,CAAC,CAAC,CAAC,CAAC7jC,KAAK,CAAA;SAC1C,CAAA;MAGD,EAAA,IAAK,CAACyiC,oBAAS,CAACC,OAAO,EAAED,oBAAS,CAACG,IAAI,EAAEH,oBAAS,CAACI,IAAI,EAAEJ,oBAAS,CAACE,QAAQ,EAAEF,oBAAS,CAACK,QAAQ,CAAC,CAAc16B,QAAQ,CAACk8B,KAAK,CAACX,SAAS,CAAC,EAAE;UACrIW,KAAK,CAACN,QAAQ,GAAGE,SAAS,CAACpoC,MAAM,GAAG,CAAC,GAAGwlB,QAAQ,CAAC4iB,SAAS,CAAC,CAAC,CAAC,CAAClkC,KAAK,CAAC,GAAeijC,YAAQ,CAACC,IAAI,CAAA;UAGhG,IAAK,CAACT,oBAAS,CAACG,IAAI,EAAEH,oBAAS,CAACI,IAAI,EAAEJ,oBAAS,CAACE,QAAQ,EAAEF,oBAAS,CAACK,QAAQ,CAAC,CAAc16B,QAAQ,CAACk8B,KAAK,CAACX,SAAS,CAAC,EAAE;MAAA,MAAA,IAAA/b,eAAA,CAAA;MAClH0c,MAAAA,KAAK,CAACC,SAAS,GAAA,CAAA3c,eAAA,GAAGrG,cAAc,CAAClG,QAAQ,CAAC,CAAC,CAAC,CAAC,MAAA,IAAA,IAAAuM,eAAA,KAAAA,KAAAA,CAAAA,GAAAA,eAAA,GAAI,CAAC,CAAA;MACtD,KAAA;MACJ,GAAA;MAGA,EAAA,IAAI0c,KAAK,CAACX,SAAS,KAAKlB,oBAAS,CAACM,SAAS,EAAE;MACzC,IAAA,IAAI1nB,QAAQ,CAACvf,MAAM,GAAG,CAAC,EAAE;MACrBwoC,MAAAA,KAAK,CAACE,SAAS,GAAGnpB,QAAQ,CAAC,CAAC,CAAC,CAAA;MACjC,KAAA;MAEA,IAAA,IAAIA,QAAQ,CAACvf,MAAM,GAAG,CAAC,EAAE;MACrBwoC,MAAAA,KAAK,CAACG,SAAS,GAAGppB,QAAQ,CAAC,CAAC,CAAC,CAAA;MACjC,KAAA;MACJ,GAAA;MAEA,EAAA,OAAOipB,KAAK,CAAA;MAChB,CAAA;MASO,SAASI,wBAAwBA,CAAC1kC,KAAuB,EAAU;MAAA,EAAA,IAAA2kC,qBAAA,EAAAC,eAAA,EAAAC,gBAAA,EAAAC,gBAAA,EAAAC,gBAAA,EAAAC,sBAAA,EAAAC,gBAAA,CAAA;QAEtE,QAAQjlC,KAAK,CAAC2jC,SAAS;UACnB,KAAKlB,oBAAS,CAACC,OAAO;YAClB,OAAA/iC,WAAAA,CAAAA,MAAA,CAAmB4jC,eAAe,CAAAoB,CAAAA,qBAAA,GAAAC,CAAAA,eAAA,GAAC5kC,KAAK,CAACgkC,QAAQ,MAAAY,IAAAA,IAAAA,eAAA,uBAAdA,eAAA,CAAgB1gC,QAAQ,EAAE,MAAAygC,IAAAA,IAAAA,qBAAA,KAAAA,KAAAA,CAAAA,GAAAA,qBAAA,GAAI,EAAE,EAAE3B,eAAe,CAAC,EAAA,IAAA,CAAA,CAAA;UAEzF,KAAKP,oBAAS,CAACM,SAAS;YACpB,OAAApjC,cAAAA,CAAAA,MAAA,CAAAklC,CAAAA,gBAAA,GAAsB7kC,KAAK,CAACwkC,SAAS,MAAAK,IAAAA,IAAAA,gBAAA,KAAAA,KAAAA,CAAAA,GAAAA,gBAAA,GAAI,EAAE,OAAAllC,MAAA,CAAA,CAAAmlC,gBAAA,GAAI9kC,KAAK,CAACykC,SAAS,MAAA,IAAA,IAAAK,gBAAA,KAAA,KAAA,CAAA,GAAAA,gBAAA,GAAI,EAAE,CAAA,CAAA;MAExE,IAAA;YACI,OAAAnlC,EAAAA,CAAAA,MAAA,CAAU4jC,eAAe,CAACvjC,KAAK,CAAC2jC,SAAS,CAACz/B,QAAQ,EAAE,EAAEs+B,gBAAgB,CAAC,EAAA7iC,GAAAA,CAAAA,CAAAA,MAAA,CAAAolC,CAAAA,gBAAA,GAAI/kC,KAAK,CAACukC,SAAS,MAAAQ,IAAAA,IAAAA,gBAAA,KAAAA,KAAAA,CAAAA,GAAAA,gBAAA,GAAI,EAAE,OAAAplC,MAAA,CAAI4jC,eAAe,CAAA,CAAAyB,sBAAA,GAAA,CAAAC,gBAAA,GAACjlC,KAAK,CAACgkC,QAAQ,MAAAiB,IAAAA,IAAAA,gBAAA,uBAAdA,gBAAA,CAAgB/gC,QAAQ,EAAE,MAAA8gC,IAAAA,IAAAA,sBAAA,KAAAA,KAAAA,CAAAA,GAAAA,sBAAA,GAAI,EAAE,EAAEhC,eAAe,CAAC,EAAA,IAAA,CAAA,CAAA;MAAK,GAAA;MAEvL,CAAA;MAUO,SAASkC,yBAAyBA,CAACllC,KAAuB,EAA0H;MAAA,EAAA,IAAxH0P,eAAgD,GAAAvU,SAAA,CAAAW,MAAA,GAAA,CAAA,IAAAX,SAAA,CAAA,CAAA,CAAA,KAAAY,SAAA,GAAAZ,SAAA,CAAA,CAAA,CAAA,GAAGY,SAAS,CAAA;MAC3H,EAAA,IAAMC,MAAgE,GAAG;MACrEgU,IAAAA,KAAK,EAAE,IAAI;MACXC,IAAAA,GAAG,EAAE,IAAA;SACR,CAAA;QAED,IAAI,CAACP,eAAe,EAAE;MAClBA,IAAAA,eAAe,GAAG9D,YAAY,CAACoB,GAAG,EAAE,CAAA;MACxC,GAAA;MAEA,EAAA,IAAIhN,KAAK,CAAC2jC,SAAS,KAAKlB,oBAAS,CAACC,OAAO,EAAE;MACvC,IAAA,IAAI1iC,KAAK,CAACgkC,QAAQ,KAAKf,YAAQ,CAACC,IAAI,EAAE;YAAA,IAAAiC,qBAAA,EAAAC,aAAA,CAAA;YAClCppC,MAAM,CAACgU,KAAK,GAAGpE,YAAY,CAACE,SAAS,CAAC4D,eAAe,CAAC3H,IAAI,EAAE2H,eAAe,CAAC1H,KAAK,EAAE0H,eAAe,CAACzH,GAAG,EAAEyH,eAAe,CAAC9G,IAAI,EAAE,CAAC,EAAE,CAAC,CAAC,CAAA;YACnI5M,MAAM,CAACiU,GAAG,GAAA,CAAAk1B,qBAAA,GAAA,CAAAC,aAAA,GAAGppC,MAAM,CAACgU,KAAK,MAAAo1B,IAAAA,IAAAA,aAAA,uBAAZA,aAAA,CAAc72B,QAAQ,CAAC,CAAC,CAAC,cAAA42B,qBAAA,KAAA,KAAA,CAAA,GAAAA,qBAAA,GAAI,IAAI,CAAA;WACjD,MACI,IAAInlC,KAAK,CAACgkC,QAAQ,KAAKf,YAAQ,CAACE,GAAG,EAAE;MACtCnnC,MAAAA,MAAM,CAACgU,KAAK,GAAGN,eAAe,CAAC/H,IAAI,CAAA;YACnC3L,MAAM,CAACiU,GAAG,GAAGjU,MAAM,CAACgU,KAAK,CAAC9B,OAAO,CAAC,CAAC,CAAC,CAAA;WACvC,MACI,IAAIlO,KAAK,CAACgkC,QAAQ,KAAKf,YAAQ,CAACG,IAAI,EAAE;YAEvC,IAAIiC,IAAI,GAAG31B,eAAe,CAACzG,SAAS,GAAGoE,SAAS,CAACC,MAAM,CAAA;YAEvD,IAAI+3B,IAAI,GAAG,CAAC,EAAE;MACVA,QAAAA,IAAI,IAAI,CAAC,CAAA;MACb,OAAA;MAEArpC,MAAAA,MAAM,CAACgU,KAAK,GAAGN,eAAe,CAACxB,OAAO,CAAC,CAAC,CAAC,GAAGm3B,IAAI,CAAC,CAAC19B,IAAI,CAAA;YACtD3L,MAAM,CAACiU,GAAG,GAAGjU,MAAM,CAACgU,KAAK,CAAC9B,OAAO,CAAC,CAAC,CAAC,CAAA;WACvC,MACI,IAAIlO,KAAK,CAACgkC,QAAQ,KAAKf,YAAQ,CAACI,KAAK,EAAE;YAAA,IAAAiC,qBAAA,EAAAC,cAAA,CAAA;MACxCvpC,MAAAA,MAAM,CAACgU,KAAK,GAAGpE,YAAY,CAACE,SAAS,CAAC4D,eAAe,CAAC3H,IAAI,EAAE2H,eAAe,CAAC1H,KAAK,EAAE,CAAC,CAAC,CAAA;YACrFhM,MAAM,CAACiU,GAAG,GAAA,CAAAq1B,qBAAA,GAAA,CAAAC,cAAA,GAAGvpC,MAAM,CAACgU,KAAK,MAAAu1B,IAAAA,IAAAA,cAAA,uBAAZA,cAAA,CAAc32B,SAAS,CAAC,CAAC,CAAC,cAAA02B,qBAAA,KAAA,KAAA,CAAA,GAAAA,qBAAA,GAAI,IAAI,CAAA;WAClD,MACI,IAAItlC,KAAK,CAACgkC,QAAQ,KAAKf,YAAQ,CAACK,IAAI,EAAE;MACvCtnC,MAAAA,MAAM,CAACgU,KAAK,GAAGpE,YAAY,CAACE,SAAS,CAAC4D,eAAe,CAAC3H,IAAI,EAAE,CAAC,EAAE,CAAC,CAAC,CAAA;MACjE/L,MAAAA,MAAM,CAACiU,GAAG,GAAGrE,YAAY,CAACE,SAAS,CAAC4D,eAAe,CAAC3H,IAAI,GAAG,CAAC,EAAE,CAAC,EAAE,CAAC,CAAC,CAAA;MACvE,KAAA;MACJ,GAAC,MACI,IAAI/H,KAAK,CAAC2jC,SAAS,KAAKlB,oBAAS,CAACG,IAAI,IAAI5iC,KAAK,CAAC2jC,SAAS,KAAKlB,oBAAS,CAACE,QAAQ,EAAE;MAAA,IAAA,IAAA6C,iBAAA,CAAA;MAEnF,IAAA,IAAM3/B,KAAK,GAAA,CAAA2/B,iBAAA,GAAGxlC,KAAK,CAACukC,SAAS,MAAA,IAAA,IAAAiB,iBAAA,KAAA,KAAA,CAAA,GAAAA,iBAAA,GAAI,CAAC,CAAA;MAIlC,IAAA,IAAMC,YAAY,GAAGzlC,KAAK,CAAC2jC,SAAS,KAAKlB,oBAAS,CAACG,IAAI,GAAG,CAAC,GAAG,CAAC,CAAA;MAE/D,IAAA,IAAI5iC,KAAK,CAACgkC,QAAQ,KAAKf,YAAQ,CAACC,IAAI,EAAE;MAAA,MAAA,IAAAwC,qBAAA,EAAAC,sBAAA,EAAAC,oBAAA,EAAAC,WAAA,CAAA;YAClC7pC,MAAM,CAACiU,GAAG,GAAAy1B,CAAAA,qBAAA,IAAAC,sBAAA,GAAG/5B,YAAY,CAACE,SAAS,CAAC4D,eAAe,CAAC3H,IAAI,EAAE2H,eAAe,CAAC1H,KAAK,EAAE0H,eAAe,CAACzH,GAAG,EAAEyH,eAAe,CAAC9G,IAAI,EAAE,CAAC,EAAE,CAAC,CAAC,cAAA+8B,sBAAA,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAApHA,sBAAA,CACPp3B,QAAQ,CAACk3B,YAAY,CAAC,cAAAC,qBAAA,KAAA,KAAA,CAAA,GAAAA,qBAAA,GAAI,IAAI,CAAA;YACpC1pC,MAAM,CAACgU,KAAK,GAAA,CAAA41B,oBAAA,GAAA,CAAAC,WAAA,GAAG7pC,MAAM,CAACiU,GAAG,MAAA41B,IAAAA,IAAAA,WAAA,uBAAVA,WAAA,CAAYt3B,QAAQ,CAAC,CAAC1I,KAAK,CAAC,MAAA,IAAA,IAAA+/B,oBAAA,KAAA,KAAA,CAAA,GAAAA,oBAAA,GAAI,IAAI,CAAA;WACtD,MACI,IAAI5lC,KAAK,CAACgkC,QAAQ,KAAKf,YAAQ,CAACE,GAAG,EAAE;YAAA,IAAA2C,mBAAA,EAAAC,YAAA,CAAA;YACtC/pC,MAAM,CAACiU,GAAG,GAAGP,eAAe,CAAC/H,IAAI,CAACuG,OAAO,CAACu3B,YAAY,CAAC,CAAA;YACvDzpC,MAAM,CAACgU,KAAK,GAAA,CAAA81B,mBAAA,GAAA,CAAAC,YAAA,GAAG/pC,MAAM,CAACiU,GAAG,MAAA81B,IAAAA,IAAAA,YAAA,uBAAVA,YAAA,CAAY73B,OAAO,CAAC,CAACrI,KAAK,CAAC,MAAA,IAAA,IAAAigC,mBAAA,KAAA,KAAA,CAAA,GAAAA,mBAAA,GAAI,IAAI,CAAA;WACrD,MACI,IAAI9lC,KAAK,CAACgkC,QAAQ,KAAKf,YAAQ,CAACG,IAAI,EAAE;YAEvC,IAAIiC,KAAI,GAAG31B,eAAe,CAACzG,SAAS,GAAGoE,SAAS,CAACC,MAAM,CAAA;YAEvD,IAAI+3B,KAAI,GAAG,CAAC,EAAE;MACVA,QAAAA,KAAI,IAAI,CAAC,CAAA;MACb,OAAA;YAEArpC,MAAM,CAACiU,GAAG,GAAGP,eAAe,CAACxB,OAAO,CAAC,CAAC,CAAC,GAAGm3B,KAAI,CAAC,CAAC19B,IAAI,CAACuG,OAAO,CAAC,CAAC,GAAGu3B,YAAY,CAAC,CAAA;MAC9EzpC,MAAAA,MAAM,CAACgU,KAAK,GAAGhU,MAAM,CAACiU,GAAG,CAAC/B,OAAO,CAAC,CAACrI,KAAK,GAAG,CAAC,CAAC,CAAA;WAChD,MACI,IAAI7F,KAAK,CAACgkC,QAAQ,KAAKf,YAAQ,CAACI,KAAK,EAAE;MAAA,MAAA,IAAA2C,sBAAA,EAAAC,sBAAA,EAAAC,qBAAA,EAAAC,YAAA,CAAA;MACxCnqC,MAAAA,MAAM,CAACiU,GAAG,GAAA+1B,CAAAA,sBAAA,IAAAC,sBAAA,GAAGr6B,YAAY,CAACE,SAAS,CAAC4D,eAAe,CAAC3H,IAAI,EAAE2H,eAAe,CAAC1H,KAAK,EAAE,CAAC,CAAC,MAAA,IAAA,IAAAi+B,sBAAA,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAtEA,sBAAA,CAAwEr3B,SAAS,CAAC62B,YAAY,CAAC,MAAAO,IAAAA,IAAAA,sBAAA,KAAAA,KAAAA,CAAAA,GAAAA,sBAAA,GAAI,IAAI,CAAA;YACpHhqC,MAAM,CAACgU,KAAK,GAAA,CAAAk2B,qBAAA,GAAA,CAAAC,YAAA,GAAGnqC,MAAM,CAACiU,GAAG,MAAAk2B,IAAAA,IAAAA,YAAA,uBAAVA,YAAA,CAAYv3B,SAAS,CAAC,CAAC/I,KAAK,CAAC,MAAA,IAAA,IAAAqgC,qBAAA,KAAA,KAAA,CAAA,GAAAA,qBAAA,GAAI,IAAI,CAAA;WACvD,MACI,IAAIlmC,KAAK,CAACgkC,QAAQ,KAAKf,YAAQ,CAACK,IAAI,EAAE;MAAA,MAAA,IAAA8C,sBAAA,EAAAC,sBAAA,EAAAC,oBAAA,EAAAC,YAAA,CAAA;MACvCvqC,MAAAA,MAAM,CAACiU,GAAG,GAAAm2B,CAAAA,sBAAA,IAAAC,sBAAA,GAAGz6B,YAAY,CAACE,SAAS,CAAC4D,eAAe,CAAC3H,IAAI,EAAE,CAAC,EAAE,CAAC,CAAC,MAAA,IAAA,IAAAs+B,sBAAA,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAlDA,sBAAA,CAAoDr3B,QAAQ,CAACy2B,YAAY,CAAC,MAAAW,IAAAA,IAAAA,sBAAA,KAAAA,KAAAA,CAAAA,GAAAA,sBAAA,GAAI,IAAI,CAAA;YAC/FpqC,MAAM,CAACgU,KAAK,GAAA,CAAAs2B,oBAAA,GAAA,CAAAC,YAAA,GAAGvqC,MAAM,CAACiU,GAAG,MAAAs2B,IAAAA,IAAAA,YAAA,uBAAVA,YAAA,CAAYv3B,QAAQ,CAAC,CAACnJ,KAAK,CAAC,MAAA,IAAA,IAAAygC,oBAAA,KAAA,KAAA,CAAA,GAAAA,oBAAA,GAAI,IAAI,CAAA;MACvD,KAAA;UAGA,IAAME,UAAU,GAAG92B,eAAe,CAAC/H,IAAI,CAACuG,OAAO,CAAC,CAAC,CAAC,CAAA;UAClD,IAAIlS,MAAM,CAACiU,GAAG,IAAIjU,MAAM,CAACiU,GAAG,CAACtI,IAAI,GAAG6+B,UAAU,EAAE;YAC5CxqC,MAAM,CAACiU,GAAG,GAAGu2B,UAAU,CAAA;MAC3B,KAAA;MACJ,GAAC,MACI,IAAIxmC,KAAK,CAAC2jC,SAAS,KAAKlB,oBAAS,CAACI,IAAI,IAAI7iC,KAAK,CAAC2jC,SAAS,KAAKlB,oBAAS,CAACK,QAAQ,EAAE;MAAA,IAAA,IAAA2D,iBAAA,CAAA;MAEnF,IAAA,IAAM5gC,MAAK,GAAA,CAAA4gC,iBAAA,GAAGzmC,KAAK,CAACukC,SAAS,MAAA,IAAA,IAAAkC,iBAAA,KAAA,KAAA,CAAA,GAAAA,iBAAA,GAAI,CAAC,CAAA;MAIlC,IAAA,IAAMhB,aAAY,GAAGzlC,KAAK,CAAC2jC,SAAS,KAAKlB,oBAAS,CAACK,QAAQ,GAAG,CAAC,GAAG,CAAC,CAAA;MAEnE,IAAA,IAAI9iC,KAAK,CAACgkC,QAAQ,KAAKf,YAAQ,CAACC,IAAI,EAAE;MAAA,MAAA,IAAAwD,sBAAA,EAAAC,sBAAA,EAAAC,sBAAA,EAAAC,cAAA,CAAA;YAClC7qC,MAAM,CAACgU,KAAK,GAAA02B,CAAAA,sBAAA,IAAAC,sBAAA,GAAG/6B,YAAY,CAACE,SAAS,CAAC4D,eAAe,CAAC3H,IAAI,EAAE2H,eAAe,CAAC1H,KAAK,EAAE0H,eAAe,CAACzH,GAAG,EAAEyH,eAAe,CAAC9G,IAAI,EAAE,CAAC,EAAE,CAAC,CAAC,cAAA+9B,sBAAA,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAApHA,sBAAA,CACTp4B,QAAQ,CAACk3B,aAAY,CAAC,cAAAiB,sBAAA,KAAA,KAAA,CAAA,GAAAA,sBAAA,GAAI,IAAI,CAAA;YACpC1qC,MAAM,CAACiU,GAAG,GAAA,CAAA22B,sBAAA,GAAA,CAAAC,cAAA,GAAG7qC,MAAM,CAACgU,KAAK,MAAA62B,IAAAA,IAAAA,cAAA,uBAAZA,cAAA,CAAct4B,QAAQ,CAAC1I,MAAK,CAAC,cAAA+gC,sBAAA,KAAA,KAAA,CAAA,GAAAA,sBAAA,GAAI,IAAI,CAAA;WACrD,MACI,IAAI5mC,KAAK,CAACgkC,QAAQ,KAAKf,YAAQ,CAACE,GAAG,EAAE;YACtCnnC,MAAM,CAACgU,KAAK,GAAGN,eAAe,CAAC/H,IAAI,CAACuG,OAAO,CAACu3B,aAAY,CAAC,CAAA;YACzDzpC,MAAM,CAACiU,GAAG,GAAGjU,MAAM,CAACgU,KAAK,CAAC9B,OAAO,CAACrI,MAAK,CAAC,CAAA;WAC3C,MACI,IAAI7F,KAAK,CAACgkC,QAAQ,KAAKf,YAAQ,CAACG,IAAI,EAAE;YAEvC,IAAIiC,MAAI,GAAG31B,eAAe,CAACzG,SAAS,GAAGoE,SAAS,CAACC,MAAM,CAAA;YAEvD,IAAI+3B,MAAI,GAAG,CAAC,EAAE;MACVA,QAAAA,MAAI,IAAI,CAAC,CAAA;MACb,OAAA;YAEArpC,MAAM,CAACgU,KAAK,GAAGN,eAAe,CAACxB,OAAO,CAAC,CAAC,CAAC,GAAGm3B,MAAI,CAAC,CAC5C19B,IAAI,CAACuG,OAAO,CAAC,CAAC,GAAGu3B,aAAY,CAAC,CAAA;MACnCzpC,MAAAA,MAAM,CAACiU,GAAG,GAAGjU,MAAM,CAACgU,KAAK,CAAC9B,OAAO,CAACrI,MAAK,GAAG,CAAC,CAAC,CAAA;WAC/C,MACI,IAAI7F,KAAK,CAACgkC,QAAQ,KAAKf,YAAQ,CAACI,KAAK,EAAE;MAAA,MAAA,IAAAyD,sBAAA,EAAAC,uBAAA,EAAAC,sBAAA,EAAAC,cAAA,CAAA;MACxCjrC,MAAAA,MAAM,CAACgU,KAAK,GAAA82B,CAAAA,sBAAA,IAAAC,uBAAA,GAAGn7B,YAAY,CAACE,SAAS,CAAC4D,eAAe,CAAC3H,IAAI,EAAE2H,eAAe,CAAC1H,KAAK,EAAE,CAAC,CAAC,MAAA,IAAA,IAAA++B,uBAAA,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAtEA,uBAAA,CACTn4B,SAAS,CAAC62B,aAAY,CAAC,MAAAqB,IAAAA,IAAAA,sBAAA,KAAAA,KAAAA,CAAAA,GAAAA,sBAAA,GAAI,IAAI,CAAA;YACrC9qC,MAAM,CAACiU,GAAG,GAAA,CAAA+2B,sBAAA,GAAA,CAAAC,cAAA,GAAGjrC,MAAM,CAACgU,KAAK,MAAAi3B,IAAAA,IAAAA,cAAA,uBAAZA,cAAA,CAAcr4B,SAAS,CAAC/I,MAAK,CAAC,cAAAmhC,sBAAA,KAAA,KAAA,CAAA,GAAAA,sBAAA,GAAI,IAAI,CAAA;WACtD,MACI,IAAIhnC,KAAK,CAACgkC,QAAQ,KAAKf,YAAQ,CAACK,IAAI,EAAE;MAAA,MAAA,IAAA4D,uBAAA,EAAAC,uBAAA,EAAAC,qBAAA,EAAAC,cAAA,CAAA;MACvCrrC,MAAAA,MAAM,CAACgU,KAAK,GAAAk3B,CAAAA,uBAAA,IAAAC,uBAAA,GAAGv7B,YAAY,CAACE,SAAS,CAAC4D,eAAe,CAAC3H,IAAI,EAAE,CAAC,EAAE,CAAC,CAAC,MAAA,IAAA,IAAAo/B,uBAAA,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAlDA,uBAAA,CACTn4B,QAAQ,CAACy2B,aAAY,CAAC,MAAAyB,IAAAA,IAAAA,uBAAA,KAAAA,KAAAA,CAAAA,GAAAA,uBAAA,GAAI,IAAI,CAAA;YACpClrC,MAAM,CAACiU,GAAG,GAAA,CAAAm3B,qBAAA,GAAA,CAAAC,cAAA,GAAGrrC,MAAM,CAACgU,KAAK,MAAAq3B,IAAAA,IAAAA,cAAA,uBAAZA,cAAA,CAAcr4B,QAAQ,CAACnJ,MAAK,CAAC,cAAAuhC,qBAAA,KAAA,KAAA,CAAA,GAAAA,qBAAA,GAAI,IAAI,CAAA;MACtD,KAAA;MAGA,IAAA,IAAIprC,MAAM,CAACgU,KAAK,IAAIhU,MAAM,CAACgU,KAAK,CAACrI,IAAI,GAAG+H,eAAe,CAAC/H,IAAI,EAAE;MAC1D3L,MAAAA,MAAM,CAACgU,KAAK,GAAGN,eAAe,CAAC/H,IAAI,CAAA;MACvC,KAAA;SACH,MACI,IAAI3H,KAAK,CAAC2jC,SAAS,KAAKlB,oBAAS,CAACM,SAAS,EAAE;UAAA,IAAAuE,iBAAA,EAAAC,iBAAA,CAAA;MAC9CvrC,IAAAA,MAAM,CAACgU,KAAK,GAAGpE,YAAY,CAACc,QAAQ,EAAA46B,iBAAA,GAACtnC,KAAK,CAACwkC,SAAS,MAAA8C,IAAAA,IAAAA,iBAAA,cAAAA,iBAAA,GAAI,EAAE,CAAC,CAAA;MAC3DtrC,IAAAA,MAAM,CAACiU,GAAG,GAAGrE,YAAY,CAACc,QAAQ,EAAA66B,iBAAA,GAACvnC,KAAK,CAACykC,SAAS,MAAA8C,IAAAA,IAAAA,iBAAA,cAAAA,iBAAA,GAAI,EAAE,CAAC,CAAA;UAKzD,IAAI,CAACvrC,MAAM,CAACgU,KAAK,IAAIhQ,KAAK,CAACwkC,SAAS,EAAE;MAClCxoC,MAAAA,MAAM,CAACgU,KAAK,GAAGpE,YAAY,CAACa,UAAU,CAAC,IAAI7E,IAAI,CAAC5H,KAAK,CAACwkC,SAAS,CAAC,CAAC,CAAA;MACrE,KAAA;UAEA,IAAI,CAACxoC,MAAM,CAACiU,GAAG,IAAIjQ,KAAK,CAACykC,SAAS,EAAE;MAChCzoC,MAAAA,MAAM,CAACiU,GAAG,GAAGrE,YAAY,CAACa,UAAU,CAAC,IAAI7E,IAAI,CAAC5H,KAAK,CAACykC,SAAS,CAAC,CAAC,CAAA;MACnE,KAAA;UAEA,IAAIzoC,MAAM,CAACiU,GAAG,EAAE;YAEZjU,MAAM,CAACiU,GAAG,GAAGjU,MAAM,CAACiU,GAAG,CAAC/B,OAAO,CAAC,CAAC,CAAC,CAAA;MACtC,KAAA;MACJ,GAAA;QASA,IAAIlS,MAAM,CAACiU,GAAG,IAAIjQ,KAAK,CAACgkC,QAAQ,IAAIf,YAAQ,CAACC,IAAI,EAAE;UAC/ClnC,MAAM,CAACiU,GAAG,GAAGjU,MAAM,CAACiU,GAAG,CAACxB,eAAe,CAAC,CAAC,CAAC,CAAC,CAAA;MAC/C,GAAA;MAEA,EAAA,OAAOzS,MAAM,CAAA;MACjB;;;;;;;;;;;;;;;;MCxXA,IAAMgC,IAAI,GAAGD,OAAO,EAAE,CAAA;MAGAypC,SAAAA,uCAAuCA,CAAA3sC,EAAA,EAAA;MAAA,EAAA,OAAA4sC,wCAAA,CAAAvsC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;MAQ5D,SAAAssC,wCAAA,GAAA;MAAAA,EAAAA,wCAAA,GAAArsC,iBAAA,CARM,WAAuDqE,OAA0D,EAAoD;UACxK,IAAMzD,MAAM,GAASgC,MAAAA,IAAI,CAACT,IAAI,CAA0C,0DAA0D,EAAExB,SAAS,EAAE0D,OAAO,CAAC,CAAA;MAEvJ,IAAA,IAAIzD,MAAM,CAACE,SAAS,IAAIF,MAAM,CAACR,IAAI,EAAE;YACjC,OAAOQ,MAAM,CAACR,IAAI,CAAA;MACtB,KAAA;UAEA,MAAM,IAAI67B,KAAK,CAACr7B,MAAM,CAACK,YAAY,IAAI,wDAAwD,CAAC,CAAA;SACnG,CAAA,CAAA;MAAA,EAAA,OAAAorC,wCAAA,CAAAvsC,KAAA,CAAA,IAAA,EAAAC,SAAA,CAAA,CAAA;MAAA,CAAA;AAED,oCAAe;MACXqsC,EAAAA,uCAAAA;MACJ,CAAC;;;;;;;;;MCKM,SAASE,OAAOA,CAACrgB,IAAyB,EAAE5nB,OAAwB,EAAQ;MAAA,EAAA,IAAA6+B,iBAAA,CAAA;MAE/E,EAAA,IAAI78B,KAAK,CAACC,OAAO,CAAC2lB,IAAI,CAAC,EAAE;MAAA,IAAA,IAAA9c,SAAA,GAAAC,0BAAA,CACL6c,IAAI,CAAA;YAAA5c,KAAA,CAAA;MAAA,IAAA,IAAA;YAApB,KAAAF,SAAA,CAAAG,CAAA,EAAAD,EAAAA,CAAAA,CAAAA,KAAA,GAAAF,SAAA,CAAAI,CAAA,EAAAC,EAAAA,IAAA,GAAsB;MAAA,QAAA,IAAXD,CAAC,GAAAF,KAAA,CAAAzK,KAAA,CAAA;MACR0nC,QAAAA,OAAO,CAAC/8B,CAAC,EAAElL,OAAO,CAAC,CAAA;MACvB,OAAA;MAAC,KAAA,CAAA,OAAAoL,GAAA,EAAA;YAAAN,SAAA,CAAAjO,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,KAAA,SAAA;MAAAN,MAAAA,SAAA,CAAAO,CAAA,EAAA,CAAA;MAAA,KAAA;MAED,IAAA,OAAA;MACJ,GAAA;MAEAyzB,EAAAA,CAAC,CAAClX,IAAI,CAAC,CAACqgB,OAAO,CAAC;MACZrf,IAAAA,IAAI,EAAE5oB,OAAO,KAAA,IAAA,IAAPA,OAAO,KAAPA,KAAAA,CAAAA,GAAAA,KAAAA,CAAAA,GAAAA,OAAO,CAAE4oB,IAAI;MACnBmW,IAAAA,QAAQ,EAAAF,CAAAA,iBAAA,GAAE7+B,OAAO,aAAPA,OAAO,KAAA,KAAA,CAAA,GAAA,KAAA,CAAA,GAAPA,OAAO,CAAE++B,QAAQ,MAAA,IAAA,IAAAF,iBAAA,KAAA,KAAA,CAAA,GAAAA,iBAAA,GAAI,IAAA;MACnC,GAAC,CAAC,CAAA;MACN,CAAA;MAOO,SAASqJ,WAAWA,CAACtgB,IAAa,EAAQ;MAC7CkX,EAAAA,CAAC,CAAClX,IAAI,CAAC,CAACqgB,OAAO,CAAC,MAAM,CAAC,CAAA;MAC3B;;;;;;;;;MCsBO,MAAME,wBAAwB,CAA8B;QAsCjDC,QAAQA,CAACC,UAAwB,EAA0B;MAAA,IAAA,IAAAC,KAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAA3sC,iBAAA,CAAA,aAAA;MACrE,MAAA,IAAMqE,OAA+C,GAAG;MACpDqoC,QAAAA,UAAU,EAAEA,UAAU;cACtBztB,cAAc,EAAE0tB,KAAI,CAAC1tB,cAAc;cACnC2tB,yBAAyB,EAAED,KAAI,CAACC,yBAAyB;cACzDC,wBAAwB,EAAEF,KAAI,CAACE,wBAAwB;MACvDC,QAAAA,QAAQ,EAAE,KAAK;cACfjuB,kBAAkB,EAAE8tB,KAAI,CAAC9tB,kBAAkB;MAE3CkuB,QAAAA,mBAAmB,EAAE,KAAK;MAC1BC,QAAAA,gCAAgC,EAAE,IAAI;MACtCC,QAAAA,oBAAoB,EAAE,KAAK;MAC3BC,QAAAA,yBAAyB,EAAE,KAAA;aAC9B,CAAA;YAED,IAAMxrC,QAAQ,GAASS,MAAAA,IAAI,CAAgB,+CAA+C,EAAE,EAAE,EAAEkC,OAAO,CAAC,CAAA;MAExG,MAAA,IAAI3C,QAAQ,CAACZ,SAAS,IAAIY,QAAQ,CAACtB,IAAI,EAAE;cACrC,OAAOsB,QAAQ,CAACtB,IAAI,CAAA;MACxB,OAAC,MACI;cACDyY,OAAO,CAACqf,GAAG,CAAC,OAAO,EAAEx2B,QAAQ,CAACT,YAAY,CAAC,CAAA;MAC3C,QAAA,OAAO,EAAE,CAAA;MACb,OAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACL,GAAA;MAKMksC,EAAAA,YAAYA,GAA2B;MAAA,IAAA,IAAAC,MAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAptC,iBAAA,CAAA,aAAA;MACzC,MAAA,OAAA,MAAaotC,MAAI,CAACX,QAAQ,CAACW,MAAI,CAACC,gBAAgB,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACtD,GAAA;QAKMC,aAAaA,CAACC,IAAiB,EAA0B;MAAA,IAAA,IAAAC,MAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAxtC,iBAAA,CAAA,aAAA;MAC3D,MAAA,OAAOwtC,MAAI,CAACf,QAAQ,CAACc,IAAI,CAAC3oC,KAAK,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;MACJ,CAAA;MAMO,MAAM6oC,wBAAwB,CAA8B;QAcjDhB,QAAQA,CAACC,UAAwB,EAA0B;MAAA,IAAA,IAAAgB,MAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAA1tC,iBAAA,CAAA,aAAA;MAAA,MAAA,IAAA2tC,aAAA,CAAA;MACrE,MAAA,IAAMtpC,OAAsD,GAAG;MAC3D6E,QAAAA,IAAI,EAAAykC,CAAAA,aAAA,GAAEvkC,YAAY,CAACsjC,UAAU,CAAC,MAAA,IAAA,IAAAiB,aAAA,KAAA,KAAA,CAAA,GAAAA,aAAA,GAAIplC,SAAS;MAC3CqlC,QAAAA,gBAAgB,EAAErlC,SAAS;cAC3BsW,kBAAkB,EAAE6uB,MAAI,CAAC7uB,kBAAAA;aAC5B,CAAA;YACD,IAAM3e,GAAG,GAAG,sDAAsD,CAAA;YAClE,IAAMwB,QAAQ,SAASS,IAAI,CAAgBjC,GAAG,EAAES,SAAS,EAAE0D,OAAO,CAAC,CAAA;MAEnE,MAAA,IAAI3C,QAAQ,CAACZ,SAAS,IAAIY,QAAQ,CAACtB,IAAI,EAAE;cACrC,OAAOsB,QAAQ,CAACtB,IAAI,CAAA;MACxB,OAAC,MACI;cACDyY,OAAO,CAACqf,GAAG,CAAC,OAAO,EAAEx2B,QAAQ,CAACT,YAAY,CAAC,CAAA;MAC3C,QAAA,OAAO,EAAE,CAAA;MACb,OAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACL,GAAA;MAKMksC,EAAAA,YAAYA,GAA2B;MAAA,IAAA,IAAAU,MAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAA7tC,iBAAA,CAAA,aAAA;MACzC,MAAA,OAAA,MAAa6tC,MAAI,CAACpB,QAAQ,CAAC,IAAI,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;QAKMa,aAAaA,CAACC,IAAiB,EAA0B;MAAA,IAAA,IAAAO,MAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAA9tC,iBAAA,CAAA,aAAA;MAC3D,MAAA,OAAO8tC,MAAI,CAACrB,QAAQ,CAACc,IAAI,CAAC3oC,KAAK,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;MACJ,CAAA;MAMO,MAAMmpC,wBAAwB,CAA8B;QAAA7mC,WAAA,GAAA;MAAA0P,IAAAA,eAAA,+BAgBxB,KAAK,CAAA,CAAA;MAAA,GAAA;QAS9B61B,QAAQA,CAACC,UAAwB,EAA0B;MAAA,IAAA,IAAAsB,MAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAhuC,iBAAA,CAAA,aAAA;MACrE,MAAA,IAAMqE,OAA6C,GAAG;cAClDqoC,UAAU;MACVK,QAAAA,mBAAmB,EAAE,IAAI;MACzBC,QAAAA,gCAAgC,EAAE,KAAK;cACvCiB,oBAAoB,EAAED,MAAI,CAAC/uB,cAAc;MACzC6tB,QAAAA,QAAQ,EAAE,KAAK;cACfjuB,kBAAkB,EAAEmvB,MAAI,CAACnvB,kBAAkB;cAC3CqvB,oBAAoB,EAAEF,MAAI,CAACE,oBAAoB;MAC/ChB,QAAAA,yBAAyB,EAAE,KAAA;aAC9B,CAAA;YAED,IAAMxrC,QAAQ,GAASS,MAAAA,IAAI,CAAgB,6CAA6C,EAAE,EAAE,EAAEkC,OAAO,CAAC,CAAA;MAEtG,MAAA,IAAI3C,QAAQ,CAACZ,SAAS,IAAIY,QAAQ,CAACtB,IAAI,EAAE;cACrC,OAAOsB,QAAQ,CAACtB,IAAI,CAAA;MACxB,OAAC,MACI;cACDyY,OAAO,CAACqf,GAAG,CAAC,OAAO,EAAEx2B,QAAQ,CAACT,YAAY,CAAC,CAAA;MAC3C,QAAA,OAAO,EAAE,CAAA;MACb,OAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACL,GAAA;MAKMksC,EAAAA,YAAYA,GAA2B;MAAA,IAAA,IAAAgB,MAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAnuC,iBAAA,CAAA,aAAA;YACzC,OAAamuC,MAAAA,MAAI,CAAC1B,QAAQ,EAAE,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACjC,GAAA;QAKMa,aAAaA,CAACC,IAAiB,EAA0B;MAAA,IAAA,IAAAa,MAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAApuC,iBAAA,CAAA,aAAA;MAC3D,MAAA,OAAOouC,MAAI,CAAC3B,QAAQ,CAACc,IAAI,CAAC3oC,KAAK,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;MACJ,CAAA;MAMO,MAAMypC,4BAA4B,CAA8B;QAoBrD5B,QAAQA,CAACC,UAAwB,EAA0B;MAAA,IAAA,IAAA4B,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAtuC,iBAAA,CAAA,aAAA;MAAA,MAAA,IAAAuuC,qBAAA,CAAA;MACrE,MAAA,IAAMlqC,OAAqD,GAAG;cAC1DqoC,UAAU;cACVO,oBAAoB,EAAA,CAAAsB,qBAAA,GAAED,OAAI,CAACrB,oBAAoB,MAAA,IAAA,IAAAsB,qBAAA,KAAA,KAAA,CAAA,GAAAA,qBAAA,GAAI,KAAK;cACxD1vB,kBAAkB,EAAEyvB,OAAI,CAACzvB,kBAAkB;MAE3CkuB,QAAAA,mBAAmB,EAAE,KAAK;MAC1BC,QAAAA,gCAAgC,EAAE,KAAK;MACvCE,QAAAA,yBAAyB,EAAE,KAAK;MAChCJ,QAAAA,QAAQ,EAAE,KAAA;aACb,CAAA;YAED,IAAMprC,QAAQ,GAASS,MAAAA,IAAI,CAAgB,qDAAqD,EAAE,EAAE,EAAEkC,OAAO,CAAC,CAAA;MAE9G,MAAA,IAAI3C,QAAQ,CAACZ,SAAS,IAAIY,QAAQ,CAACtB,IAAI,EAAE;cACrC,OAAOsB,QAAQ,CAACtB,IAAI,CAAA;MACxB,OAAC,MACI;cACDyY,OAAO,CAACqf,GAAG,CAAC,OAAO,EAAEx2B,QAAQ,CAACT,YAAY,CAAC,CAAA;MAC3C,QAAA,OAAO,EAAE,CAAA;MACb,OAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACL,GAAA;MAKMksC,EAAAA,YAAYA,GAA2B;MAAA,IAAA,IAAAqB,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAxuC,iBAAA,CAAA,aAAA;YACzC,OAAawuC,MAAAA,OAAI,CAAC/B,QAAQ,EAAE,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACjC,GAAA;QAKMa,aAAaA,CAACC,IAAiB,EAA0B;MAAA,IAAA,IAAAkB,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAzuC,iBAAA,CAAA,aAAA;MAC3D,MAAA,OAAOyuC,OAAI,CAAChC,QAAQ,CAACc,IAAI,CAAC3oC,KAAK,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;MACJ,CAAA;MAOO,MAAM8pC,oBAAoB,CAA8B;QA6B7CjC,QAAQA,CAACC,UAAwB,EAA0B;MAAA,IAAA,IAAAiC,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAA3uC,iBAAA,CAAA,aAAA;YAAA,IAAA4uC,cAAA,EAAAC,qBAAA,CAAA;MACrE,MAAA,IAAIjuC,MAAqB,CAAA;MAEzB,MAAA,IAAMyD,OAAwC,GAAG;MAC7C6E,QAAAA,IAAI,EAAA0lC,CAAAA,cAAA,GAAExlC,YAAY,CAACsjC,UAAU,CAAC,MAAA,IAAA,IAAAkC,cAAA,KAAA,KAAA,CAAA,GAAAA,cAAA,GAAIrmC,SAAS;MAC3CumC,QAAAA,YAAY,EAAE,IAAI;cAClBC,aAAa,EAAA,CAAAF,qBAAA,GAAEF,OAAI,CAACI,aAAa,MAAA,IAAA,IAAAF,qBAAA,KAAA,KAAA,CAAA,GAAAA,qBAAA,GAAI,EAAE;cACvChwB,kBAAkB,EAAE8vB,OAAI,CAAC9vB,kBAAkB;cAC3CmwB,QAAQ,EAAEL,OAAI,CAACK,QAAAA;aAClB,CAAA;YACD,IAAM9uC,GAAG,GAAG,wCAAwC,CAAA;YACpD,IAAMwB,QAAQ,SAASS,IAAI,CAAgBjC,GAAG,EAAES,SAAS,EAAE0D,OAAO,CAAC,CAAA;MAEnE,MAAA,IAAI3C,QAAQ,CAACZ,SAAS,IAAIY,QAAQ,CAACtB,IAAI,EAAE;cACrCQ,MAAM,GAAGc,QAAQ,CAACtB,IAAI,CAAA;MAC1B,OAAC,MACI;cACDyY,OAAO,CAACqf,GAAG,CAAC,OAAO,EAAEx2B,QAAQ,CAACT,YAAY,CAAC,CAAA;MAC3C,QAAA,OAAO,EAAE,CAAA;MACb,OAAA;MAGA,MAAA,IAAIyrC,UAAU,IAAI,CAACiC,OAAI,CAACM,iBAAiB,EAAE;MACvC,QAAA,OAAOruC,MAAM,CAAA;MACjB,OAAA;MAIA,MAAA,OAAO+tC,OAAI,CAACO,0BAA0B,CAACtuC,MAAM,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACnD,GAAA;MAOcuuC,EAAAA,aAAaA,GAAoB;MAAA,IAAA,IAAAC,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAApvC,iBAAA,CAAA,aAAA;MAC3C,MAAA,IAAMqE,OAAqD,GAAG;cAC1D4qC,iBAAiB,EAAEG,OAAI,CAACH,iBAAiB;cACzCpwB,kBAAkB,EAAEuwB,OAAI,CAACvwB,kBAAAA;aAC5B,CAAA;YACD,IAAM3e,GAAG,GAAG,qDAAqD,CAAA;YACjE,IAAMwB,QAAQ,SAASS,IAAI,CAASjC,GAAG,EAAES,SAAS,EAAE0D,OAAO,CAAC,CAAA;MAE5D,MAAA,IAAI3C,QAAQ,CAACZ,SAAS,IAAIY,QAAQ,CAACtB,IAAI,EAAE;cACrC,OAAOsB,QAAQ,CAACtB,IAAI,CAAA;MACxB,OAAC,MACI;cACDyY,OAAO,CAACqf,GAAG,CAAC,OAAO,EAAEx2B,QAAQ,CAACT,YAAY,CAAC,CAAA;MAC3C,QAAA,OAAO,EAAE,CAAA;MACb,OAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACL,GAAA;QASciuC,0BAA0BA,CAACG,SAAwB,EAA0B;MAAA,IAAA,IAAAC,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAtvC,iBAAA,CAAA,aAAA;MACvF,MAAA,IAAMuvC,OAAO,GAAA,MAASD,OAAI,CAACH,aAAa,EAAE,CAAA;YAE1C,IAAI,CAACI,OAAO,IAAIA,OAAO,CAAC7uC,MAAM,IAAI,CAAC,EAAE;MAEjC,QAAA,OAAO2uC,SAAS,CAAA;MACpB,OAAA;MAEA,MAAA,IAAMG,UAAU,GAASjtB,MAAAA,OAAO,CAACktB,GAAG,CAACF,OAAO,CAAC7Y,GAAG,CAACxtB,IAAI,IAAIomC,OAAI,CAAC7C,QAAQ,CAACvjC,IAAI,CAAC,CAAC,CAAC,CAAA;YAC9E,IAAMwmC,QAAQ,GAAGL,SAAS,CAAC9qC,MAAM,CAACuB,OAAO,CAAC0pC,UAAU,CAAC,CAAC,CAAA;MAEtDD,MAAAA,OAAO,CAACtpC,OAAO,CAAC,CAACymC,UAAU,EAAEz9B,CAAC,KAAK;MAC/B,QAAA,IAAM0gC,UAAmC,GAAGD,QAAQ,CAACE,IAAI,CAACC,IAAI,IAAIA,IAAI,CAACjrC,KAAK,IAAI8nC,UAAU,CAAC,CAAA;MAC3F,QAAA,IAAIiD,UAAU,EAAE;MACZA,UAAAA,UAAU,CAACG,QAAQ,GAAGN,UAAU,CAACvgC,CAAC,CAAC,CAAA;MACvC,SAAA;MACJ,OAAC,CAAC,CAAA;MAEF,MAAA,OAAOogC,SAAS,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrB,GAAA;MAMMlC,EAAAA,YAAYA,GAA2B;MAAA,IAAA,IAAA4C,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAA/vC,iBAAA,CAAA,aAAA;MACzC,MAAA,OAAA,MAAa+vC,OAAI,CAACtD,QAAQ,CAAC,IAAI,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;QAKMa,aAAaA,CAACC,IAAiB,EAA0B;MAAA,IAAA,IAAAyC,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAhwC,iBAAA,CAAA,aAAA;MAC3D,MAAA,OAAOgwC,OAAI,CAACvD,QAAQ,CAACc,IAAI,CAAC3oC,KAAK,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;MACJ,CAAA;MAOO,MAAMqrC,iCAAiC,CAA8B;QAc1DxD,QAAQA,CAACC,UAAwB,EAA0B;MAAA,IAAA,IAAAwD,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAlwC,iBAAA,CAAA,aAAA;MACrE,MAAA,IAAMqE,OAAqD,GAAG;cAC1DqoC,UAAU;cACV7tB,kBAAkB,EAAEqxB,OAAI,CAACrxB,kBAAAA;aAC5B,CAAA;YACD,IAAM3e,GAAG,GAAG,qDAAqD,CAAA;YACjE,IAAMwB,QAAQ,SAASS,IAAI,CAAgBjC,GAAG,EAAES,SAAS,EAAE0D,OAAO,CAAC,CAAA;MAEnE,MAAA,IAAI3C,QAAQ,CAACZ,SAAS,IAAIY,QAAQ,CAACtB,IAAI,EAAE;cACrC,OAAOsB,QAAQ,CAACtB,IAAI,CAAA;MACxB,OAAC,MACI;cACDyY,OAAO,CAACqf,GAAG,CAAC,OAAO,EAAEx2B,QAAQ,CAACT,YAAY,CAAC,CAAA;MAC3C,QAAA,OAAO,EAAE,CAAA;MACb,OAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACL,GAAA;MAKMksC,EAAAA,YAAYA,GAA2B;MAAA,IAAA,IAAAgD,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAnwC,iBAAA,CAAA,aAAA;MACzC,MAAA,OAAA,MAAamwC,OAAI,CAAC1D,QAAQ,CAAC,IAAI,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;QAKMa,aAAaA,CAACC,IAAiB,EAA0B;MAAA,IAAA,IAAA6C,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAApwC,iBAAA,CAAA,aAAA;MAC3D,MAAA,OAAOowC,OAAI,CAAC3D,QAAQ,CAACc,IAAI,CAAC3oC,KAAK,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;MACJ,CAAA;MAOO,MAAMyrC,qBAAqB,CAA8B;QAAAnpC,WAAA,GAAA;MAAA0P,IAAAA,eAAA,6BAEjB,IAAI,CAAA,CAAA;MAAAA,IAAAA,eAAA,wBAGX,IAAI,CAAA,CAAA;MAAAA,IAAAA,eAAA,iCAGA,EAAE,CAAA,CAAA;MAAAA,IAAAA,eAAA,gCAGF,KAAK,CAAA,CAAA;MAAAA,IAAAA,eAAA,mCAGF,KAAK,CAAA,CAAA;MAAAA,IAAAA,eAAA,6BAGX,KAAK,CAAA,CAAA;MAAA,GAAA;MAS5B61B,EAAAA,QAAQA,GAAyD;UAAA,IAAA6D,UAAA,GAAAvwC,SAAA;YAAAwwC,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAvwC,iBAAA,CAAA,aAAA;MAAA,MAAA,IAAxD0sC,UAAuB,GAAA4D,UAAA,CAAA5vC,MAAA,GAAA,CAAA,IAAA4vC,UAAA,CAAA,CAAA,CAAA,KAAA3vC,SAAA,GAAA2vC,UAAA,CAAA,CAAA,CAAA,GAAG,IAAI,CAAA;MACjD,MAAA,IAAMjsC,OAAyC,GAAG;MAC9C6E,QAAAA,IAAI,EAAEwjC,UAAU;cAChB8D,aAAa,EAAED,OAAI,CAACC,aAAa;cACjCC,sBAAsB,EAAEF,OAAI,CAACE,sBAAsB;cACnDC,qBAAqB,EAAEH,OAAI,CAACG,qBAAqB;cACjDC,wBAAwB,EAAEJ,OAAI,CAACI,wBAAwB;cACvDC,kBAAkB,EAAEL,OAAI,CAACK,kBAAkB;cAC3C/xB,kBAAkB,EAAE0xB,OAAI,CAAC1xB,kBAAAA;aAC5B,CAAA;YACD,IAAM3e,GAAG,GAAG,yCAAyC,CAAA;YACrD,IAAMwB,QAAQ,SAASS,IAAI,CAAgBjC,GAAG,EAAES,SAAS,EAAE0D,OAAO,CAAC,CAAA;MAEnE,MAAA,IAAI3C,QAAQ,CAACZ,SAAS,IAAIY,QAAQ,CAACtB,IAAI,EAAE;cACrC,OAAOsB,QAAQ,CAACtB,IAAI,CAAA;MACxB,OAAC,MACI;cACDyY,OAAO,CAACqf,GAAG,CAAC,OAAO,EAAEx2B,QAAQ,CAACT,YAAY,CAAC,CAAA;MAC3C,QAAA,OAAO,EAAE,CAAA;MACb,OAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACL,GAAA;MAKMksC,EAAAA,YAAYA,GAA2B;MAAA,IAAA,IAAA0D,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAA7wC,iBAAA,CAAA,aAAA;MACzC,MAAA,OAAA,MAAa6wC,OAAI,CAACpE,QAAQ,CAAC,IAAI,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;QAKMa,aAAaA,CAACC,IAAiB,EAA0B;MAAA,IAAA,IAAAuD,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAA9wC,iBAAA,CAAA,aAAA;MAC3D,MAAA,OAAO8wC,OAAI,CAACrE,QAAQ,CAACc,IAAI,CAAC3oC,KAAK,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;MACJ,CAAA;MAOO,MAAMmsC,6BAA6B,CAA8B;QAAA7pC,WAAA,GAAA;MAAA0P,IAAAA,eAAA,6BAEzB,IAAI,CAAA,CAAA;UAAAA,eAAA,CAAA,IAAA,EAAA,wBAAA,EAGSo6B,sBAAsB,CAACC,MAAM,CAAA,CAAA;MAAA,GAAA;MASvExE,EAAAA,QAAQA,GAAyD;UAAA,IAAAyE,WAAA,GAAAnxC,SAAA;YAAAoxC,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAnxC,iBAAA,CAAA,aAAA;MAAA,MAAA,IAAAwsB,eAAA,CAAA;MAAA,MAAA,IAAxDkgB,UAAuB,GAAAwE,WAAA,CAAAxwC,MAAA,GAAA,CAAA,IAAAwwC,WAAA,CAAA,CAAA,CAAA,KAAAvwC,SAAA,GAAAuwC,WAAA,CAAA,CAAA,CAAA,GAAG,IAAI,CAAA;MACjD,MAAA,IAAM7sC,OAAuD,GAAG;cAC5DqoC,UAAU;MACV0E,QAAAA,sBAAsB,EAAA5kB,CAAAA,eAAA,GAAGrG,cAAc,CAACgrB,OAAI,CAACC,sBAAsB,CAAC,MAAA5kB,IAAAA,IAAAA,eAAA,KAAAA,KAAAA,CAAAA,GAAAA,eAAA,GAAI,CAA4B;cACpG3N,kBAAkB,EAAEsyB,OAAI,CAACtyB,kBAAAA;aAC5B,CAAA;YACD,IAAM3e,GAAG,GAAG,uDAAuD,CAAA;YACnE,IAAMwB,QAAQ,SAASS,IAAI,CAAgBjC,GAAG,EAAES,SAAS,EAAE0D,OAAO,CAAC,CAAA;MAEnE,MAAA,IAAI3C,QAAQ,CAACZ,SAAS,IAAIY,QAAQ,CAACtB,IAAI,EAAE;cACrC,OAAOsB,QAAQ,CAACtB,IAAI,CAAA;MACxB,OAAC,MACI;cACDyY,OAAO,CAACqf,GAAG,CAAC,OAAO,EAAEx2B,QAAQ,CAACT,YAAY,CAAC,CAAA;MAC3C,QAAA,OAAO,EAAE,CAAA;MACb,OAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACL,GAAA;MAKMksC,EAAAA,YAAYA,GAA2B;MAAA,IAAA,IAAAkE,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAArxC,iBAAA,CAAA,aAAA;MACzC,MAAA,OAAA,MAAaqxC,OAAI,CAAC5E,QAAQ,CAAC,IAAI,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;QAKMa,aAAaA,CAACC,IAAiB,EAA0B;MAAA,IAAA,IAAA+D,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAtxC,iBAAA,CAAA,aAAA;MAC3D,MAAA,OAAOsxC,OAAI,CAAC7E,QAAQ,CAACc,IAAI,CAAC3oC,KAAK,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;MACJ,CAAA;MAOO,MAAM2sC,8BAA8B,CAA8B;QAAArqC,WAAA,GAAA;MAAA0P,IAAAA,eAAA,6BAE1B,IAAI,CAAA,CAAA;MAAA,GAAA;MASjC61B,EAAAA,QAAQA,GAAyD;UAAA,IAAA+E,WAAA,GAAAzxC,SAAA;YAAA0xC,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAzxC,iBAAA,CAAA,aAAA;MAAA,MAAA,IAAxD0sC,UAAuB,GAAA8E,WAAA,CAAA9wC,MAAA,GAAA,CAAA,IAAA8wC,WAAA,CAAA,CAAA,CAAA,KAAA7wC,SAAA,GAAA6wC,WAAA,CAAA,CAAA,CAAA,GAAG,IAAI,CAAA;MACjD,MAAA,IAAMntC,OAAkD,GAAG;cACvDqoC,UAAU;cACV7tB,kBAAkB,EAAE4yB,OAAI,CAAC5yB,kBAAAA;aAC5B,CAAA;YACD,IAAM3e,GAAG,GAAG,kDAAkD,CAAA;YAC9D,IAAMwB,QAAQ,SAASS,IAAI,CAAgBjC,GAAG,EAAES,SAAS,EAAE0D,OAAO,CAAC,CAAA;MAEnE,MAAA,IAAI3C,QAAQ,CAACZ,SAAS,IAAIY,QAAQ,CAACtB,IAAI,EAAE;cACrC,OAAOsB,QAAQ,CAACtB,IAAI,CAAA;MACxB,OAAC,MACI;cACDyY,OAAO,CAACqf,GAAG,CAAC,OAAO,EAAEx2B,QAAQ,CAACT,YAAY,CAAC,CAAA;MAC3C,QAAA,OAAO,EAAE,CAAA;MACb,OAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACL,GAAA;MAKMksC,EAAAA,YAAYA,GAA2B;MAAA,IAAA,IAAAuE,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAA1xC,iBAAA,CAAA,aAAA;MACzC,MAAA,OAAA,MAAa0xC,OAAI,CAACjF,QAAQ,CAAC,IAAI,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;QAKMa,aAAaA,CAACC,IAAiB,EAA0B;MAAA,IAAA,IAAAoE,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAA3xC,iBAAA,CAAA,aAAA;MAC3D,MAAA,OAAO2xC,OAAI,CAAClF,QAAQ,CAACc,IAAI,CAAC3oC,KAAK,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;MACJ,CAAA;MAMO,MAAMgtC,0BAA0B,CAA8B;QAAA1qC,WAAA,GAAA;MAAA0P,IAAAA,eAAA,6BAEtB,IAAI,CAAA,CAAA;MAAAA,IAAAA,eAAA,+BAGF,IAAI,CAAA,CAAA;MAAA,GAAA;MASnC61B,EAAAA,QAAQA,GAAyD;UAAA,IAAAoF,WAAA,GAAA9xC,SAAA;YAAA+xC,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAA9xC,iBAAA,CAAA,aAAA;MAAA,MAAA,IAAxD0sC,UAAuB,GAAAmF,WAAA,CAAAnxC,MAAA,GAAA,CAAA,IAAAmxC,WAAA,CAAA,CAAA,CAAA,KAAAlxC,SAAA,GAAAkxC,WAAA,CAAA,CAAA,CAAA,GAAG,IAAI,CAAA;MACjD,MAAA,IAAMxtC,OAA8C,GAAG;cACnDqoC,UAAU;cACVqF,oBAAoB,EAAED,OAAI,CAACC,oBAAoB;cAC/ClzB,kBAAkB,EAAEizB,OAAI,CAACjzB,kBAAAA;aAC5B,CAAA;YACD,IAAM3e,GAAG,GAAG,8CAA8C,CAAA;YAC1D,IAAMwB,QAAQ,SAASS,IAAI,CAAgBjC,GAAG,EAAES,SAAS,EAAE0D,OAAO,CAAC,CAAA;MAEnE,MAAA,IAAI3C,QAAQ,CAACZ,SAAS,IAAIY,QAAQ,CAACtB,IAAI,EAAE;cACrC,OAAOsB,QAAQ,CAACtB,IAAI,CAAA;MACxB,OAAC,MACI;cACDyY,OAAO,CAACqf,GAAG,CAAC,OAAO,EAAEx2B,QAAQ,CAACT,YAAY,CAAC,CAAA;MAC3C,QAAA,OAAO,EAAE,CAAA;MACb,OAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACL,GAAA;MAKMksC,EAAAA,YAAYA,GAA2B;MAAA,IAAA,IAAA6E,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAhyC,iBAAA,CAAA,aAAA;MACzC,MAAA,OAAA,MAAagyC,OAAI,CAACvF,QAAQ,CAAC,IAAI,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;QAKMa,aAAaA,CAACC,IAAiB,EAA0B;MAAA,IAAA,IAAA0E,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAjyC,iBAAA,CAAA,aAAA;MAC3D,MAAA,OAAOiyC,OAAI,CAACxF,QAAQ,CAACc,IAAI,CAAC3oC,KAAK,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;MACJ,CAAA;MAOO,MAAMstC,oCAAoC,CAA8B;QAAAhrC,WAAA,GAAA;MAAA0P,IAAAA,eAAA,6BAEhC,IAAI,CAAA,CAAA;MAAA,GAAA;MASjC61B,EAAAA,QAAQA,GAAyD;UAAA,IAAA0F,WAAA,GAAApyC,SAAA;YAAAqyC,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAApyC,iBAAA,CAAA,aAAA;MAAA,MAAA,IAAxD0sC,UAAuB,GAAAyF,WAAA,CAAAzxC,MAAA,GAAA,CAAA,IAAAyxC,WAAA,CAAA,CAAA,CAAA,KAAAxxC,SAAA,GAAAwxC,WAAA,CAAA,CAAA,CAAA,GAAG,IAAI,CAAA;MACjD,MAAA,IAAM9tC,OAAwD,GAAG;cAC7DqoC,UAAU;cACV7tB,kBAAkB,EAAEuzB,OAAI,CAACvzB,kBAAAA;aAC5B,CAAA;YACD,IAAM3e,GAAG,GAAG,wDAAwD,CAAA;YACpE,IAAMwB,QAAQ,SAASS,IAAI,CAAgBjC,GAAG,EAAES,SAAS,EAAE0D,OAAO,CAAC,CAAA;MAEnE,MAAA,IAAI3C,QAAQ,CAACZ,SAAS,IAAIY,QAAQ,CAACtB,IAAI,EAAE;cACrC,OAAOsB,QAAQ,CAACtB,IAAI,CAAA;MACxB,OAAC,MACI;cACDyY,OAAO,CAACqf,GAAG,CAAC,OAAO,EAAEx2B,QAAQ,CAACT,YAAY,CAAC,CAAA;MAC3C,QAAA,OAAO,EAAE,CAAA;MACb,OAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACL,GAAA;MAKMksC,EAAAA,YAAYA,GAA2B;MAAA,IAAA,IAAAkF,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAryC,iBAAA,CAAA,aAAA;MACzC,MAAA,OAAA,MAAaqyC,OAAI,CAAC5F,QAAQ,CAAC,IAAI,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;QAKMa,aAAaA,CAACC,IAAiB,EAA0B;MAAA,IAAA,IAAA+E,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAtyC,iBAAA,CAAA,aAAA;MAC3D,MAAA,OAAOsyC,OAAI,CAAC7F,QAAQ,CAACc,IAAI,CAAC3oC,KAAK,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;MACJ,CAAA;MAOO,MAAM2tC,sBAAsB,CAA8B;QAAArrC,WAAA,GAAA;MAAA0P,IAAAA,eAAA,6BAElB,IAAI,CAAA,CAAA;MAAAA,IAAAA,eAAA,+BAGF,IAAI,CAAA,CAAA;MAAAA,IAAAA,eAAA,yBAGZ,IAAI,CAAA,CAAA;MAAA,GAAA;MAS3B61B,EAAAA,QAAQA,GAAyD;UAAA,IAAA+F,WAAA,GAAAzyC,SAAA;YAAA0yC,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAzyC,iBAAA,CAAA,aAAA;MAAA,MAAA,IAAxD0sC,UAAuB,GAAA8F,WAAA,CAAA9xC,MAAA,GAAA,CAAA,IAAA8xC,WAAA,CAAA,CAAA,CAAA,KAAA7xC,SAAA,GAAA6xC,WAAA,CAAA,CAAA,CAAA,GAAG,IAAI,CAAA;MACjD,MAAA,IAAMnuC,OAA0C,GAAG;cAC/CqoC,UAAU;cACVqF,oBAAoB,EAAEU,OAAI,CAACV,oBAAoB;cAC/C9yB,cAAc,EAAEwzB,OAAI,CAACxzB,cAAc;cACnCJ,kBAAkB,EAAE4zB,OAAI,CAAC5zB,kBAAAA;aAC5B,CAAA;YACD,IAAM3e,GAAG,GAAG,0CAA0C,CAAA;YACtD,IAAMwB,QAAQ,SAASS,IAAI,CAAgBjC,GAAG,EAAES,SAAS,EAAE0D,OAAO,CAAC,CAAA;MAEnE,MAAA,IAAI3C,QAAQ,CAACZ,SAAS,IAAIY,QAAQ,CAACtB,IAAI,EAAE;cACrC,OAAOsB,QAAQ,CAACtB,IAAI,CAAA;MACxB,OAAC,MACI;cACDyY,OAAO,CAACqf,GAAG,CAAC,OAAO,EAAEx2B,QAAQ,CAACT,YAAY,CAAC,CAAA;MAC3C,QAAA,OAAO,EAAE,CAAA;MACb,OAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACL,GAAA;MAKMksC,EAAAA,YAAYA,GAA2B;MAAA,IAAA,IAAAuF,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAA1yC,iBAAA,CAAA,aAAA;MACzC,MAAA,OAAA,MAAa0yC,OAAI,CAACjG,QAAQ,CAAC,IAAI,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;QAKMa,aAAaA,CAACC,IAAiB,EAA0B;MAAA,IAAA,IAAAoF,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAA3yC,iBAAA,CAAA,aAAA;MAC3D,MAAA,OAAO2yC,OAAI,CAAClG,QAAQ,CAACc,IAAI,CAAC3oC,KAAK,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;MACJ,CAAA;MAOO,MAAMguC,wBAAwB,CAA8B;QAAA1rC,WAAA,GAAA;MAAA0P,IAAAA,eAAA,6BAEpB,IAAI,CAAA,CAAA;MAAAA,IAAAA,eAAA,0BAGb,KAAK,CAAA,CAAA;MAAA,GAAA;MASzB61B,EAAAA,QAAQA,GAAyD;UAAA,IAAAoG,WAAA,GAAA9yC,SAAA;YAAA+yC,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAA9yC,iBAAA,CAAA,aAAA;MAAA,MAAA,IAAxD0sC,UAAuB,GAAAmG,WAAA,CAAAnyC,MAAA,GAAA,CAAA,IAAAmyC,WAAA,CAAA,CAAA,CAAA,KAAAlyC,SAAA,GAAAkyC,WAAA,CAAA,CAAA,CAAA,GAAG,IAAI,CAAA;MACjD,MAAA,IAAMxuC,OAA4C,GAAG;cACjDqoC,UAAU;cACVO,oBAAoB,EAAE6F,OAAI,CAACC,eAAe;cAC1Cl0B,kBAAkB,EAAEi0B,OAAI,CAACj0B,kBAAAA;aAC5B,CAAA;YACD,IAAM3e,GAAG,GAAG,4CAA4C,CAAA;YACxD,IAAMwB,QAAQ,SAASS,IAAI,CAAgBjC,GAAG,EAAES,SAAS,EAAE0D,OAAO,CAAC,CAAA;MAEnE,MAAA,IAAI3C,QAAQ,CAACZ,SAAS,IAAIY,QAAQ,CAACtB,IAAI,EAAE;cACrC,OAAOsB,QAAQ,CAACtB,IAAI,CAAA;MACxB,OAAC,MACI;cACDyY,OAAO,CAACqf,GAAG,CAAC,OAAO,EAAEx2B,QAAQ,CAACT,YAAY,CAAC,CAAA;MAC3C,QAAA,OAAO,EAAE,CAAA;MACb,OAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACL,GAAA;MAKMksC,EAAAA,YAAYA,GAA2B;MAAA,IAAA,IAAA6F,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAhzC,iBAAA,CAAA,aAAA;MACzC,MAAA,OAAA,MAAagzC,OAAI,CAACvG,QAAQ,CAAC,IAAI,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;QAKMa,aAAaA,CAACC,IAAiB,EAA0B;MAAA,IAAA,IAAA0F,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAjzC,iBAAA,CAAA,aAAA;MAC3D,MAAA,OAAOizC,OAAI,CAACxG,QAAQ,CAACc,IAAI,CAAC3oC,KAAK,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;MACJ,CAAA;MAOO,MAAMsuC,kCAAkC,CAA8B;QAAAhsC,WAAA,GAAA;MAAA0P,IAAAA,eAAA,6BAE9B,IAAI,CAAA,CAAA;MAAAA,IAAAA,eAAA,0BAGb,KAAK,CAAA,CAAA;MAAA,GAAA;MASzB61B,EAAAA,QAAQA,GAAyD;UAAA,IAAA0G,WAAA,GAAApzC,SAAA;YAAAqzC,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAApzC,iBAAA,CAAA,aAAA;MAAA,MAAA,IAAAq8B,gBAAA,CAAA;MAAA,MAAA,IAAxDgX,QAAuB,GAAAF,WAAA,CAAAzyC,MAAA,GAAA,CAAA,IAAAyyC,WAAA,CAAA,CAAA,CAAA,KAAAxyC,SAAA,GAAAwyC,WAAA,CAAA,CAAA,CAAA,GAAG,IAAI,CAAA;MACjD,MAAA,IAAM9uC,OAAsD,GAAG;MAC3DgvC,QAAAA,QAAQ,EAAAhX,CAAAA,gBAAA,GAAElW,cAAc,CAACktB,QAAQ,CAAC,MAAA,IAAA,IAAAhX,gBAAA,KAAA,KAAA,CAAA,GAAAA,gBAAA,GAAI,CAAC;cACvCxd,kBAAkB,EAAEu0B,OAAI,CAACv0B,kBAAAA;aAC5B,CAAA;YACD,IAAM3e,GAAG,GAAG,sDAAsD,CAAA;YAClE,IAAMwB,QAAQ,SAASS,IAAI,CAAgBjC,GAAG,EAAES,SAAS,EAAE0D,OAAO,CAAC,CAAA;MAEnE,MAAA,IAAI3C,QAAQ,CAACZ,SAAS,IAAIY,QAAQ,CAACtB,IAAI,EAAE;cACrC,OAAOsB,QAAQ,CAACtB,IAAI,CAAA;MACxB,OAAC,MACI;cACDyY,OAAO,CAACqf,GAAG,CAAC,OAAO,EAAEx2B,QAAQ,CAACT,YAAY,CAAC,CAAA;MAC3C,QAAA,OAAO,EAAE,CAAA;MACb,OAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACL,GAAA;MAKMksC,EAAAA,YAAYA,GAA2B;MAAA,IAAA,IAAAmG,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAtzC,iBAAA,CAAA,aAAA;MACzC,MAAA,OAAA,MAAaszC,OAAI,CAAC7G,QAAQ,CAAC,IAAI,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;QAKMa,aAAaA,CAACC,IAAiB,EAA0B;MAAA,IAAA,IAAAgG,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAvzC,iBAAA,CAAA,aAAA;MAC3D,MAAA,OAAOuzC,OAAI,CAAC9G,QAAQ,CAACc,IAAI,CAAC3oC,KAAK,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;MACJ,CAAA;MAMO,MAAM4uC,0BAA0B,CAA8B;QAAAtsC,WAAA,GAAA;MAAA0P,IAAAA,eAAA,2BAe/B,EAAE,CAAA,CAAA;MAAA,GAAA;QAStB61B,QAAQA,CAAC4G,QAAwB,EAA0B;MAAA,IAAA,IAAAI,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAzzC,iBAAA,CAAA,aAAA;MACrE,MAAA,IAAIY,MAAqB,CAAA;MAEzB,MAAA,IAAMyD,OAA8C,GAAG;cACnDqvC,EAAE,EAAEL,QAAQ,IAAI,GAAG;cACnBM,gBAAgB,EAAEF,OAAI,CAACE,gBAAAA;aAC1B,CAAA;YACD,IAAMzzC,GAAG,GAAG,8CAA8C,CAAA;YAC1D,IAAMwB,QAAQ,SAASS,IAAI,CAAgBjC,GAAG,EAAES,SAAS,EAAE0D,OAAO,CAAC,CAAA;MAEnE,MAAA,IAAI3C,QAAQ,CAACZ,SAAS,IAAIY,QAAQ,CAACtB,IAAI,EAAE;cACrCQ,MAAM,GAAGc,QAAQ,CAACtB,IAAI,CAAA;MAC1B,OAAC,MACI;cACDyY,OAAO,CAACqf,GAAG,CAAC,OAAO,EAAEx2B,QAAQ,CAACT,YAAY,CAAC,CAAA;MAC3C,QAAA,OAAO,EAAE,CAAA;MACb,OAAA;MAGA,MAAA,IAAIoyC,QAAQ,IAAI,CAACI,OAAI,CAACG,WAAW,IAAIH,OAAI,CAACG,WAAW,CAAClzC,MAAM,IAAI,CAAC,EAAE;MAC/D,QAAA,OAAOE,MAAM,CAAA;MACjB,OAAA;MAIA,MAAA,OAAO6yC,OAAI,CAACI,gCAAgC,CAACjzC,MAAM,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACzD,GAAA;QAScizC,gCAAgCA,CAACxE,SAAwB,EAA0B;MAAA,IAAA,IAAAyE,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAA9zC,iBAAA,CAAA,aAAA;MAC7F,MAAA,IAAMuvC,OAAO,GAAGuE,OAAI,CAAC3E,aAAa,EAAE,CAAA;YAEpC,IAAI,CAACI,OAAO,IAAIA,OAAO,CAAC7uC,MAAM,IAAI,CAAC,EAAE;MAEjC,QAAA,OAAO2uC,SAAS,CAAA;MACpB,OAAA;MAEA,MAAA,IAAMG,UAAU,GAASjtB,MAAAA,OAAO,CAACktB,GAAG,CAACF,OAAO,CAAC7Y,GAAG,CAACgd,EAAE,IAAII,OAAI,CAACrH,QAAQ,CAACiH,EAAE,CAAC,CAAC,CAAC,CAAA;YAC1E,IAAMK,cAAc,GAAG1E,SAAS,CAAC9qC,MAAM,CAACuB,OAAO,CAAC0pC,UAAU,CAAC,CAAC,CAAA;MAE5DD,MAAAA,OAAO,CAACtpC,OAAO,CAAC,CAACymC,UAAU,EAAEz9B,CAAC,KAAK;MAC/B,QAAA,IAAM+kC,gBAAyC,GAAGD,cAAc,CAACnE,IAAI,CAACC,IAAI,IAAIA,IAAI,CAACjrC,KAAK,IAAI8nC,UAAU,CAAC,CAAA;MACvG,QAAA,IAAIsH,gBAAgB,EAAE;MAClBA,UAAAA,gBAAgB,CAAClE,QAAQ,GAAGN,UAAU,CAACvgC,CAAC,CAAC,CAAA;MAC7C,SAAA;MACJ,OAAC,CAAC,CAAA;MAEF,MAAA,OAAOogC,SAAS,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrB,GAAA;MAOQF,EAAAA,aAAaA,GAAoB;MACrC,IAAA,IAAI,CAAC,IAAI,CAACyE,WAAW,IAAI,IAAI,CAACA,WAAW,CAAClzC,MAAM,IAAI,CAAC,EAAE;MACnD,MAAA,OAAO,IAAI,CAAA;MACf,KAAA;MAIA,IAAA,IAAI,OAAO,IAAI,CAACkzC,WAAW,IAAI,QAAQ,EAAE;MACrC,MAAA,OAAO,IAAI,CAACK,yBAAyB,CAAC,IAAI,CAACL,WAAW,CAAC,CAAA;MAC3D,KAAA;MAGA,IAAA,OAAO9tC,OAAO,CAAC,IAAI,CAAC8tC,WAAW,CAACld,GAAG,CAACwd,GAAG,IAAI,IAAI,CAACD,yBAAyB,CAACC,GAAG,CAAC,CAAC,CAAC,CAAA;MACpF,GAAA;QAOQD,yBAAyBA,CAACE,SAAiB,EAAY;UAC3D,IAAMC,SAAmB,GAAG,EAAE,CAAA;MAI9B,IAAA,IAAMC,SAAS,GAAGF,SAAS,CAAC3oC,KAAK,CAAC,GAAG,CAAC,CAAA;UACtC6oC,SAAS,CAACtqC,GAAG,EAAE,CAAA;MAIf,IAAA,OAAOsqC,SAAS,CAAC3zC,MAAM,IAAI,CAAC,EAAE;YAC1B0zC,SAAS,CAACE,OAAO,CAACD,SAAS,CAACrqC,IAAI,CAAC,GAAG,CAAC,CAAC,CAAA;YACtCqqC,SAAS,CAACtqC,GAAG,EAAE,CAAA;MACnB,KAAA;MAEA,IAAA,OAAOqqC,SAAS,CAAA;MACpB,GAAA;MAMMjH,EAAAA,YAAYA,GAA2B;MAAA,IAAA,IAAAoH,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAv0C,iBAAA,CAAA,aAAA;YACzC,OAAau0C,MAAAA,OAAI,CAAC9H,QAAQ,EAAE,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACjC,GAAA;QAKMa,aAAaA,CAACC,IAAiB,EAA0B;MAAA,IAAA,IAAAiH,OAAA,GAAA,IAAA,CAAA;MAAA,IAAA,OAAAx0C,iBAAA,CAAA,aAAA;MAC3D,MAAA,OAAOw0C,OAAI,CAAC/H,QAAQ,CAACc,IAAI,CAAC3oC,KAAK,CAAC,CAAA;MAAC,KAAA,CAAA,EAAA,CAAA;MACrC,GAAA;MACJ;;;;;;;;;;;;;;;;;;;;;;MC9iCO,SAAS6vC,KAAKA,CAACruC,GAAY,EAAW;MACzC,EAAA,IAAI,OAAOA,GAAG,KAAK,QAAQ,EAAE;UAGzB,IAAMstB,EAAE,GAAG,8CAA8C,CAAA;MACzD,IAAA,OAAOA,EAAE,CAACvqB,IAAI,CAAC/C,GAAG,CAAC,CAAA;MACvB,GAAA;MAEA,EAAA,OAAO,KAAK,CAAA;MAChB,CAAA;MAWO,SAASsuC,mBAAmBA,CAACx0C,GAAW,EAAU;QACrD,IAAI;MAGA,IAAA,IAAMy0C,CAAC,GAAG,IAAIjgB,GAAG,CAACx0B,GAAG,CAAC,CAAA;UAItB,IAAIy0C,CAAC,CAACC,QAAQ,KAAK,OAAO,IAAID,CAAC,CAACC,QAAQ,KAAK,QAAQ,EAAE;MACnD,MAAA,OAAO,GAAG,CAAA;MACd,KAAA;MAGA,IAAA,OAAOF,mBAAmB,CAAA,EAAA,CAAAnwC,MAAA,CAAIowC,CAAC,CAACE,QAAQ,CAAA,CAAAtwC,MAAA,CAAGowC,CAAC,CAACG,MAAM,CAAG,CAAA,CAAA;SACzD,CACD,OAAA7kB,OAAA,EAAM;UAGF,IAAI/vB,GAAG,CAACmjB,OAAO,CAAC,GAAG,CAAC,KAAK,CAAC,CAAC,EAAE;MACzB,MAAA,OAAO,GAAG,CAAA;MACd,KAAA;MAGA,IAAA,OAAOnjB,GAAG,CAAA;MACd,GAAA;MACJ,CAAA;MAWO,SAAS60C,uBAAuBA,CAACC,IAAyB,EAAQ;QAErE,IAAM70C,MAAM,GAAG,IAAI80C,eAAe,CAAC/+B,MAAM,CAAC0hB,QAAQ,CAACkd,MAAM,CAAC,CAAA;QAE1DtmC,MAAM,CAACmJ,OAAO,CAACq9B,IAAI,CAAC,CAAC/uC,OAAO,CAACyS,IAAA,IAA+B;MAAA,IAAA,IAAAw8B,KAAA,GAAAC,cAAA,CAAAz8B,IAAA,EAAA,CAAA,CAAA;MAA7BkL,MAAAA,GAAG,GAAAsxB,KAAA,CAAA,CAAA,CAAA;MAAEt1B,MAAAA,GAAG,GAAAs1B,KAAA,CAAA,CAAA,CAAA,CAAA;UACnC,IAAIE,KAAK,GAAG,IAAI,CAAA;UAGhB,IAAI;MAAA,MAAA,IAAAC,WAAA,CAAA;YACAD,KAAK,GAAGnxB,IAAI,CAACK,KAAK,CAACgxB,SAAS,CAAA,CAAAD,WAAA,GAACl1C,MAAM,CAAC6B,GAAG,CAAC4hB,GAAG,CAAC,MAAAyxB,IAAAA,IAAAA,WAAA,cAAAA,WAAA,GAAI,EAAE,CAAC,CAAC,CAAA;MACxD,KAAC,CACD,OAAOn0C,CAAC,EAAE,EAAqC;UAG/C,IAAIk0C,KAAK,IAAI,IAAI,EAAE;YACfx1B,GAAG,CAAChb,KAAK,GAAGwwC,KAAK,CAAA;MACrB,KAAA;MAGAx0B,IAAAA,KAAK,CAAChB,GAAG,EAAE21B,OAAO,CAAC3xB,GAAG,CAAC,CAAC,CAAA;MAC5B,GAAC,CAAC,CAAA;QAGF,SAAS2xB,OAAOA,CAAC3xB,GAAG,EAAE;MAClB,IAAA,OAAQhf,KAAK,IAAK;MACdzE,MAAAA,MAAM,CAACwjB,GAAG,CAACC,GAAG,EAAE4xB,SAAS,CAACvxB,IAAI,CAACC,SAAS,CAACtf,KAAK,CAAC,CAAC,CAAC,CAAA;MAEjD6wC,MAAAA,OAAO,CAACC,YAAY,CAAC,IAAI,EAAE,EAAE,EAAE,GAAG,GAAGv1C,MAAM,CAAC2I,QAAQ,EAAE,CAAC,CAAA;WAC1D,CAAA;MACL,GAAA;MACJ,CAAA;MAOO,SAAS6sC,2BAA2BA,GAAiD;MAAA,EAAA,KAAA,IAAAC,IAAA,GAAA71C,SAAA,CAAAW,MAAA,EAA7Cm1C,cAAc,GAAAxvC,IAAAA,KAAA,CAAAuvC,IAAA,GAAAE,IAAA,GAAA,CAAA,EAAAA,IAAA,GAAAF,IAAA,EAAAE,IAAA,EAAA,EAAA;MAAdD,IAAAA,cAAc,CAAAC,IAAA,CAAA/1C,GAAAA,SAAA,CAAA+1C,IAAA,CAAA,CAAA;MAAA,GAAA;QACzD,OAAOC,oBAAoB,CAAC7/B,MAAM,CAAC0hB,QAAQ,CAAC7C,IAAI,EAAE,GAAG8gB,cAAc,CAAC,CAAA;MACxE,CAAA;MAQO,SAASE,oBAAoBA,CAAC71C,GAAiB,EAAkD;QAAA,KAAA81C,IAAAA,KAAA,GAAAj2C,SAAA,CAAAW,MAAA,EAA7Cm1C,cAAc,OAAAxvC,KAAA,CAAA2vC,KAAA,GAAAA,CAAAA,GAAAA,KAAA,WAAAC,KAAA,GAAA,CAAA,EAAAA,KAAA,GAAAD,KAAA,EAAAC,KAAA,EAAA,EAAA;MAAdJ,IAAAA,cAAc,CAAAI,KAAA,GAAAl2C,CAAAA,CAAAA,GAAAA,SAAA,CAAAk2C,KAAA,CAAA,CAAA;MAAA,GAAA;MACrE,EAAA,IAAI,CAACJ,cAAc,IAAI,CAACA,cAAc,CAACn1C,MAAM,EAAE;MAC3C,IAAA,OAAO,EAAE,CAAA;MACb,GAAA;MAEA,EAAA,IAAI,OAAOR,GAAG,KAAK,QAAQ,EAAE;MACzBA,IAAAA,GAAG,GAAG,IAAIw0B,GAAG,CAACx0B,GAAG,CAAC,CAAA;MACtB,GAAA;MAEA,EAAA,IAAMg2C,WAAW,GAAGh2C,GAAG,CAACi2C,YAAY,CAAA;QAEpC,IAAMC,kBAAqC,GAAG,EAAE,CAAA;MAEhD,EAAA,KAAK,IAAInnC,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG4mC,cAAc,CAACn1C,MAAM,EAAEuO,CAAC,EAAE,EAAE;MAC5C,IAAA,IAAMonC,aAAa,GAAGR,cAAc,CAAC5mC,CAAC,CAAC,CAAA;UACvCmnC,kBAAkB,CAAC7vC,IAAI,CAAC2vC,WAAW,CAACl0C,GAAG,CAACq0C,aAAa,CAAC,CAAC,CAAA;MACvDH,IAAAA,WAAW,CAACI,MAAM,CAACD,aAAa,CAAC,CAAA;MACrC,GAAA;QAEAngC,MAAM,CAACu/B,OAAO,CAACC,YAAY,CAAC,IAAI,EAAE,EAAE,EAAEx1C,GAAG,CAAC,CAAA;MAE1C,EAAA,OAAOk2C,kBAAkB,CAAA;MAC7B;;;;;;;;;;;;MChIA,IAAMG,YAAgE,GAAG,EAAE,CAAA;MAGpE,IAAMC,aAA4B,GAAG;MACxCzsB,EAAAA,IAAI,EAAE,CAAC1jB,KAAK,EAAEmI,MAAM,EAAEwb,MAAM,CAAgD;MAC5EC,EAAAA,OAAO,EAAE,EAAA;MACb,CAAC,CAAA;MAYM,SAASwsB,SAASA,CAAC9a,IAAY,EAA2B;QAC7D,IAAI5hB,IAAI,GAAG,EAAE,CAAA;QACb,IAAI5Z,MAAiB,GAAG,EAAE,CAAA;MAE1B,EAAA,IAAMu2C,UAAU,GAAG/a,IAAI,CAACtY,OAAO,CAAC,GAAG,CAAC,CAAA;MACpC,EAAA,IAAIqzB,UAAU,KAAK,CAAC,CAAC,EAAE;MACnB38B,IAAAA,IAAI,GAAG4hB,IAAI,CAAA;MACf,GAAC,MACI;UACD5hB,IAAI,GAAG4hB,IAAI,CAACrxB,SAAS,CAAC,CAAC,EAAEosC,UAAU,CAAC,CAAA;MACpCv2C,IAAAA,MAAM,GAAGw7B,IAAI,CAACrxB,SAAS,CAACosC,UAAU,GAAG,CAAC,CAAC,CAAClrC,KAAK,CAAC,GAAG,CAAC,CAAA;MACtD,GAAA;QAEA,OAAO;UACHuO,IAAI;MACJ5Z,IAAAA,MAAAA;SACH,CAAA;MACL,CAAA;MAWO,SAASw2C,cAAcA,CAACxsB,KAAwC,EAAoB;MACvF,EAAA,IAAI,OAAOA,KAAK,KAAK,QAAQ,EAAE;UAC3B,IAAIA,KAAK,CAAC9G,OAAO,CAAC,GAAG,CAAC,KAAK,CAAC,CAAC,EAAE;MAC3B,MAAA,OAAO8G,KAAK,CAAC3e,KAAK,CAAC,GAAG,CAAC,CAAChE,MAAM,CAACmB,CAAC,IAAIA,CAAC,CAACa,IAAI,EAAE,KAAK,EAAE,CAAC,CAAA;WACvD,MACI,IAAI2gB,KAAK,CAAC3gB,IAAI,EAAE,KAAK,EAAE,EAAE;MAC1B,MAAA,OAAO,CAAC2gB,KAAK,CAAC3gB,IAAI,EAAE,CAAC,CAAA;MACzB,KAAA;SACH,MACI,IAAInD,KAAK,CAACC,OAAO,CAAC6jB,KAAK,CAAC,EAAE;UAG3B,IAAMysB,eAAiC,GAAG,EAAE,CAAA;MAAC,IAAA,IAAAznC,SAAA,GAAAC,0BAAA,CAE7B+a,KAAK,CAAA;YAAA9a,KAAA,CAAA;MAAA,IAAA,IAAA;YAArB,KAAAF,SAAA,CAAAG,CAAA,EAAAD,EAAAA,CAAAA,CAAAA,KAAA,GAAAF,SAAA,CAAAI,CAAA,EAAAC,EAAAA,IAAA,GAAuB;MAAA,QAAA,IAAZ7G,CAAC,GAAA0G,KAAA,CAAAzK,KAAA,CAAA;cACRgyC,eAAe,CAACrwC,IAAI,CAAC,GAAGowC,cAAc,CAAChuC,CAAC,CAAC,CAAC,CAAA;MAC9C,OAAA;MAAC,KAAA,CAAA,OAAA8G,GAAA,EAAA;YAAAN,SAAA,CAAAjO,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,KAAA,SAAA;MAAAN,MAAAA,SAAA,CAAAO,CAAA,EAAA,CAAA;MAAA,KAAA;MAED,IAAA,OAAOknC,eAAe,CAAA;MAC1B,GAAC,MACI,IAAI,OAAOzsB,KAAK,KAAK,UAAU,EAAE;UAClC,OAAO,CAACA,KAAK,CAAC,CAAA;MAClB,GAAC,MACI,IAAI,OAAOA,KAAK,KAAK,QAAQ,EAAE;UAChC,OAAO,CAACA,KAAK,CAAC,CAAA;MAClB,GAAA;MAEA,EAAA,OAAO,EAAE,CAAA;MACb,CAAA;MAUO,SAAS0sB,oBAAoBA,CAAC1sB,KAAwC,EAAW;MACpF,EAAA,OAAOwsB,cAAc,CAACxsB,KAAK,CAAC,CAACpM,IAAI,CAACpV,CAAC,IAAIA,CAAC,KAAK,UAAU,CAAC,CAAA;MAC5D,CAAA;MAUA,SAASmuC,yBAAyBA,CAAC3sB,KAAuB,EAA4B;QAClF,IAAM4sB,aAAuC,GAAG,EAAE,CAAA;MAAC,EAAA,IAAAroB,UAAA,GAAAtf,0BAAA,CAEhC+a,KAAK,CAAA;UAAAwE,MAAA,CAAA;MAAA,EAAA,IAAA;UAAA,IAAAjO,KAAA,GAAAA,SAAAA,KAAAA,GAAE;MAAA,MAAA,IAAfib,IAAI,GAAAhN,MAAA,CAAA/pB,KAAA,CAAA;MACX,MAAA,IAAI,OAAO+2B,IAAI,KAAK,QAAQ,EAAE;MAC1B,QAAA,IAAMqb,OAAO,GAAGP,SAAS,CAAC9a,IAAI,CAAC,CAAA;MAC/B,QAAA,IAAM3jB,EAAE,GAAGu+B,YAAY,CAACS,OAAO,CAACj9B,IAAI,CAAC,CAAA;MAErC,QAAA,IAAI/B,EAAE,EAAE;MACJ++B,UAAAA,aAAa,CAACxwC,IAAI,CAAE3B,KAAK,IAAKoT,EAAE,CAACpT,KAAK,EAAEoyC,OAAO,CAAC72C,MAAM,CAAC,CAAC,CAAA;MAC5D,SAAC,MACI;MACD0Y,UAAAA,OAAO,CAACyb,IAAI,CAAA,wCAAA,CAAA/vB,MAAA,CAA0Co3B,IAAI,EAAI,GAAA,CAAA,CAAA,CAAA;MAClE,SAAA;MACJ,OAAC,MACI,IAAI,OAAOA,IAAI,KAAK,UAAU,EAAE;MACjCob,QAAAA,aAAa,CAACxwC,IAAI,CAACo1B,IAAI,CAAC,CAAA;MAC5B,OAAC,MACI,IAAI,OAAOA,IAAI,KAAK,QAAQ,EAAE;MAC/B,QAAA,IAAM3jB,GAAE,GAAGu+B,YAAY,CAAC5a,IAAI,CAAC5hB,IAAI,CAAC,CAAA;MAElC,QAAA,IAAI/B,GAAE,EAAE;MACJ++B,UAAAA,aAAa,CAACxwC,IAAI,CAAE3B,KAAK,IAAKoT,GAAE,CAACpT,KAAK,EAAE+2B,IAAI,CAACx7B,MAAM,CAAC,CAAC,CAAA;MACzD,SAAC,MACI;gBACD0Y,OAAO,CAACyb,IAAI,CAAA/vB,wCAAAA,CAAAA,MAAA,CAA0Co3B,IAAI,CAAC5hB,IAAI,EAAI,GAAA,CAAA,CAAA,CAAA;MACvE,SAAA;MACJ,OAAA;WACH,CAAA;UAzBD,KAAA2U,UAAA,CAAApf,CAAA,EAAAqf,EAAAA,CAAAA,CAAAA,MAAA,GAAAD,UAAA,CAAAnf,CAAA,EAAA,EAAAC,IAAA,GAAA;YAAAkR,KAAA,EAAA,CAAA;MAAA,KAAA;MAyBC,GAAA,CAAA,OAAAjR,GAAA,EAAA;UAAAif,UAAA,CAAAxtB,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,GAAA,SAAA;MAAAif,IAAAA,UAAA,CAAAhf,CAAA,EAAA,CAAA;MAAA,GAAA;MAED,EAAA,OAAOqnC,aAAa,CAAA;MACxB,CAAA;MAQA,SAASE,mBAAmBA,CAACr2C,MAAwB,EAAU;MAC3D,EAAA,IAAI,OAAOA,MAAM,KAAK,QAAQ,EAAE;MAC5B,IAAA,OAAOA,MAAM,CAAA;MACjB,GAAC,MACI,IAAIA,MAAM,KAAK,IAAI,EAAE;MACtB,IAAA,OAAO,EAAE,CAAA;MACb,GAAC,MACI;MACD,IAAA,OAAO,mBAAmB,CAAA;MAC9B,GAAA;MACJ,CAAA;MAUO,SAASs2C,aAAaA,CAACtyC,KAAc,EAAE+2B,IAAuC,EAAY;QAC7F,IAAMwb,GAAG,GAAGL,yBAAyB,CAACH,cAAc,CAAChb,IAAI,CAAC,CAAC,CAAA;QAE3D,IAAM7D,OAAiB,GAAG,EAAE,CAAA;MAAC,EAAA,IAAA7F,UAAA,GAAA7iB,0BAAA,CAEZ+nC,GAAG,CAAA;UAAAjlB,MAAA,CAAA;MAAA,EAAA,IAAA;UAApB,KAAAD,UAAA,CAAA3iB,CAAA,EAAA4iB,EAAAA,CAAAA,CAAAA,MAAA,GAAAD,UAAA,CAAA1iB,CAAA,EAAAC,EAAAA,IAAA,GAAsB;MAAA,MAAA,IAAXwI,EAAE,GAAAka,MAAA,CAAAttB,KAAA,CAAA;YACT,IAAMhE,MAAM,GAAGq2C,mBAAmB,CAACj/B,EAAE,CAACpT,KAAK,CAAC,CAAC,CAAA;YAE7C,IAAIhE,MAAM,KAAK,EAAE,EAAE;MACfk3B,QAAAA,OAAO,CAACvxB,IAAI,CAAC3F,MAAM,CAAC,CAAA;MACxB,OAAA;MACJ,KAAA;MAAC,GAAA,CAAA,OAAA6O,GAAA,EAAA;UAAAwiB,UAAA,CAAA/wB,CAAA,CAAAuO,GAAA,CAAA,CAAA;MAAA,GAAA,SAAA;MAAAwiB,IAAAA,UAAA,CAAAviB,CAAA,EAAA,CAAA;MAAA,GAAA;MAED,EAAA,OAAOooB,OAAO,CAAA;MAClB,CAAA;MAQO,SAASsf,UAAUA,CAACC,QAAgB,EAAEC,SAAiC,EAAQ;MAClF,EAAA,IAAIf,YAAY,CAACc,QAAQ,CAAC,KAAK12C,SAAS,EAAE;MACtCkY,IAAAA,OAAO,CAACyb,IAAI,CAAA,sCAAA,CAAA/vB,MAAA,CAAwC8yC,QAAQ,EAAI,GAAA,CAAA,CAAA,CAAA;MACpE,GAAC,MACI;MACDd,IAAAA,YAAY,CAACc,QAAQ,CAAC,GAAGC,SAAS,CAAA;MACtC,GAAA;MACJ;;;;;;;;;;;;;;;;;;;"}